aboutsummaryrefslogtreecommitdiffstats
diff options
context:
space:
mode:
authorFerdinand Thiessen <opensource@fthiessen.de>2024-05-28 22:10:27 +0200
committerGitHub <noreply@github.com>2024-05-28 22:10:27 +0200
commit8f0bbcd4e8400b8a6abb2b508be741d35762a439 (patch)
tree78eee781b8567723db9a696a9e112512631dcfe6
parent5e24a34103849408977439127c1604359eaba411 (diff)
parent7de1cc786bee69952df3c3ca3f34d30046af1520 (diff)
downloadnextcloud-server-8f0bbcd4e8400b8a6abb2b508be741d35762a439.tar.gz
nextcloud-server-8f0bbcd4e8400b8a6abb2b508be741d35762a439.zip
Merge pull request #45533 from nextcloud/backport/45419/stable28
[stable28] fix(files): Implement `SortingService` to fix sorting of files
-rw-r--r--apps/files/src/services/SortingService.spec.ts100
-rw-r--r--apps/files/src/services/SortingService.ts59
-rw-r--r--apps/files/src/views/FilesList.vue2
-rw-r--r--dist/files-main.js4
-rw-r--r--dist/files-main.js.map2
-rw-r--r--package-lock.json9
-rw-r--r--package.json1
7 files changed, 163 insertions, 14 deletions
diff --git a/apps/files/src/services/SortingService.spec.ts b/apps/files/src/services/SortingService.spec.ts
new file mode 100644
index 00000000000..5d20c43ed0a
--- /dev/null
+++ b/apps/files/src/services/SortingService.spec.ts
@@ -0,0 +1,100 @@
+/**
+ * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors
+ * SPDX-License-Identifier: AGPL-3.0-or-later
+ */
+import { describe, expect } from '@jest/globals'
+import { orderBy } from './SortingService'
+
+describe('SortingService', () => {
+ test('By default the identify and ascending order is used', () => {
+ const array = ['a', 'z', 'b']
+ expect(orderBy(array)).toEqual(['a', 'b', 'z'])
+ })
+
+ test('Use identifiy but descending', () => {
+ const array = ['a', 'z', 'b']
+ expect(orderBy(array, undefined, ['desc'])).toEqual(['z', 'b', 'a'])
+ })
+
+ test('Can set identifier function', () => {
+ const array = [
+ { text: 'a', order: 2 },
+ { text: 'z', order: 1 },
+ { text: 'b', order: 3 },
+ ] as const
+ expect(orderBy(array, [(v) => v.order]).map((v) => v.text)).toEqual(['z', 'a', 'b'])
+ })
+
+ test('Can set multiple identifier functions', () => {
+ const array = [
+ { text: 'a', order: 2, secondOrder: 2 },
+ { text: 'z', order: 1, secondOrder: 3 },
+ { text: 'b', order: 2, secondOrder: 1 },
+ ] as const
+ expect(orderBy(array, [(v) => v.order, (v) => v.secondOrder]).map((v) => v.text)).toEqual(['z', 'b', 'a'])
+ })
+
+ test('Can set order partially', () => {
+ const array = [
+ { text: 'a', order: 2, secondOrder: 2 },
+ { text: 'z', order: 1, secondOrder: 3 },
+ { text: 'b', order: 2, secondOrder: 1 },
+ ] as const
+
+ expect(
+ orderBy(
+ array,
+ [(v) => v.order, (v) => v.secondOrder],
+ ['desc'],
+ ).map((v) => v.text),
+ ).toEqual(['b', 'a', 'z'])
+ })
+
+ test('Can set order array', () => {
+ const array = [
+ { text: 'a', order: 2, secondOrder: 2 },
+ { text: 'z', order: 1, secondOrder: 3 },
+ { text: 'b', order: 2, secondOrder: 1 },
+ ] as const
+
+ expect(
+ orderBy(
+ array,
+ [(v) => v.order, (v) => v.secondOrder],
+ ['desc', 'desc'],
+ ).map((v) => v.text),
+ ).toEqual(['a', 'b', 'z'])
+ })
+
+ test('Numbers are handled correctly', () => {
+ const array = [
+ { text: '2.3' },
+ { text: '2.10' },
+ { text: '2.0' },
+ { text: '2.2' },
+ ] as const
+
+ expect(
+ orderBy(
+ array,
+ [(v) => v.text],
+ ).map((v) => v.text),
+ ).toEqual(['2.0', '2.2', '2.3', '2.10'])
+ })
+
+ test('Numbers with suffixes are handled correctly', () => {
+ const array = [
+ { text: '2024-01-05' },
+ { text: '2024-05-01' },
+ { text: '2024-01-10' },
+ { text: '2024-01-05 Foo' },
+ ] as const
+
+ expect(
+ orderBy(
+ array,
+ [(v) => v.text],
+ ).map((v) => v.text),
+ ).toEqual(['2024-01-05', '2024-01-05 Foo', '2024-01-10', '2024-05-01'])
+ })
+})
diff --git a/apps/files/src/services/SortingService.ts b/apps/files/src/services/SortingService.ts
new file mode 100644
index 00000000000..392f35efc9f
--- /dev/null
+++ b/apps/files/src/services/SortingService.ts
@@ -0,0 +1,59 @@
+/**
+ * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors
+ * SPDX-License-Identifier: AGPL-3.0-or-later
+ */
+import { getCanonicalLocale, getLanguage } from '@nextcloud/l10n'
+
+type IdentifierFn<T> = (v: T) => unknown
+type SortingOrder = 'asc'|'desc'
+
+/**
+ * Helper to create string representation
+ * @param value Value to stringify
+ */
+function stringify(value: unknown) {
+ // The default representation of Date is not sortable because of the weekday names in front of it
+ if (value instanceof Date) {
+ return value.toISOString()
+ }
+ return String(value)
+}
+
+/**
+ * Natural order a collection
+ * You can define identifiers as callback functions, that get the element and return the value to sort.
+ *
+ * @param collection The collection to order
+ * @param identifiers An array of identifiers to use, by default the identity of the element is used
+ * @param orders Array of orders, by default all identifiers are sorted ascening
+ */
+export function orderBy<T>(collection: readonly T[], identifiers?: IdentifierFn<T>[], orders?: SortingOrder[]): T[] {
+ // If not identifiers are set we use the identity of the value
+ identifiers = identifiers ?? [(value) => value]
+ // By default sort the collection ascending
+ orders = orders ?? []
+ const sorting = identifiers.map((_, index) => (orders[index] ?? 'asc') === 'asc' ? 1 : -1)
+
+ const collator = Intl.Collator(
+ [getLanguage(), getCanonicalLocale()],
+ {
+ // handle 10 as ten and not as one-zero
+ numeric: true,
+ usage: 'sort',
+ },
+ )
+
+ return [...collection].sort((a, b) => {
+ for (const [index, identifier] of identifiers.entries()) {
+ // Get the local compare of stringified value a and b
+ const value = collator.compare(stringify(identifier(a)), stringify(identifier(b)))
+ // If they do not match return the order
+ if (value !== 0) {
+ return value * sorting[index]
+ }
+ // If they match we need to continue with the next identifier
+ }
+ // If all are equal we need to return equality
+ return 0
+ })
+}
diff --git a/apps/files/src/views/FilesList.vue b/apps/files/src/views/FilesList.vue
index f5bb45ede1d..16566eb66f1 100644
--- a/apps/files/src/views/FilesList.vue
+++ b/apps/files/src/views/FilesList.vue
@@ -125,7 +125,6 @@ import { emit, subscribe, unsubscribe } from '@nextcloud/event-bus'
import { Folder, Node, Permission } from '@nextcloud/files'
import { getCapabilities } from '@nextcloud/capabilities'
import { join, dirname } from 'path'
-import { orderBy } from 'natural-orderby'
import { Parser } from 'xml2js'
import { showError } from '@nextcloud/dialogs'
import { translate, translatePlural } from '@nextcloud/l10n'
@@ -152,6 +151,7 @@ import { useSelectionStore } from '../store/selection.ts'
import { useUploaderStore } from '../store/uploader.ts'
import { useUserConfigStore } from '../store/userconfig.ts'
import { useViewConfigStore } from '../store/viewConfig.ts'
+import { orderBy } from '../services/SortingService.ts'
import BreadCrumbs from '../components/BreadCrumbs.vue'
import FilesListVirtual from '../components/FilesListVirtual.vue'
import filesListWidthMixin from '../mixins/filesListWidth.ts'
diff --git a/dist/files-main.js b/dist/files-main.js
index b40221df102..37a2d694e27 100644
--- a/dist/files-main.js
+++ b/dist/files-main.js
@@ -1,3 +1,3 @@
/*! For license information please see files-main.js.LICENSE.txt */
-(()=>{var e,n,s,i={9052:t=>{"use strict";var e=Object.prototype.hasOwnProperty,n="~";function s(){}function i(t,e,n){this.fn=t,this.context=e,this.once=n||!1}function r(t,e,s,r,o){if("function"!=typeof s)throw new TypeError("The listener must be a function");var a=new i(s,r||t,o),l=n?n+e:e;return t._events[l]?t._events[l].fn?t._events[l]=[t._events[l],a]:t._events[l].push(a):(t._events[l]=a,t._eventsCount++),t}function o(t,e){0==--t._eventsCount?t._events=new s:delete t._events[e]}function a(){this._events=new s,this._eventsCount=0}Object.create&&(s.prototype=Object.create(null),(new s).__proto__||(n=!1)),a.prototype.eventNames=function(){var t,s,i=[];if(0===this._eventsCount)return i;for(s in t=this._events)e.call(t,s)&&i.push(n?s.slice(1):s);return Object.getOwnPropertySymbols?i.concat(Object.getOwnPropertySymbols(t)):i},a.prototype.listeners=function(t){var e=n?n+t:t,s=this._events[e];if(!s)return[];if(s.fn)return[s.fn];for(var i=0,r=s.length,o=new Array(r);i<r;i++)o[i]=s[i].fn;return o},a.prototype.listenerCount=function(t){var e=n?n+t:t,s=this._events[e];return s?s.fn?1:s.length:0},a.prototype.emit=function(t,e,s,i,r,o){var a=n?n+t:t;if(!this._events[a])return!1;var l,c,d=this._events[a],u=arguments.length;if(d.fn){switch(d.once&&this.removeListener(t,d.fn,void 0,!0),u){case 1:return d.fn.call(d.context),!0;case 2:return d.fn.call(d.context,e),!0;case 3:return d.fn.call(d.context,e,s),!0;case 4:return d.fn.call(d.context,e,s,i),!0;case 5:return d.fn.call(d.context,e,s,i,r),!0;case 6:return d.fn.call(d.context,e,s,i,r,o),!0}for(c=1,l=new Array(u-1);c<u;c++)l[c-1]=arguments[c];d.fn.apply(d.context,l)}else{var m,p=d.length;for(c=0;c<p;c++)switch(d[c].once&&this.removeListener(t,d[c].fn,void 0,!0),u){case 1:d[c].fn.call(d[c].context);break;case 2:d[c].fn.call(d[c].context,e);break;case 3:d[c].fn.call(d[c].context,e,s);break;case 4:d[c].fn.call(d[c].context,e,s,i);break;default:if(!l)for(m=1,l=new Array(u-1);m<u;m++)l[m-1]=arguments[m];d[c].fn.apply(d[c].context,l)}}return!0},a.prototype.on=function(t,e,n){return r(this,t,e,n,!1)},a.prototype.once=function(t,e,n){return r(this,t,e,n,!0)},a.prototype.removeListener=function(t,e,s,i){var r=n?n+t:t;if(!this._events[r])return this;if(!e)return o(this,r),this;var a=this._events[r];if(a.fn)a.fn!==e||i&&!a.once||s&&a.context!==s||o(this,r);else{for(var l=0,c=[],d=a.length;l<d;l++)(a[l].fn!==e||i&&!a[l].once||s&&a[l].context!==s)&&c.push(a[l]);c.length?this._events[r]=1===c.length?c[0]:c:o(this,r)}return this},a.prototype.removeAllListeners=function(t){var e;return t?(e=n?n+t:t,this._events[e]&&o(this,e)):(this._events=new s,this._eventsCount=0),this},a.prototype.off=a.prototype.removeListener,a.prototype.addListener=a.prototype.on,a.prefixed=n,a.EventEmitter=a,t.exports=a},3186:(e,n,s)=>{"use strict";var i={};s.r(i),s.d(i,{exclude:()=>St,extract:()=>Ct,parse:()=>xt,parseUrl:()=>Tt,pick:()=>Et,stringify:()=>_t,stringifyUrl:()=>kt});var r=s(19166),o=s(63757),a=s(96763);let l;const c=t=>l=t,d=Symbol();function u(t){return t&&"object"==typeof t&&"[object Object]"===Object.prototype.toString.call(t)&&"function"!=typeof t.toJSON}var m;!function(t){t.direct="direct",t.patchObject="patch object",t.patchFunction="patch function"}(m||(m={}));const p="undefined"!=typeof window,f="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&p,g=(()=>"object"==typeof window&&window.window===window?window:"object"==typeof self&&self.self===self?self:"object"==typeof global&&global.global===global?global:"object"==typeof globalThis?globalThis:{HTMLElement:null})();function h(t,e,n){const s=new XMLHttpRequest;s.open("GET",t),s.responseType="blob",s.onload=function(){b(s.response,e,n)},s.onerror=function(){a.error("could not download file")},s.send()}function v(t){const e=new XMLHttpRequest;e.open("HEAD",t,!1);try{e.send()}catch(t){}return e.status>=200&&e.status<=299}function A(t){try{t.dispatchEvent(new MouseEvent("click"))}catch(e){const n=document.createEvent("MouseEvents");n.initMouseEvent("click",!0,!0,window,0,0,0,80,20,!1,!1,!1,!1,0,null),t.dispatchEvent(n)}}const w="object"==typeof navigator?navigator:{userAgent:""},y=(()=>/Macintosh/.test(w.userAgent)&&/AppleWebKit/.test(w.userAgent)&&!/Safari/.test(w.userAgent))(),b=p?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!y?function(t,e="download",n){const s=document.createElement("a");s.download=e,s.rel="noopener","string"==typeof t?(s.href=t,s.origin!==location.origin?v(s.href)?h(t,e,n):(s.target="_blank",A(s)):A(s)):(s.href=URL.createObjectURL(t),setTimeout((function(){URL.revokeObjectURL(s.href)}),4e4),setTimeout((function(){A(s)}),0))}:"msSaveOrOpenBlob"in w?function(t,e="download",n){if("string"==typeof t)if(v(t))h(t,e,n);else{const e=document.createElement("a");e.href=t,e.target="_blank",setTimeout((function(){A(e)}))}else navigator.msSaveOrOpenBlob(function(t,{autoBom:e=!1}={}){return e&&/^\s*(?:text\/\S*|application\/xml|\S*\/\S*\+xml)\s*;.*charset\s*=\s*utf-8/i.test(t.type)?new Blob([String.fromCharCode(65279),t],{type:t.type}):t}(t,n),e)}:function(t,e,n,s){if((s=s||open("","_blank"))&&(s.document.title=s.document.body.innerText="downloading..."),"string"==typeof t)return h(t,e,n);const i="application/octet-stream"===t.type,r=/constructor/i.test(String(g.HTMLElement))||"safari"in g,o=/CriOS\/[\d]+/.test(navigator.userAgent);if((o||i&&r||y)&&"undefined"!=typeof FileReader){const e=new FileReader;e.onloadend=function(){let t=e.result;if("string"!=typeof t)throw s=null,new Error("Wrong reader.result type");t=o?t:t.replace(/^data:[^;]*;/,"data:attachment/file;"),s?s.location.href=t:location.assign(t),s=null},e.readAsDataURL(t)}else{const e=URL.createObjectURL(t);s?s.location.assign(e):location.href=e,s=null,setTimeout((function(){URL.revokeObjectURL(e)}),4e4)}}:()=>{};function C(t,e){const n="🍍 "+t;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(n,e):"error"===e?a.error(n):"warn"===e?a.warn(n):a.log(n)}function x(t){return"_a"in t&&"install"in t}function _(){if(!("clipboard"in navigator))return C("Your browser doesn't support the Clipboard API","error"),!0}function T(t){return!!(t instanceof Error&&t.message.toLowerCase().includes("document is not focused"))&&(C('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let k;function E(t,e){for(const n in e){const s=t.state.value[n];s?Object.assign(s,e[n]):t.state.value[n]=e[n]}}function S(t){return{_custom:{display:t}}}const L="🍍 Pinia (root)",N="_root";function F(t){return x(t)?{id:N,label:L}:{id:t.$id,label:t.$id}}function I(t){return t?Array.isArray(t)?t.reduce(((t,e)=>(t.keys.push(e.key),t.operations.push(e.type),t.oldValue[e.key]=e.oldValue,t.newValue[e.key]=e.newValue,t)),{oldValue:{},keys:[],operations:[],newValue:{}}):{operation:S(t.type),key:S(t.key),oldValue:t.oldValue,newValue:t.newValue}:{}}function P(t){switch(t){case m.direct:return"mutation";case m.patchFunction:case m.patchObject:return"$patch";default:return"unknown"}}let B=!0;const O=[],D="pinia:mutations",U="pinia",{assign:j}=Object,z=t=>"🍍 "+t;function M(t,e){(0,o.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:O,app:t},(n=>{"function"!=typeof n.now&&C("You seem to be using an outdated version of Vue Devtools. Are you still using the Beta release instead of the stable one? You can find the links at https://devtools.vuejs.org/guide/installation.html."),n.addTimelineLayer({id:D,label:"Pinia 🍍",color:15064968}),n.addInspector({id:U,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(t){if(!_())try{await navigator.clipboard.writeText(JSON.stringify(t.state.value)),C("Global state copied to clipboard.")}catch(t){if(T(t))return;C("Failed to serialize the state. Check the console for more details.","error"),a.error(t)}}(e)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(t){if(!_())try{E(t,JSON.parse(await navigator.clipboard.readText())),C("Global state pasted from clipboard.")}catch(t){if(T(t))return;C("Failed to deserialize the state from clipboard. Check the console for more details.","error"),a.error(t)}}(e),n.sendInspectorTree(U),n.sendInspectorState(U)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(t){try{b(new Blob([JSON.stringify(t.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(t){C("Failed to export the state as JSON. Check the console for more details.","error"),a.error(t)}}(e)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(t){try{const e=(k||(k=document.createElement("input"),k.type="file",k.accept=".json"),function(){return new Promise(((t,e)=>{k.onchange=async()=>{const e=k.files;if(!e)return t(null);const n=e.item(0);return t(n?{text:await n.text(),file:n}:null)},k.oncancel=()=>t(null),k.onerror=e,k.click()}))}),n=await e();if(!n)return;const{text:s,file:i}=n;E(t,JSON.parse(s)),C(`Global state imported from "${i.name}".`)}catch(t){C("Failed to import the state from JSON. Check the console for more details.","error"),a.error(t)}}(e),n.sendInspectorTree(U),n.sendInspectorState(U)},tooltip:"Import the state from a JSON file"}],nodeActions:[{icon:"restore",tooltip:'Reset the state (with "$reset")',action:t=>{const n=e._s.get(t);n?"function"!=typeof n.$reset?C(`Cannot reset "${t}" store because it doesn't have a "$reset" method implemented.`,"warn"):(n.$reset(),C(`Store "${t}" reset.`)):C(`Cannot reset "${t}" store because it wasn't found.`,"warn")}}]}),n.on.inspectComponent(((t,e)=>{const n=t.componentInstance&&t.componentInstance.proxy;if(n&&n._pStores){const e=t.componentInstance.proxy._pStores;Object.values(e).forEach((e=>{t.instanceData.state.push({type:z(e.$id),key:"state",editable:!0,value:e._isOptionsAPI?{_custom:{value:(0,r.ux)(e.$state),actions:[{icon:"restore",tooltip:"Reset the state of this store",action:()=>e.$reset()}]}}:Object.keys(e.$state).reduce(((t,n)=>(t[n]=e.$state[n],t)),{})}),e._getters&&e._getters.length&&t.instanceData.state.push({type:z(e.$id),key:"getters",editable:!1,value:e._getters.reduce(((t,n)=>{try{t[n]=e[n]}catch(e){t[n]=e}return t}),{})})}))}})),n.on.getInspectorTree((n=>{if(n.app===t&&n.inspectorId===U){let t=[e];t=t.concat(Array.from(e._s.values())),n.rootNodes=(n.filter?t.filter((t=>"$id"in t?t.$id.toLowerCase().includes(n.filter.toLowerCase()):L.toLowerCase().includes(n.filter.toLowerCase()))):t).map(F)}})),n.on.getInspectorState((n=>{if(n.app===t&&n.inspectorId===U){const t=n.nodeId===N?e:e._s.get(n.nodeId);if(!t)return;t&&(n.state=function(t){if(x(t)){const e=Array.from(t._s.keys()),n=t._s,s={state:e.map((e=>({editable:!0,key:e,value:t.state.value[e]}))),getters:e.filter((t=>n.get(t)._getters)).map((t=>{const e=n.get(t);return{editable:!1,key:t,value:e._getters.reduce(((t,n)=>(t[n]=e[n],t)),{})}}))};return s}const e={state:Object.keys(t.$state).map((e=>({editable:!0,key:e,value:t.$state[e]})))};return t._getters&&t._getters.length&&(e.getters=t._getters.map((e=>({editable:!1,key:e,value:t[e]})))),t._customProperties.size&&(e.customProperties=Array.from(t._customProperties).map((e=>({editable:!0,key:e,value:t[e]})))),e}(t))}})),n.on.editInspectorState(((n,s)=>{if(n.app===t&&n.inspectorId===U){const t=n.nodeId===N?e:e._s.get(n.nodeId);if(!t)return C(`store "${n.nodeId}" not found`,"error");const{path:s}=n;x(t)?s.unshift("state"):1===s.length&&t._customProperties.has(s[0])&&!(s[0]in t.$state)||s.unshift("$state"),B=!1,n.set(t,s,n.state.value),B=!0}})),n.on.editComponentState((t=>{if(t.type.startsWith("🍍")){const n=t.type.replace(/^🍍\s*/,""),s=e._s.get(n);if(!s)return C(`store "${n}" not found`,"error");const{path:i}=t;if("state"!==i[0])return C(`Invalid path for store "${n}":\n${i}\nOnly state can be modified.`);i[0]="$state",B=!1,t.set(s,i,t.state.value),B=!0}}))}))}let R,V=0;function $(t,e,n){const s=e.reduce(((e,n)=>(e[n]=(0,r.ux)(t)[n],e)),{});for(const e in s)t[e]=function(){const i=V,r=n?new Proxy(t,{get:(...t)=>(R=i,Reflect.get(...t)),set:(...t)=>(R=i,Reflect.set(...t))}):t;R=i;const o=s[e].apply(r,arguments);return R=void 0,o}}function q({app:t,store:e,options:n}){if(e.$id.startsWith("__hot:"))return;e._isOptionsAPI=!!n.state,$(e,Object.keys(n.actions),e._isOptionsAPI);const s=e._hotUpdate;(0,r.ux)(e)._hotUpdate=function(t){s.apply(this,arguments),$(e,Object.keys(t._hmrPayload.actions),!!e._isOptionsAPI)},function(t,e){O.includes(z(e.$id))||O.push(z(e.$id)),(0,o.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:O,app:t,settings:{logStoreChanges:{label:"Notify about new/deleted stores",type:"boolean",defaultValue:!0}}},(t=>{const n="function"==typeof t.now?t.now.bind(t):Date.now;e.$onAction((({after:s,onError:i,name:r,args:o})=>{const a=V++;t.addTimelineEvent({layerId:D,event:{time:n(),title:"🛫 "+r,subtitle:"start",data:{store:S(e.$id),action:S(r),args:o},groupId:a}}),s((s=>{R=void 0,t.addTimelineEvent({layerId:D,event:{time:n(),title:"🛬 "+r,subtitle:"end",data:{store:S(e.$id),action:S(r),args:o,result:s},groupId:a}})})),i((s=>{R=void 0,t.addTimelineEvent({layerId:D,event:{time:n(),logType:"error",title:"💥 "+r,subtitle:"end",data:{store:S(e.$id),action:S(r),args:o,error:s},groupId:a}})}))}),!0),e._customProperties.forEach((s=>{(0,r.wB)((()=>(0,r.R1)(e[s])),((e,i)=>{t.notifyComponentUpdate(),t.sendInspectorState(U),B&&t.addTimelineEvent({layerId:D,event:{time:n(),title:"Change",subtitle:s,data:{newValue:e,oldValue:i},groupId:R}})}),{deep:!0})})),e.$subscribe((({events:s,type:i},r)=>{if(t.notifyComponentUpdate(),t.sendInspectorState(U),!B)return;const o={time:n(),title:P(i),data:j({store:S(e.$id)},I(s)),groupId:R};i===m.patchFunction?o.subtitle="⤵️":i===m.patchObject?o.subtitle="🧩":s&&!Array.isArray(s)&&(o.subtitle=s.type),s&&(o.data["rawEvent(s)"]={_custom:{display:"DebuggerEvent",type:"object",tooltip:"raw DebuggerEvent[]",value:s}}),t.addTimelineEvent({layerId:D,event:o})}),{detached:!0,flush:"sync"});const s=e._hotUpdate;e._hotUpdate=(0,r.IG)((i=>{s(i),t.addTimelineEvent({layerId:D,event:{time:n(),title:"🔥 "+e.$id,subtitle:"HMR update",data:{store:S(e.$id),info:S("HMR update")}}}),t.notifyComponentUpdate(),t.sendInspectorTree(U),t.sendInspectorState(U)}));const{$dispose:i}=e;e.$dispose=()=>{i(),t.notifyComponentUpdate(),t.sendInspectorTree(U),t.sendInspectorState(U),t.getSettings().logStoreChanges&&C(`Disposed "${e.$id}" store 🗑`)},t.notifyComponentUpdate(),t.sendInspectorTree(U),t.sendInspectorState(U),t.getSettings().logStoreChanges&&C(`"${e.$id}" store installed 🆕`)}))}(t,e)}const H=()=>{};function W(t,e,n,s=H){t.push(e);const i=()=>{const n=t.indexOf(e);n>-1&&(t.splice(n,1),s())};return!n&&(0,r.o5)()&&(0,r.jr)(i),i}function G(t,...e){t.slice().forEach((t=>{t(...e)}))}const Y=t=>t();function K(t,e){t instanceof Map&&e instanceof Map&&e.forEach(((e,n)=>t.set(n,e))),t instanceof Set&&e instanceof Set&&e.forEach(t.add,t);for(const n in e){if(!e.hasOwnProperty(n))continue;const s=e[n],i=t[n];u(i)&&u(s)&&t.hasOwnProperty(n)&&!(0,r.i9)(s)&&!(0,r.g8)(s)?t[n]=K(i,s):t[n]=s}return t}const Q=Symbol(),X=new WeakMap,{assign:J}=Object;function Z(t,e,n={},s,i,o){let a;const l=J({actions:{}},n),d={deep:!0};let p,g,h,v=[],A=[];const w=s.state.value[t];o||w||(r.LE?(0,r.hZ)(s.state.value,t,{}):s.state.value[t]={});const y=(0,r.KR)({});let b;function C(e){let n;p=g=!1,"function"==typeof e?(e(s.state.value[t]),n={type:m.patchFunction,storeId:t,events:h}):(K(s.state.value[t],e),n={type:m.patchObject,payload:e,storeId:t,events:h});const i=b=Symbol();(0,r.dY)().then((()=>{b===i&&(p=!0)})),g=!0,G(v,n,s.state.value[t])}const x=o?function(){const{state:t}=n,e=t?t():{};this.$patch((t=>{J(t,e)}))}:H;function _(e,n){return function(){c(s);const i=Array.from(arguments),r=[],o=[];let a;G(A,{args:i,name:e,store:E,after:function(t){r.push(t)},onError:function(t){o.push(t)}});try{a=n.apply(this&&this.$id===t?this:E,i)}catch(t){throw G(o,t),t}return a instanceof Promise?a.then((t=>(G(r,t),t))).catch((t=>(G(o,t),Promise.reject(t)))):(G(r,a),a)}}const T=(0,r.IG)({actions:{},getters:{},state:[],hotState:y}),k={_p:s,$id:t,$onAction:W.bind(null,A),$patch:C,$reset:x,$subscribe(e,n={}){const i=W(v,e,n.detached,(()=>o())),o=a.run((()=>(0,r.wB)((()=>s.state.value[t]),(s=>{("sync"===n.flush?g:p)&&e({storeId:t,type:m.direct,events:h},s)}),J({},d,n))));return i},$dispose:function(){a.stop(),v=[],A=[],s._s.delete(t)}};r.LE&&(k._r=!1);const E=(0,r.Kh)(f?J({_hmrPayload:T,_customProperties:(0,r.IG)(new Set)},k):k);s._s.set(t,E);const S=(s._a&&s._a.runWithContext||Y)((()=>s._e.run((()=>(a=(0,r.uY)()).run(e)))));for(const e in S){const n=S[e];if((0,r.i9)(n)&&(N=n,!(0,r.i9)(N)||!N.effect)||(0,r.g8)(n))o||(!w||(L=n,r.LE?X.has(L):u(L)&&L.hasOwnProperty(Q))||((0,r.i9)(n)?n.value=w[e]:K(n,w[e])),r.LE?(0,r.hZ)(s.state.value[t],e,n):s.state.value[t][e]=n);else if("function"==typeof n){const t=_(e,n);r.LE?(0,r.hZ)(S,e,t):S[e]=t,l.actions[e]=n}}var L,N;if(r.LE?Object.keys(S).forEach((t=>{(0,r.hZ)(E,t,S[t])})):(J(E,S),J((0,r.ux)(E),S)),Object.defineProperty(E,"$state",{get:()=>s.state.value[t],set:t=>{C((e=>{J(e,t)}))}}),f){const t={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((e=>{Object.defineProperty(E,e,J({value:E[e]},t))}))}return r.LE&&(E._r=!0),s._p.forEach((t=>{if(f){const e=a.run((()=>t({store:E,app:s._a,pinia:s,options:l})));Object.keys(e||{}).forEach((t=>E._customProperties.add(t))),J(E,e)}else J(E,a.run((()=>t({store:E,app:s._a,pinia:s,options:l}))))})),w&&o&&n.hydrate&&n.hydrate(E.$state,w),p=!0,g=!0,E}function tt(t,e,n){let s,i;const o="function"==typeof e;function a(t,n){const a=(0,r.PS)();return(t=t||(a?(0,r.WQ)(d,null):null))&&c(t),(t=l)._s.has(s)||(o?Z(s,e,i,t):function(t,e,n,s){const{state:i,actions:o,getters:a}=e,l=n.state.value[t];let d;d=Z(t,(function(){l||(r.LE?(0,r.hZ)(n.state.value,t,i?i():{}):n.state.value[t]=i?i():{});const e=(0,r.QW)(n.state.value[t]);return J(e,o,Object.keys(a||{}).reduce(((e,s)=>(e[s]=(0,r.IG)((0,r.EW)((()=>{c(n);const e=n._s.get(t);if(!r.LE||e._r)return a[s].call(e,e)}))),e)),{}))}),e,n,0,!0)}(s,i,t)),t._s.get(s)}return"string"==typeof t?(s=t,i=o?n:e):(i=t,s=t.id),a.$id=s,a}var et=s(35810),nt=s(92457),st=s(85471);const it=function(){const t=(0,r.uY)(!0),e=t.run((()=>(0,r.KR)({})));let n=[],s=[];const i=(0,r.IG)({install(t){c(i),r.LE||(i._a=t,t.provide(d,i),t.config.globalProperties.$pinia=i,f&&M(t,i),s.forEach((t=>n.push(t))),s=[])},use(t){return this._a||r.LE?n.push(t):s.push(t),this},_p:n,_a:null,_e:t,_s:new Map,state:e});return f&&"undefined"!=typeof Proxy&&i.use(q),i}();var rt=s(99498);const ot="%[a-f0-9]{2}",at=new RegExp("("+ot+")|([^%]+?)","gi"),lt=new RegExp("("+ot+")+","gi");function ct(t,e){try{return[decodeURIComponent(t.join(""))]}catch{}if(1===t.length)return t;e=e||1;const n=t.slice(0,e),s=t.slice(e);return Array.prototype.concat.call([],ct(n),ct(s))}function dt(t){try{return decodeURIComponent(t)}catch{let e=t.match(at)||[];for(let n=1;n<e.length;n++)e=(t=ct(e,n).join("")).match(at)||[];return t}}function ut(t,e){if("string"!=typeof t||"string"!=typeof e)throw new TypeError("Expected the arguments to be of type `string`");if(""===t||""===e)return[];const n=t.indexOf(e);return-1===n?[]:[t.slice(0,n),t.slice(n+e.length)]}function mt(t,e){const n={};if(Array.isArray(e))for(const s of e){const e=Object.getOwnPropertyDescriptor(t,s);e?.enumerable&&Object.defineProperty(n,s,e)}else for(const s of Reflect.ownKeys(t)){const i=Object.getOwnPropertyDescriptor(t,s);i.enumerable&&e(s,t[s],t)&&Object.defineProperty(n,s,i)}return n}const pt=t=>null==t,ft=t=>encodeURIComponent(t).replace(/[!'()*]/g,(t=>`%${t.charCodeAt(0).toString(16).toUpperCase()}`)),gt=Symbol("encodeFragmentIdentifier");function ht(t){if("string"!=typeof t||1!==t.length)throw new TypeError("arrayFormatSeparator must be single character string")}function vt(t,e){return e.encode?e.strict?ft(t):encodeURIComponent(t):t}function At(t,e){return e.decode?function(t){if("string"!=typeof t)throw new TypeError("Expected `encodedURI` to be of type `string`, got `"+typeof t+"`");try{return decodeURIComponent(t)}catch{return function(t){const e={"%FE%FF":"��","%FF%FE":"��"};let n=lt.exec(t);for(;n;){try{e[n[0]]=decodeURIComponent(n[0])}catch{const t=dt(n[0]);t!==n[0]&&(e[n[0]]=t)}n=lt.exec(t)}e["%C2"]="�";const s=Object.keys(e);for(const n of s)t=t.replace(new RegExp(n,"g"),e[n]);return t}(t)}}(t):t}function wt(t){return Array.isArray(t)?t.sort():"object"==typeof t?wt(Object.keys(t)).sort(((t,e)=>Number(t)-Number(e))).map((e=>t[e])):t}function yt(t){const e=t.indexOf("#");return-1!==e&&(t=t.slice(0,e)),t}function bt(t,e){return e.parseNumbers&&!Number.isNaN(Number(t))&&"string"==typeof t&&""!==t.trim()?t=Number(t):!e.parseBooleans||null===t||"true"!==t.toLowerCase()&&"false"!==t.toLowerCase()||(t="true"===t.toLowerCase()),t}function Ct(t){const e=(t=yt(t)).indexOf("?");return-1===e?"":t.slice(e+1)}function xt(t,e){ht((e={decode:!0,sort:!0,arrayFormat:"none",arrayFormatSeparator:",",parseNumbers:!1,parseBooleans:!1,...e}).arrayFormatSeparator);const n=function(t){let e;switch(t.arrayFormat){case"index":return(t,n,s)=>{e=/\[(\d*)]$/.exec(t),t=t.replace(/\[\d*]$/,""),e?(void 0===s[t]&&(s[t]={}),s[t][e[1]]=n):s[t]=n};case"bracket":return(t,n,s)=>{e=/(\[])$/.exec(t),t=t.replace(/\[]$/,""),e?void 0!==s[t]?s[t]=[...s[t],n]:s[t]=[n]:s[t]=n};case"colon-list-separator":return(t,n,s)=>{e=/(:list)$/.exec(t),t=t.replace(/:list$/,""),e?void 0!==s[t]?s[t]=[...s[t],n]:s[t]=[n]:s[t]=n};case"comma":case"separator":return(e,n,s)=>{const i="string"==typeof n&&n.includes(t.arrayFormatSeparator),r="string"==typeof n&&!i&&At(n,t).includes(t.arrayFormatSeparator);n=r?At(n,t):n;const o=i||r?n.split(t.arrayFormatSeparator).map((e=>At(e,t))):null===n?n:At(n,t);s[e]=o};case"bracket-separator":return(e,n,s)=>{const i=/(\[])$/.test(e);if(e=e.replace(/\[]$/,""),!i)return void(s[e]=n?At(n,t):n);const r=null===n?[]:n.split(t.arrayFormatSeparator).map((e=>At(e,t)));void 0!==s[e]?s[e]=[...s[e],...r]:s[e]=r};default:return(t,e,n)=>{void 0!==n[t]?n[t]=[...[n[t]].flat(),e]:n[t]=e}}}(e),s=Object.create(null);if("string"!=typeof t)return s;if(!(t=t.trim().replace(/^[?#&]/,"")))return s;for(const i of t.split("&")){if(""===i)continue;const t=e.decode?i.replace(/\+/g," "):i;let[r,o]=ut(t,"=");void 0===r&&(r=t),o=void 0===o?null:["comma","separator","bracket-separator"].includes(e.arrayFormat)?o:At(o,e),n(At(r,e),o,s)}for(const[t,n]of Object.entries(s))if("object"==typeof n&&null!==n)for(const[t,s]of Object.entries(n))n[t]=bt(s,e);else s[t]=bt(n,e);return!1===e.sort?s:(!0===e.sort?Object.keys(s).sort():Object.keys(s).sort(e.sort)).reduce(((t,e)=>{const n=s[e];return t[e]=Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?wt(n):n,t}),Object.create(null))}function _t(t,e){if(!t)return"";ht((e={encode:!0,strict:!0,arrayFormat:"none",arrayFormatSeparator:",",...e}).arrayFormatSeparator);const n=n=>e.skipNull&&pt(t[n])||e.skipEmptyString&&""===t[n],s=function(t){switch(t.arrayFormat){case"index":return e=>(n,s)=>{const i=n.length;return void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[vt(e,t),"[",i,"]"].join("")]:[...n,[vt(e,t),"[",vt(i,t),"]=",vt(s,t)].join("")]};case"bracket":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[vt(e,t),"[]"].join("")]:[...n,[vt(e,t),"[]=",vt(s,t)].join("")];case"colon-list-separator":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[vt(e,t),":list="].join("")]:[...n,[vt(e,t),":list=",vt(s,t)].join("")];case"comma":case"separator":case"bracket-separator":{const e="bracket-separator"===t.arrayFormat?"[]=":"=";return n=>(s,i)=>void 0===i||t.skipNull&&null===i||t.skipEmptyString&&""===i?s:(i=null===i?"":i,0===s.length?[[vt(n,t),e,vt(i,t)].join("")]:[[s,vt(i,t)].join(t.arrayFormatSeparator)])}default:return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,vt(e,t)]:[...n,[vt(e,t),"=",vt(s,t)].join("")]}}(e),i={};for(const[e,s]of Object.entries(t))n(e)||(i[e]=s);const r=Object.keys(i);return!1!==e.sort&&r.sort(e.sort),r.map((n=>{const i=t[n];return void 0===i?"":null===i?vt(n,e):Array.isArray(i)?0===i.length&&"bracket-separator"===e.arrayFormat?vt(n,e)+"[]":i.reduce(s(n),[]).join("&"):vt(n,e)+"="+vt(i,e)})).filter((t=>t.length>0)).join("&")}function Tt(t,e){e={decode:!0,...e};let[n,s]=ut(t,"#");return void 0===n&&(n=t),{url:n?.split("?")?.[0]??"",query:xt(Ct(t),e),...e&&e.parseFragmentIdentifier&&s?{fragmentIdentifier:At(s,e)}:{}}}function kt(t,e){e={encode:!0,strict:!0,[gt]:!0,...e};const n=yt(t.url).split("?")[0]||"";let s=_t({...xt(Ct(t.url),{sort:!1}),...t.query},e);s&&(s=`?${s}`);let i=function(t){let e="";const n=t.indexOf("#");return-1!==n&&(e=t.slice(n)),e}(t.url);if(t.fragmentIdentifier){const s=new URL(n);s.hash=t.fragmentIdentifier,i=e[gt]?s.hash:`#${t.fragmentIdentifier}`}return`${n}${s}${i}`}function Et(t,e,n){n={parseFragmentIdentifier:!0,[gt]:!1,...n};const{url:s,query:i,fragmentIdentifier:r}=Tt(t,n);return kt({url:s,query:mt(i,e),fragmentIdentifier:r},n)}function St(t,e,n){return Et(t,Array.isArray(e)?t=>!e.includes(t):(t,n)=>!e(t,n),n)}const Lt=i;var Nt=s(96763);function Ft(t,e){for(var n in e)t[n]=e[n];return t}var It=/[!'()*]/g,Pt=function(t){return"%"+t.charCodeAt(0).toString(16)},Bt=/%2C/g,Ot=function(t){return encodeURIComponent(t).replace(It,Pt).replace(Bt,",")};function Dt(t){try{return decodeURIComponent(t)}catch(t){}return t}var Ut=function(t){return null==t||"object"==typeof t?t:String(t)};function jt(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach((function(t){var n=t.replace(/\+/g," ").split("="),s=Dt(n.shift()),i=n.length>0?Dt(n.join("=")):null;void 0===e[s]?e[s]=i:Array.isArray(e[s])?e[s].push(i):e[s]=[e[s],i]})),e):e}function zt(t){var e=t?Object.keys(t).map((function(e){var n=t[e];if(void 0===n)return"";if(null===n)return Ot(e);if(Array.isArray(n)){var s=[];return n.forEach((function(t){void 0!==t&&(null===t?s.push(Ot(e)):s.push(Ot(e)+"="+Ot(t)))})),s.join("&")}return Ot(e)+"="+Ot(n)})).filter((function(t){return t.length>0})).join("&"):null;return e?"?"+e:""}var Mt=/\/?$/;function Rt(t,e,n,s){var i=s&&s.options.stringifyQuery,r=e.query||{};try{r=Vt(r)}catch(t){}var o={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:r,params:e.params||{},fullPath:Ht(e,i),matched:t?qt(t):[]};return n&&(o.redirectedFrom=Ht(n,i)),Object.freeze(o)}function Vt(t){if(Array.isArray(t))return t.map(Vt);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=Vt(t[n]);return e}return t}var $t=Rt(null,{path:"/"});function qt(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function Ht(t,e){var n=t.path,s=t.query;void 0===s&&(s={});var i=t.hash;return void 0===i&&(i=""),(n||"/")+(e||zt)(s)+i}function Wt(t,e,n){return e===$t?t===e:!!e&&(t.path&&e.path?t.path.replace(Mt,"")===e.path.replace(Mt,"")&&(n||t.hash===e.hash&&Gt(t.query,e.query)):!(!t.name||!e.name)&&t.name===e.name&&(n||t.hash===e.hash&&Gt(t.query,e.query)&&Gt(t.params,e.params)))}function Gt(t,e){if(void 0===t&&(t={}),void 0===e&&(e={}),!t||!e)return t===e;var n=Object.keys(t).sort(),s=Object.keys(e).sort();return n.length===s.length&&n.every((function(n,i){var r=t[n];if(s[i]!==n)return!1;var o=e[n];return null==r||null==o?r===o:"object"==typeof r&&"object"==typeof o?Gt(r,o):String(r)===String(o)}))}function Yt(t){for(var e=0;e<t.matched.length;e++){var n=t.matched[e];for(var s in n.instances){var i=n.instances[s],r=n.enteredCbs[s];if(i&&r){delete n.enteredCbs[s];for(var o=0;o<r.length;o++)i._isBeingDestroyed||r[o](i)}}}}var Kt={name:"RouterView",functional:!0,props:{name:{type:String,default:"default"}},render:function(t,e){var n=e.props,s=e.children,i=e.parent,r=e.data;r.routerView=!0;for(var o=i.$createElement,a=n.name,l=i.$route,c=i._routerViewCache||(i._routerViewCache={}),d=0,u=!1;i&&i._routerRoot!==i;){var m=i.$vnode?i.$vnode.data:{};m.routerView&&d++,m.keepAlive&&i._directInactive&&i._inactive&&(u=!0),i=i.$parent}if(r.routerViewDepth=d,u){var p=c[a],f=p&&p.component;return f?(p.configProps&&Qt(f,r,p.route,p.configProps),o(f,r,s)):o()}var g=l.matched[d],h=g&&g.components[a];if(!g||!h)return c[a]=null,o();c[a]={component:h},r.registerRouteInstance=function(t,e){var n=g.instances[a];(e&&n!==t||!e&&n===t)&&(g.instances[a]=e)},(r.hook||(r.hook={})).prepatch=function(t,e){g.instances[a]=e.componentInstance},r.hook.init=function(t){t.data.keepAlive&&t.componentInstance&&t.componentInstance!==g.instances[a]&&(g.instances[a]=t.componentInstance),Yt(l)};var v=g.props&&g.props[a];return v&&(Ft(c[a],{route:l,configProps:v}),Qt(h,r,l,v)),o(h,r,s)}};function Qt(t,e,n,s){var i=e.props=function(t,e){switch(typeof e){case"undefined":return;case"object":return e;case"function":return e(t);case"boolean":return e?t.params:void 0}}(n,s);if(i){i=e.props=Ft({},i);var r=e.attrs=e.attrs||{};for(var o in i)t.props&&o in t.props||(r[o]=i[o],delete i[o])}}function Xt(t,e,n){var s=t.charAt(0);if("/"===s)return t;if("?"===s||"#"===s)return e+t;var i=e.split("/");n&&i[i.length-1]||i.pop();for(var r=t.replace(/^\//,"").split("/"),o=0;o<r.length;o++){var a=r[o];".."===a?i.pop():"."!==a&&i.push(a)}return""!==i[0]&&i.unshift(""),i.join("/")}function Jt(t){return t.replace(/\/(?:\s*\/)+/g,"/")}var Zt=Array.isArray||function(t){return"[object Array]"==Object.prototype.toString.call(t)},te=function t(e,n,s){return Zt(n)||(s=n||s,n=[]),s=s||{},e instanceof RegExp?function(t,e){var n=t.source.match(/\((?!\?)/g);if(n)for(var s=0;s<n.length;s++)e.push({name:s,prefix:null,delimiter:null,optional:!1,repeat:!1,partial:!1,asterisk:!1,pattern:null});return de(t,e)}(e,n):Zt(e)?function(e,n,s){for(var i=[],r=0;r<e.length;r++)i.push(t(e[r],n,s).source);return de(new RegExp("(?:"+i.join("|")+")",ue(s)),n)}(e,n,s):function(t,e,n){return me(re(t,n),e,n)}(e,n,s)},ee=re,ne=ae,se=me,ie=new RegExp(["(\\\\.)","([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))"].join("|"),"g");function re(t,e){for(var n,s=[],i=0,r=0,o="",a=e&&e.delimiter||"/";null!=(n=ie.exec(t));){var l=n[0],c=n[1],d=n.index;if(o+=t.slice(r,d),r=d+l.length,c)o+=c[1];else{var u=t[r],m=n[2],p=n[3],f=n[4],g=n[5],h=n[6],v=n[7];o&&(s.push(o),o="");var A=null!=m&&null!=u&&u!==m,w="+"===h||"*"===h,y="?"===h||"*"===h,b=n[2]||a,C=f||g;s.push({name:p||i++,prefix:m||"",delimiter:b,optional:y,repeat:w,partial:A,asterisk:!!v,pattern:C?ce(C):v?".*":"[^"+le(b)+"]+?"})}}return r<t.length&&(o+=t.substr(r)),o&&s.push(o),s}function oe(t){return encodeURI(t).replace(/[\/?#]/g,(function(t){return"%"+t.charCodeAt(0).toString(16).toUpperCase()}))}function ae(t,e){for(var n=new Array(t.length),s=0;s<t.length;s++)"object"==typeof t[s]&&(n[s]=new RegExp("^(?:"+t[s].pattern+")$",ue(e)));return function(e,s){for(var i="",r=e||{},o=(s||{}).pretty?oe:encodeURIComponent,a=0;a<t.length;a++){var l=t[a];if("string"!=typeof l){var c,d=r[l.name];if(null==d){if(l.optional){l.partial&&(i+=l.prefix);continue}throw new TypeError('Expected "'+l.name+'" to be defined')}if(Zt(d)){if(!l.repeat)throw new TypeError('Expected "'+l.name+'" to not repeat, but received `'+JSON.stringify(d)+"`");if(0===d.length){if(l.optional)continue;throw new TypeError('Expected "'+l.name+'" to not be empty')}for(var u=0;u<d.length;u++){if(c=o(d[u]),!n[a].test(c))throw new TypeError('Expected all "'+l.name+'" to match "'+l.pattern+'", but received `'+JSON.stringify(c)+"`");i+=(0===u?l.prefix:l.delimiter)+c}}else{if(c=l.asterisk?encodeURI(d).replace(/[?#]/g,(function(t){return"%"+t.charCodeAt(0).toString(16).toUpperCase()})):o(d),!n[a].test(c))throw new TypeError('Expected "'+l.name+'" to match "'+l.pattern+'", but received "'+c+'"');i+=l.prefix+c}}else i+=l}return i}}function le(t){return t.replace(/([.+*?=^!:${}()[\]|\/\\])/g,"\\$1")}function ce(t){return t.replace(/([=!:$\/()])/g,"\\$1")}function de(t,e){return t.keys=e,t}function ue(t){return t&&t.sensitive?"":"i"}function me(t,e,n){Zt(e)||(n=e||n,e=[]);for(var s=(n=n||{}).strict,i=!1!==n.end,r="",o=0;o<t.length;o++){var a=t[o];if("string"==typeof a)r+=le(a);else{var l=le(a.prefix),c="(?:"+a.pattern+")";e.push(a),a.repeat&&(c+="(?:"+l+c+")*"),r+=c=a.optional?a.partial?l+"("+c+")?":"(?:"+l+"("+c+"))?":l+"("+c+")"}}var d=le(n.delimiter||"/"),u=r.slice(-d.length)===d;return s||(r=(u?r.slice(0,-d.length):r)+"(?:"+d+"(?=$))?"),r+=i?"$":s&&u?"":"(?="+d+"|$)",de(new RegExp("^"+r,ue(n)),e)}te.parse=ee,te.compile=function(t,e){return ae(re(t,e),e)},te.tokensToFunction=ne,te.tokensToRegExp=se;var pe=Object.create(null);function fe(t,e,n){e=e||{};try{var s=pe[t]||(pe[t]=te.compile(t));return"string"==typeof e.pathMatch&&(e[0]=e.pathMatch),s(e,{pretty:!0})}catch(t){return""}finally{delete e[0]}}function ge(t,e,n,s){var i="string"==typeof t?{path:t}:t;if(i._normalized)return i;if(i.name){var r=(i=Ft({},t)).params;return r&&"object"==typeof r&&(i.params=Ft({},r)),i}if(!i.path&&i.params&&e){(i=Ft({},i))._normalized=!0;var o=Ft(Ft({},e.params),i.params);if(e.name)i.name=e.name,i.params=o;else if(e.matched.length){var a=e.matched[e.matched.length-1].path;i.path=fe(a,o,e.path)}return i}var l=function(t){var e="",n="",s=t.indexOf("#");s>=0&&(e=t.slice(s),t=t.slice(0,s));var i=t.indexOf("?");return i>=0&&(n=t.slice(i+1),t=t.slice(0,i)),{path:t,query:n,hash:e}}(i.path||""),c=e&&e.path||"/",d=l.path?Xt(l.path,c,n||i.append):c,u=function(t,e,n){void 0===e&&(e={});var s,i=n||jt;try{s=i(t||"")}catch(t){s={}}for(var r in e){var o=e[r];s[r]=Array.isArray(o)?o.map(Ut):Ut(o)}return s}(l.query,i.query,s&&s.options.parseQuery),m=i.hash||l.hash;return m&&"#"!==m.charAt(0)&&(m="#"+m),{_normalized:!0,path:d,query:u,hash:m}}var he,ve=function(){},Ae={name:"RouterLink",props:{to:{type:[String,Object],required:!0},tag:{type:String,default:"a"},custom:Boolean,exact:Boolean,exactPath:Boolean,append:Boolean,replace:Boolean,activeClass:String,exactActiveClass:String,ariaCurrentValue:{type:String,default:"page"},event:{type:[String,Array],default:"click"}},render:function(t){var e=this,n=this.$router,s=this.$route,i=n.resolve(this.to,s,this.append),r=i.location,o=i.route,a=i.href,l={},c=n.options.linkActiveClass,d=n.options.linkExactActiveClass,u=null==c?"router-link-active":c,m=null==d?"router-link-exact-active":d,p=null==this.activeClass?u:this.activeClass,f=null==this.exactActiveClass?m:this.exactActiveClass,g=o.redirectedFrom?Rt(null,ge(o.redirectedFrom),null,n):o;l[f]=Wt(s,g,this.exactPath),l[p]=this.exact||this.exactPath?l[f]:function(t,e){return 0===t.path.replace(Mt,"/").indexOf(e.path.replace(Mt,"/"))&&(!e.hash||t.hash===e.hash)&&function(t,e){for(var n in e)if(!(n in t))return!1;return!0}(t.query,e.query)}(s,g);var h=l[f]?this.ariaCurrentValue:null,v=function(t){we(t)&&(e.replace?n.replace(r,ve):n.push(r,ve))},A={click:we};Array.isArray(this.event)?this.event.forEach((function(t){A[t]=v})):A[this.event]=v;var w={class:l},y=!this.$scopedSlots.$hasNormal&&this.$scopedSlots.default&&this.$scopedSlots.default({href:a,route:o,navigate:v,isActive:l[p],isExactActive:l[f]});if(y){if(1===y.length)return y[0];if(y.length>1||!y.length)return 0===y.length?t():t("span",{},y)}if("a"===this.tag)w.on=A,w.attrs={href:a,"aria-current":h};else{var b=ye(this.$slots.default);if(b){b.isStatic=!1;var C=b.data=Ft({},b.data);for(var x in C.on=C.on||{},C.on){var _=C.on[x];x in A&&(C.on[x]=Array.isArray(_)?_:[_])}for(var T in A)T in C.on?C.on[T].push(A[T]):C.on[T]=v;var k=b.data.attrs=Ft({},b.data.attrs);k.href=a,k["aria-current"]=h}else w.on=A}return t(this.tag,w,this.$slots.default)}};function we(t){if(!(t.metaKey||t.altKey||t.ctrlKey||t.shiftKey||t.defaultPrevented||void 0!==t.button&&0!==t.button)){if(t.currentTarget&&t.currentTarget.getAttribute){var e=t.currentTarget.getAttribute("target");if(/\b_blank\b/i.test(e))return}return t.preventDefault&&t.preventDefault(),!0}}function ye(t){if(t)for(var e,n=0;n<t.length;n++){if("a"===(e=t[n]).tag)return e;if(e.children&&(e=ye(e.children)))return e}}var be="undefined"!=typeof window;function Ce(t,e,n,s,i){var r=e||[],o=n||Object.create(null),a=s||Object.create(null);t.forEach((function(t){xe(r,o,a,t,i)}));for(var l=0,c=r.length;l<c;l++)"*"===r[l]&&(r.push(r.splice(l,1)[0]),c--,l--);return{pathList:r,pathMap:o,nameMap:a}}function xe(t,e,n,s,i,r){var o=s.path,a=s.name,l=s.pathToRegexpOptions||{},c=function(t,e,n){return n||(t=t.replace(/\/$/,"")),"/"===t[0]||null==e?t:Jt(e.path+"/"+t)}(o,i,l.strict);"boolean"==typeof s.caseSensitive&&(l.sensitive=s.caseSensitive);var d={path:c,regex:_e(c,l),components:s.components||{default:s.component},alias:s.alias?"string"==typeof s.alias?[s.alias]:s.alias:[],instances:{},enteredCbs:{},name:a,parent:i,matchAs:r,redirect:s.redirect,beforeEnter:s.beforeEnter,meta:s.meta||{},props:null==s.props?{}:s.components?s.props:{default:s.props}};if(s.children&&s.children.forEach((function(s){var i=r?Jt(r+"/"+s.path):void 0;xe(t,e,n,s,d,i)})),e[d.path]||(t.push(d.path),e[d.path]=d),void 0!==s.alias)for(var u=Array.isArray(s.alias)?s.alias:[s.alias],m=0;m<u.length;++m){var p={path:u[m],children:s.children};xe(t,e,n,p,i,d.path||"/")}a&&(n[a]||(n[a]=d))}function _e(t,e){return te(t,[],e)}function Te(t,e){var n=Ce(t),s=n.pathList,i=n.pathMap,r=n.nameMap;function o(t,n,o){var l=ge(t,n,!1,e),c=l.name;if(c){var d=r[c];if(!d)return a(null,l);var u=d.regex.keys.filter((function(t){return!t.optional})).map((function(t){return t.name}));if("object"!=typeof l.params&&(l.params={}),n&&"object"==typeof n.params)for(var m in n.params)!(m in l.params)&&u.indexOf(m)>-1&&(l.params[m]=n.params[m]);return l.path=fe(d.path,l.params),a(d,l,o)}if(l.path){l.params={};for(var p=0;p<s.length;p++){var f=s[p],g=i[f];if(ke(g.regex,l.path,l.params))return a(g,l,o)}}return a(null,l)}function a(t,n,s){return t&&t.redirect?function(t,n){var s=t.redirect,i="function"==typeof s?s(Rt(t,n,null,e)):s;if("string"==typeof i&&(i={path:i}),!i||"object"!=typeof i)return a(null,n);var l=i,c=l.name,d=l.path,u=n.query,m=n.hash,p=n.params;if(u=l.hasOwnProperty("query")?l.query:u,m=l.hasOwnProperty("hash")?l.hash:m,p=l.hasOwnProperty("params")?l.params:p,c)return r[c],o({_normalized:!0,name:c,query:u,hash:m,params:p},void 0,n);if(d){var f=function(t,e){return Xt(t,e.parent?e.parent.path:"/",!0)}(d,t);return o({_normalized:!0,path:fe(f,p),query:u,hash:m},void 0,n)}return a(null,n)}(t,s||n):t&&t.matchAs?function(t,e,n){var s=o({_normalized:!0,path:fe(n,e.params)});if(s){var i=s.matched,r=i[i.length-1];return e.params=s.params,a(r,e)}return a(null,e)}(0,n,t.matchAs):Rt(t,n,s,e)}return{match:o,addRoute:function(t,e){var n="object"!=typeof t?r[t]:void 0;Ce([e||t],s,i,r,n),n&&n.alias.length&&Ce(n.alias.map((function(t){return{path:t,children:[e]}})),s,i,r,n)},getRoutes:function(){return s.map((function(t){return i[t]}))},addRoutes:function(t){Ce(t,s,i,r)}}}function ke(t,e,n){var s=e.match(t);if(!s)return!1;if(!n)return!0;for(var i=1,r=s.length;i<r;++i){var o=t.keys[i-1];o&&(n[o.name||"pathMatch"]="string"==typeof s[i]?Dt(s[i]):s[i])}return!0}var Ee=be&&window.performance&&window.performance.now?window.performance:Date;function Se(){return Ee.now().toFixed(3)}var Le=Se();function Ne(){return Le}function Fe(t){return Le=t}var Ie=Object.create(null);function Pe(){"scrollRestoration"in window.history&&(window.history.scrollRestoration="manual");var t=window.location.protocol+"//"+window.location.host,e=window.location.href.replace(t,""),n=Ft({},window.history.state);return n.key=Ne(),window.history.replaceState(n,"",e),window.addEventListener("popstate",De),function(){window.removeEventListener("popstate",De)}}function Be(t,e,n,s){if(t.app){var i=t.options.scrollBehavior;i&&t.app.$nextTick((function(){var r=function(){var t=Ne();if(t)return Ie[t]}(),o=i.call(t,e,n,s?r:null);o&&("function"==typeof o.then?o.then((function(t){Re(t,r)})).catch((function(t){})):Re(o,r))}))}}function Oe(){var t=Ne();t&&(Ie[t]={x:window.pageXOffset,y:window.pageYOffset})}function De(t){Oe(),t.state&&t.state.key&&Fe(t.state.key)}function Ue(t){return ze(t.x)||ze(t.y)}function je(t){return{x:ze(t.x)?t.x:window.pageXOffset,y:ze(t.y)?t.y:window.pageYOffset}}function ze(t){return"number"==typeof t}var Me=/^#\d/;function Re(t,e){var n,s="object"==typeof t;if(s&&"string"==typeof t.selector){var i=Me.test(t.selector)?document.getElementById(t.selector.slice(1)):document.querySelector(t.selector);if(i){var r=t.offset&&"object"==typeof t.offset?t.offset:{};e=function(t,e){var n=document.documentElement.getBoundingClientRect(),s=t.getBoundingClientRect();return{x:s.left-n.left-e.x,y:s.top-n.top-e.y}}(i,r={x:ze((n=r).x)?n.x:0,y:ze(n.y)?n.y:0})}else Ue(t)&&(e=je(t))}else s&&Ue(t)&&(e=je(t));e&&("scrollBehavior"in document.documentElement.style?window.scrollTo({left:e.x,top:e.y,behavior:t.behavior}):window.scrollTo(e.x,e.y))}var Ve,$e=be&&(-1===(Ve=window.navigator.userAgent).indexOf("Android 2.")&&-1===Ve.indexOf("Android 4.0")||-1===Ve.indexOf("Mobile Safari")||-1!==Ve.indexOf("Chrome")||-1!==Ve.indexOf("Windows Phone"))&&window.history&&"function"==typeof window.history.pushState;function qe(t,e){Oe();var n=window.history;try{if(e){var s=Ft({},n.state);s.key=Ne(),n.replaceState(s,"",t)}else n.pushState({key:Fe(Se())},"",t)}catch(n){window.location[e?"replace":"assign"](t)}}function He(t){qe(t,!0)}var We={redirected:2,aborted:4,cancelled:8,duplicated:16};function Ge(t,e){return Ye(t,e,We.cancelled,'Navigation cancelled from "'+t.fullPath+'" to "'+e.fullPath+'" with a new navigation.')}function Ye(t,e,n,s){var i=new Error(s);return i._isRouter=!0,i.from=t,i.to=e,i.type=n,i}var Ke=["params","query","hash"];function Qe(t){return Object.prototype.toString.call(t).indexOf("Error")>-1}function Xe(t,e){return Qe(t)&&t._isRouter&&(null==e||t.type===e)}function Je(t,e,n){var s=function(i){i>=t.length?n():t[i]?e(t[i],(function(){s(i+1)})):s(i+1)};s(0)}function Ze(t,e){return tn(t.map((function(t){return Object.keys(t.components).map((function(n){return e(t.components[n],t.instances[n],t,n)}))})))}function tn(t){return Array.prototype.concat.apply([],t)}var en="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;function nn(t){var e=!1;return function(){for(var n=[],s=arguments.length;s--;)n[s]=arguments[s];if(!e)return e=!0,t.apply(this,n)}}var sn=function(t,e){this.router=t,this.base=function(t){if(!t)if(be){var e=document.querySelector("base");t=(t=e&&e.getAttribute("href")||"/").replace(/^https?:\/\/[^\/]+/,"")}else t="/";return"/"!==t.charAt(0)&&(t="/"+t),t.replace(/\/$/,"")}(e),this.current=$t,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[],this.listeners=[]};function rn(t,e,n,s){var i=Ze(t,(function(t,s,i,r){var o=function(t,e){return"function"!=typeof t&&(t=he.extend(t)),t.options[e]}(t,e);if(o)return Array.isArray(o)?o.map((function(t){return n(t,s,i,r)})):n(o,s,i,r)}));return tn(s?i.reverse():i)}function on(t,e){if(e)return function(){return t.apply(e,arguments)}}sn.prototype.listen=function(t){this.cb=t},sn.prototype.onReady=function(t,e){this.ready?t():(this.readyCbs.push(t),e&&this.readyErrorCbs.push(e))},sn.prototype.onError=function(t){this.errorCbs.push(t)},sn.prototype.transitionTo=function(t,e,n){var s,i=this;try{s=this.router.match(t,this.current)}catch(t){throw this.errorCbs.forEach((function(e){e(t)})),t}var r=this.current;this.confirmTransition(s,(function(){i.updateRoute(s),e&&e(s),i.ensureURL(),i.router.afterHooks.forEach((function(t){t&&t(s,r)})),i.ready||(i.ready=!0,i.readyCbs.forEach((function(t){t(s)})))}),(function(t){n&&n(t),t&&!i.ready&&(Xe(t,We.redirected)&&r===$t||(i.ready=!0,i.readyErrorCbs.forEach((function(e){e(t)}))))}))},sn.prototype.confirmTransition=function(t,e,n){var s=this,i=this.current;this.pending=t;var r,o,a=function(t){!Xe(t)&&Qe(t)&&(s.errorCbs.length?s.errorCbs.forEach((function(e){e(t)})):Nt.error(t)),n&&n(t)},l=t.matched.length-1,c=i.matched.length-1;if(Wt(t,i)&&l===c&&t.matched[l]===i.matched[c])return this.ensureURL(),t.hash&&Be(this.router,i,t,!1),a(((o=Ye(r=i,t,We.duplicated,'Avoided redundant navigation to current location: "'+r.fullPath+'".')).name="NavigationDuplicated",o));var d,u=function(t,e){var n,s=Math.max(t.length,e.length);for(n=0;n<s&&t[n]===e[n];n++);return{updated:e.slice(0,n),activated:e.slice(n),deactivated:t.slice(n)}}(this.current.matched,t.matched),m=u.updated,p=u.deactivated,f=u.activated,g=[].concat(function(t){return rn(t,"beforeRouteLeave",on,!0)}(p),this.router.beforeHooks,function(t){return rn(t,"beforeRouteUpdate",on)}(m),f.map((function(t){return t.beforeEnter})),(d=f,function(t,e,n){var s=!1,i=0,r=null;Ze(d,(function(t,e,o,a){if("function"==typeof t&&void 0===t.cid){s=!0,i++;var l,c=nn((function(e){var s;((s=e).__esModule||en&&"Module"===s[Symbol.toStringTag])&&(e=e.default),t.resolved="function"==typeof e?e:he.extend(e),o.components[a]=e,--i<=0&&n()})),d=nn((function(t){var e="Failed to resolve async component "+a+": "+t;r||(r=Qe(t)?t:new Error(e),n(r))}));try{l=t(c,d)}catch(t){d(t)}if(l)if("function"==typeof l.then)l.then(c,d);else{var u=l.component;u&&"function"==typeof u.then&&u.then(c,d)}}})),s||n()})),h=function(e,n){if(s.pending!==t)return a(Ge(i,t));try{e(t,i,(function(e){!1===e?(s.ensureURL(!0),a(function(t,e){return Ye(t,e,We.aborted,'Navigation aborted from "'+t.fullPath+'" to "'+e.fullPath+'" via a navigation guard.')}(i,t))):Qe(e)?(s.ensureURL(!0),a(e)):"string"==typeof e||"object"==typeof e&&("string"==typeof e.path||"string"==typeof e.name)?(a(function(t,e){return Ye(t,e,We.redirected,'Redirected when going from "'+t.fullPath+'" to "'+function(t){if("string"==typeof t)return t;if("path"in t)return t.path;var e={};return Ke.forEach((function(n){n in t&&(e[n]=t[n])})),JSON.stringify(e,null,2)}(e)+'" via a navigation guard.')}(i,t)),"object"==typeof e&&e.replace?s.replace(e):s.push(e)):n(e)}))}catch(t){a(t)}};Je(g,h,(function(){var n=function(t){return rn(t,"beforeRouteEnter",(function(t,e,n,s){return function(t,e,n){return function(s,i,r){return t(s,i,(function(t){"function"==typeof t&&(e.enteredCbs[n]||(e.enteredCbs[n]=[]),e.enteredCbs[n].push(t)),r(t)}))}}(t,n,s)}))}(f);Je(n.concat(s.router.resolveHooks),h,(function(){if(s.pending!==t)return a(Ge(i,t));s.pending=null,e(t),s.router.app&&s.router.app.$nextTick((function(){Yt(t)}))}))}))},sn.prototype.updateRoute=function(t){this.current=t,this.cb&&this.cb(t)},sn.prototype.setupListeners=function(){},sn.prototype.teardown=function(){this.listeners.forEach((function(t){t()})),this.listeners=[],this.current=$t,this.pending=null};var an=function(t){function e(e,n){t.call(this,e,n),this._startLocation=ln(this.base)}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.setupListeners=function(){var t=this;if(!(this.listeners.length>0)){var e=this.router,n=e.options.scrollBehavior,s=$e&&n;s&&this.listeners.push(Pe());var i=function(){var n=t.current,i=ln(t.base);t.current===$t&&i===t._startLocation||t.transitionTo(i,(function(t){s&&Be(e,t,n,!0)}))};window.addEventListener("popstate",i),this.listeners.push((function(){window.removeEventListener("popstate",i)}))}},e.prototype.go=function(t){window.history.go(t)},e.prototype.push=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){qe(Jt(s.base+t.fullPath)),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){He(Jt(s.base+t.fullPath)),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.ensureURL=function(t){if(ln(this.base)!==this.current.fullPath){var e=Jt(this.base+this.current.fullPath);t?qe(e):He(e)}},e.prototype.getCurrentLocation=function(){return ln(this.base)},e}(sn);function ln(t){var e=window.location.pathname,n=e.toLowerCase(),s=t.toLowerCase();return!t||n!==s&&0!==n.indexOf(Jt(s+"/"))||(e=e.slice(t.length)),(e||"/")+window.location.search+window.location.hash}var cn=function(t){function e(e,n,s){t.call(this,e,n),s&&function(t){var e=ln(t);if(!/^\/#/.test(e))return window.location.replace(Jt(t+"/#"+e)),!0}(this.base)||dn()}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.setupListeners=function(){var t=this;if(!(this.listeners.length>0)){var e=this.router.options.scrollBehavior,n=$e&&e;n&&this.listeners.push(Pe());var s=function(){var e=t.current;dn()&&t.transitionTo(un(),(function(s){n&&Be(t.router,s,e,!0),$e||fn(s.fullPath)}))},i=$e?"popstate":"hashchange";window.addEventListener(i,s),this.listeners.push((function(){window.removeEventListener(i,s)}))}},e.prototype.push=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){pn(t.fullPath),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){fn(t.fullPath),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.go=function(t){window.history.go(t)},e.prototype.ensureURL=function(t){var e=this.current.fullPath;un()!==e&&(t?pn(e):fn(e))},e.prototype.getCurrentLocation=function(){return un()},e}(sn);function dn(){var t=un();return"/"===t.charAt(0)||(fn("/"+t),!1)}function un(){var t=window.location.href,e=t.indexOf("#");return e<0?"":t=t.slice(e+1)}function mn(t){var e=window.location.href,n=e.indexOf("#");return(n>=0?e.slice(0,n):e)+"#"+t}function pn(t){$e?qe(mn(t)):window.location.hash=t}function fn(t){$e?He(mn(t)):window.location.replace(mn(t))}var gn=function(t){function e(e,n){t.call(this,e,n),this.stack=[],this.index=-1}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.push=function(t,e,n){var s=this;this.transitionTo(t,(function(t){s.stack=s.stack.slice(0,s.index+1).concat(t),s.index++,e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var s=this;this.transitionTo(t,(function(t){s.stack=s.stack.slice(0,s.index).concat(t),e&&e(t)}),n)},e.prototype.go=function(t){var e=this,n=this.index+t;if(!(n<0||n>=this.stack.length)){var s=this.stack[n];this.confirmTransition(s,(function(){var t=e.current;e.index=n,e.updateRoute(s),e.router.afterHooks.forEach((function(e){e&&e(s,t)}))}),(function(t){Xe(t,We.duplicated)&&(e.index=n)}))}},e.prototype.getCurrentLocation=function(){var t=this.stack[this.stack.length-1];return t?t.fullPath:"/"},e.prototype.ensureURL=function(){},e}(sn),hn=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=Te(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!$e&&!1!==t.fallback,this.fallback&&(e="hash"),be||(e="abstract"),this.mode=e,e){case"history":this.history=new an(this,t.base);break;case"hash":this.history=new cn(this,t.base,this.fallback);break;case"abstract":this.history=new gn(this,t.base)}},vn={currentRoute:{configurable:!0}};hn.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},vn.currentRoute.get=function(){return this.history&&this.history.current},hn.prototype.init=function(t){var e=this;if(this.apps.push(t),t.$once("hook:destroyed",(function(){var n=e.apps.indexOf(t);n>-1&&e.apps.splice(n,1),e.app===t&&(e.app=e.apps[0]||null),e.app||e.history.teardown()})),!this.app){this.app=t;var n=this.history;if(n instanceof an||n instanceof cn){var s=function(t){n.setupListeners(),function(t){var s=n.current,i=e.options.scrollBehavior;$e&&i&&"fullPath"in t&&Be(e,t,s,!1)}(t)};n.transitionTo(n.getCurrentLocation(),s,s)}n.listen((function(t){e.apps.forEach((function(e){e._route=t}))}))}},hn.prototype.beforeEach=function(t){return wn(this.beforeHooks,t)},hn.prototype.beforeResolve=function(t){return wn(this.resolveHooks,t)},hn.prototype.afterEach=function(t){return wn(this.afterHooks,t)},hn.prototype.onReady=function(t,e){this.history.onReady(t,e)},hn.prototype.onError=function(t){this.history.onError(t)},hn.prototype.push=function(t,e,n){var s=this;if(!e&&!n&&"undefined"!=typeof Promise)return new Promise((function(e,n){s.history.push(t,e,n)}));this.history.push(t,e,n)},hn.prototype.replace=function(t,e,n){var s=this;if(!e&&!n&&"undefined"!=typeof Promise)return new Promise((function(e,n){s.history.replace(t,e,n)}));this.history.replace(t,e,n)},hn.prototype.go=function(t){this.history.go(t)},hn.prototype.back=function(){this.go(-1)},hn.prototype.forward=function(){this.go(1)},hn.prototype.getMatchedComponents=function(t){var e=t?t.matched?t:this.resolve(t).route:this.currentRoute;return e?[].concat.apply([],e.matched.map((function(t){return Object.keys(t.components).map((function(e){return t.components[e]}))}))):[]},hn.prototype.resolve=function(t,e,n){var s=ge(t,e=e||this.history.current,n,this),i=this.match(s,e),r=i.redirectedFrom||i.fullPath,o=function(t,e,n){var s="hash"===n?"#"+e:e;return t?Jt(t+"/"+s):s}(this.history.base,r,this.mode);return{location:s,route:i,href:o,normalizedTo:s,resolved:i}},hn.prototype.getRoutes=function(){return this.matcher.getRoutes()},hn.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==$t&&this.history.transitionTo(this.history.getCurrentLocation())},hn.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==$t&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(hn.prototype,vn);var An=hn;function wn(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}hn.install=function t(e){if(!t.installed||he!==e){t.installed=!0,he=e;var n=function(t){return void 0!==t},s=function(t,e){var s=t.$options._parentVnode;n(s)&&n(s=s.data)&&n(s=s.registerRouteInstance)&&s(t,e)};e.mixin({beforeCreate:function(){n(this.$options.router)?(this._routerRoot=this,this._router=this.$options.router,this._router.init(this),e.util.defineReactive(this,"_route",this._router.history.current)):this._routerRoot=this.$parent&&this.$parent._routerRoot||this,s(this,this)},destroyed:function(){s(this)}}),Object.defineProperty(e.prototype,"$router",{get:function(){return this._routerRoot._router}}),Object.defineProperty(e.prototype,"$route",{get:function(){return this._routerRoot._route}}),e.component("RouterView",Kt),e.component("RouterLink",Ae);var i=e.config.optionMergeStrategies;i.beforeRouteEnter=i.beforeRouteLeave=i.beforeRouteUpdate=i.created}},hn.version="3.6.5",hn.isNavigationFailure=Xe,hn.NavigationFailureType=We,hn.START_LOCATION=$t,be&&window.Vue&&window.Vue.use(hn),st.Ay.use(An);const yn=An.prototype.push;An.prototype.push=function(t,e,n){return e||n?yn.call(this,t,e,n):yn.call(this,t).catch((t=>t))};const bn=new An({mode:"history",base:(0,rt.Jv)("/apps/files"),linkActiveClass:"active",routes:[{path:"/",redirect:{name:"filelist",params:{view:"files"}}},{path:"/:view/:fileid(\\d+)?",name:"filelist",props:!0}],stringifyQuery(t){const e=Lt.stringify(t).replace(/%2F/gim,"/");return e?"?"+e:""}});function Cn(t,e,n){return(e=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(e))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}var xn=s(96763);var _n=s(22378),Tn=s(61338),kn=s(53334);const En={name:"CogIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}};var Sn=s(14486);const Ln=(0,Sn.A)(En,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon cog-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M12,15.5A3.5,3.5 0 0,1 8.5,12A3.5,3.5 0 0,1 12,8.5A3.5,3.5 0 0,1 15.5,12A3.5,3.5 0 0,1 12,15.5M19.43,12.97C19.47,12.65 19.5,12.33 19.5,12C19.5,11.67 19.47,11.34 19.43,11L21.54,9.37C21.73,9.22 21.78,8.95 21.66,8.73L19.66,5.27C19.54,5.05 19.27,4.96 19.05,5.05L16.56,6.05C16.04,5.66 15.5,5.32 14.87,5.07L14.5,2.42C14.46,2.18 14.25,2 14,2H10C9.75,2 9.54,2.18 9.5,2.42L9.13,5.07C8.5,5.32 7.96,5.66 7.44,6.05L4.95,5.05C4.73,4.96 4.46,5.05 4.34,5.27L2.34,8.73C2.21,8.95 2.27,9.22 2.46,9.37L4.57,11C4.53,11.34 4.5,11.67 4.5,12C4.5,12.33 4.53,12.65 4.57,12.97L2.46,14.63C2.27,14.78 2.21,15.05 2.34,15.27L4.34,18.73C4.46,18.95 4.73,19.03 4.95,18.95L7.44,17.94C7.96,18.34 8.5,18.68 9.13,18.93L9.5,21.58C9.54,21.82 9.75,22 10,22H14C14.25,22 14.46,21.82 14.5,21.58L14.87,18.93C15.5,18.67 16.04,18.34 16.56,17.94L19.05,18.95C19.27,19.03 19.54,18.95 19.66,18.73L21.66,15.27C21.78,15.05 21.73,14.78 21.54,14.63L19.43,12.97Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Nn=s(42530),Fn=s(52439),In=s(6695),Pn=s(38613),Bn=s(26287);const On=(0,Pn.C)("files","viewConfigs",{}),Dn=function(){const t=tt("viewconfig",{state:()=>({viewConfig:On}),getters:{getConfig:t=>e=>t.viewConfig[e]||{}},actions:{onUpdate(t,e,n){this.viewConfig[t]||st.Ay.set(this.viewConfig,t,{}),st.Ay.set(this.viewConfig[t],e,n)},async update(t,e,n){Bn.A.put((0,rt.Jv)("/apps/files/api/v1/views/".concat(t,"/").concat(e)),{value:n}),(0,Tn.Ic)("files:viewconfig:updated",{view:t,key:e,value:n})},setSortingBy(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"basename",e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"files";this.update(e,"sorting_mode",t),this.update(e,"sorting_direction","asc")},toggleSortingDirection(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"files";const e="asc"===(this.getConfig(t)||{sorting_direction:"asc"}).sorting_direction?"desc":"asc";this.update(t,"sorting_direction",e)}}}),e=t(...arguments);return e._initialized||((0,Tn.B1)("files:viewconfig:updated",(function(t){let{view:n,key:s,value:i}=t;e.onUpdate(n,s,i)})),e._initialized=!0),e},Un=(0,s(53529).YK)().setApp("files").detectUser().build();function jn(t,e,n){var s,i=n||{},r=i.noTrailing,o=void 0!==r&&r,a=i.noLeading,l=void 0!==a&&a,c=i.debounceMode,d=void 0===c?void 0:c,u=!1,m=0;function p(){s&&clearTimeout(s)}function f(){for(var n=arguments.length,i=new Array(n),r=0;r<n;r++)i[r]=arguments[r];var a=this,c=Date.now()-m;function f(){m=Date.now(),e.apply(a,i)}function g(){s=void 0}u||(l||!d||s||f(),p(),void 0===d&&c>t?l?(m=Date.now(),o||(s=setTimeout(d?g:f,t))):f():!0!==o&&(s=setTimeout(d?g:f,void 0===d?t-c:t)))}return f.cancel=function(t){var e=(t||{}).upcomingOnly,n=void 0!==e&&e;p(),u=!n},f}var zn=s(85168);const Mn={name:"ChartPieIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Rn=(0,Sn.A)(Mn,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon chart-pie-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M11,2V22C5.9,21.5 2,17.2 2,12C2,6.8 5.9,2.5 11,2M13,2V11H22C21.5,6.2 17.8,2.5 13,2M13,13V22C17.7,21.5 21.5,17.8 22,13H13Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Vn=s(95101);const $n={name:"NavigationQuota",components:{ChartPie:Rn,NcAppNavigationItem:Fn.A,NcProgressBar:Vn.A},data:()=>({loadingStorageStats:!1,storageStats:(0,Pn.C)("files","storageStats",null)}),computed:{storageStatsTitle(){var t,e,n;const s=(0,et.v7)(null===(t=this.storageStats)||void 0===t?void 0:t.used,!1,!1),i=(0,et.v7)(null===(e=this.storageStats)||void 0===e?void 0:e.quota,!1,!1);return(null===(n=this.storageStats)||void 0===n?void 0:n.quota)<0?this.t("files","{usedQuotaByte} used",{usedQuotaByte:s}):this.t("files","{used} of {quota} used",{used:s,quota:i})},storageStatsTooltip(){return this.storageStats.relative?this.t("files","{relative}% used",this.storageStats):""}},beforeMount(){setInterval(this.throttleUpdateStorageStats,6e4),(0,Tn.B1)("files:node:created",this.throttleUpdateStorageStats),(0,Tn.B1)("files:node:deleted",this.throttleUpdateStorageStats),(0,Tn.B1)("files:node:moved",this.throttleUpdateStorageStats),(0,Tn.B1)("files:node:updated",this.throttleUpdateStorageStats)},mounted(){var t,e;(null===(t=this.storageStats)||void 0===t?void 0:t.quota)>0&&(null===(e=this.storageStats)||void 0===e?void 0:e.free)<=0&&this.showStorageFullWarning()},methods:{debounceUpdateStorageStats:(qn={}.atBegin,jn(200,(function(t){this.updateStorageStats(t)}),{debounceMode:!1!==(void 0!==qn&&qn)})),throttleUpdateStorageStats:jn(1e3,(function(t){this.updateStorageStats(t)})),async updateStorageStats(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;if(!this.loadingStorageStats){this.loadingStorageStats=!0;try{var n,s,i,r;const t=await Bn.A.get((0,rt.Jv)("/apps/files/api/v1/stats"));if(null==t||null===(n=t.data)||void 0===n||!n.data)throw new Error("Invalid storage stats");(null===(s=this.storageStats)||void 0===s?void 0:s.free)>0&&(null===(i=t.data.data)||void 0===i?void 0:i.free)<=0&&(null===(r=t.data.data)||void 0===r?void 0:r.quota)>0&&this.showStorageFullWarning(),this.storageStats=t.data.data}catch(n){Un.error("Could not refresh storage stats",{error:n}),e&&(0,zn.Qg)(t("files","Could not refresh storage stats"))}finally{this.loadingStorageStats=!1}}},showStorageFullWarning(){(0,zn.Qg)(this.t("files","Your storage is full, files can not be updated or synced anymore!"))},t:kn.Tl}};var qn,Hn=s(85072),Wn=s.n(Hn),Gn=s(97825),Yn=s.n(Gn),Kn=s(77659),Qn=s.n(Kn),Xn=s(55056),Jn=s.n(Xn),Zn=s(10540),ts=s.n(Zn),es=s(41113),ns=s.n(es),ss=s(33149),is={};is.styleTagTransform=ns(),is.setAttributes=Jn(),is.insert=Qn().bind(null,"head"),is.domAPI=Yn(),is.insertStyleElement=ts(),Wn()(ss.A,is),ss.A&&ss.A.locals&&ss.A.locals;const rs=(0,Sn.A)($n,(function(){var t=this,e=t._self._c;return t.storageStats?e("NcAppNavigationItem",{staticClass:"app-navigation-entry__settings-quota",class:{"app-navigation-entry__settings-quota--not-unlimited":t.storageStats.quota>=0},attrs:{"aria-label":t.t("files","Storage informations"),loading:t.loadingStorageStats,name:t.storageStatsTitle,title:t.storageStatsTooltip,"data-cy-files-navigation-settings-quota":""},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.debounceUpdateStorageStats.apply(null,arguments)}}},[e("ChartPie",{attrs:{slot:"icon",size:20},slot:"icon"}),t._v(" "),t.storageStats.quota>=0?e("NcProgressBar",{attrs:{slot:"extra",error:t.storageStats.relative>80,value:Math.min(t.storageStats.relative,100)},slot:"extra"}):t._e()],1):t._e()}),[],!1,null,"063ed938",null).exports;var os=s(89902),as=s(947),ls=s(32073);const cs={name:"ClipboardIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ds=(0,Sn.A)(cs,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon clipboard-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M19,3H14.82C14.4,1.84 13.3,1 12,1C10.7,1 9.6,1.84 9.18,3H5A2,2 0 0,0 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5A2,2 0 0,0 19,3M12,3A1,1 0 0,1 13,4A1,1 0 0,1 12,5A1,1 0 0,1 11,4A1,1 0 0,1 12,3"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var us=s(44492);const ms={name:"Setting",props:{el:{type:Function,required:!0}},mounted(){this.$el.appendChild(this.el())}},ps=(0,Sn.A)(ms,(function(){return(0,this._self._c)("div")}),[],!1,null,null,null).exports,fs=(0,Pn.C)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,sort_folders_first:!0,grid_view:!1}),gs=function(){const t=tt("userconfig",{state:()=>({userConfig:fs}),actions:{onUpdate(t,e){st.Ay.set(this.userConfig,t,e)},async update(t,e){await Bn.A.put((0,rt.Jv)("/apps/files/api/v1/config/"+t),{value:e}),(0,Tn.Ic)("files:config:updated",{key:t,value:e})}}})(...arguments);return t._initialized||((0,Tn.B1)("files:config:updated",(function(e){let{key:n,value:s}=e;t.onUpdate(n,s)})),t._initialized=!0),t},hs={name:"Settings",components:{Clipboard:ds,NcAppSettingsDialog:os.N,NcAppSettingsSection:as.A,NcCheckboxRadioSwitch:ls.A,NcInputField:us.A,Setting:ps},props:{open:{type:Boolean,default:!1}},setup:()=>({userConfigStore:gs()}),data(){var t,e,n;return{settings:(null===(t=window.OCA)||void 0===t||null===(t=t.Files)||void 0===t||null===(t=t.Settings)||void 0===t?void 0:t.settings)||[],webdavUrl:(0,rt.dC)("dav/files/"+encodeURIComponent(null===(e=(0,nt.HW)())||void 0===e?void 0:e.uid)),webdavDocs:"https://docs.nextcloud.com/server/stable/go.php?to=user-webdav",appPasswordUrl:(0,rt.Jv)("/settings/user/security#generate-app-token-section"),webdavUrlCopied:!1,enableGridView:null===(n=(0,Pn.C)("core","config",[])["enable_non-accessible_features"])||void 0===n||n}},computed:{userConfig(){return this.userConfigStore.userConfig}},beforeMount(){this.settings.forEach((t=>t.open()))},beforeDestroy(){this.settings.forEach((t=>t.close()))},methods:{onClose(){this.$emit("close")},setConfig(t,e){this.userConfigStore.update(t,e)},async copyCloudId(){document.querySelector("input#webdav-url-input").select(),navigator.clipboard?(await navigator.clipboard.writeText(this.webdavUrl),this.webdavUrlCopied=!0,(0,zn.Te)(t("files","WebDAV URL copied to clipboard")),setTimeout((()=>{this.webdavUrlCopied=!1}),5e3)):(0,zn.Qg)(t("files","Clipboard is not available"))},t:kn.Tl}},vs=hs;var As=s(83331),ws={};ws.styleTagTransform=ns(),ws.setAttributes=Jn(),ws.insert=Qn().bind(null,"head"),ws.domAPI=Yn(),ws.insertStyleElement=ts(),Wn()(As.A,ws),As.A&&As.A.locals&&As.A.locals;const ys=(0,Sn.A)(vs,(function(){var t=this,e=t._self._c;return e("NcAppSettingsDialog",{attrs:{"data-cy-files-navigation-settings":"",open:t.open,"show-navigation":!0,name:t.t("files","Files settings")},on:{"update:open":t.onClose}},[e("NcAppSettingsSection",{attrs:{id:"settings",name:t.t("files","Files settings")}},[e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"sort_favorites_first",checked:t.userConfig.sort_favorites_first},on:{"update:checked":function(e){return t.setConfig("sort_favorites_first",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Sort favorites first"))+"\n\t\t")]),t._v(" "),e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"sort_folders_first",checked:t.userConfig.sort_folders_first},on:{"update:checked":function(e){return t.setConfig("sort_folders_first",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Sort folders before files"))+"\n\t\t")]),t._v(" "),e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"show_hidden",checked:t.userConfig.show_hidden},on:{"update:checked":function(e){return t.setConfig("show_hidden",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Show hidden files"))+"\n\t\t")]),t._v(" "),e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"crop_image_previews",checked:t.userConfig.crop_image_previews},on:{"update:checked":function(e){return t.setConfig("crop_image_previews",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Crop image previews"))+"\n\t\t")]),t._v(" "),t.enableGridView?e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"grid_view",checked:t.userConfig.grid_view},on:{"update:checked":function(e){return t.setConfig("grid_view",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Enable the grid view"))+"\n\t\t")]):t._e()],1),t._v(" "),0!==t.settings.length?e("NcAppSettingsSection",{attrs:{id:"more-settings",name:t.t("files","Additional settings")}},[t._l(t.settings,(function(t){return[e("Setting",{key:t.name,attrs:{el:t.el}})]}))],2):t._e(),t._v(" "),e("NcAppSettingsSection",{attrs:{id:"webdav",name:t.t("files","WebDAV")}},[e("NcInputField",{attrs:{id:"webdav-url-input",label:t.t("files","WebDAV URL"),"show-trailing-button":!0,success:t.webdavUrlCopied,"trailing-button-label":t.t("files","Copy to clipboard"),value:t.webdavUrl,readonly:"readonly",type:"url"},on:{focus:function(t){return t.target.select()},"trailing-button-click":t.copyCloudId},scopedSlots:t._u([{key:"trailing-button-icon",fn:function(){return[e("Clipboard",{attrs:{size:20}})]},proxy:!0}])}),t._v(" "),e("em",[e("a",{staticClass:"setting-link",attrs:{href:t.webdavDocs,target:"_blank",rel:"noreferrer noopener"}},[t._v("\n\t\t\t\t"+t._s(t.t("files","Use this address to access your Files via WebDAV"))+" ↗\n\t\t\t")])]),t._v(" "),e("br"),t._v(" "),e("em",[e("a",{staticClass:"setting-link",attrs:{href:t.appPasswordUrl}},[t._v("\n\t\t\t\t"+t._s(t.t("files","If you have enabled 2FA, you must create and use a new app password by clicking here."))+" ↗\n\t\t\t")])])],1)],1)}),[],!1,null,"109572de",null).exports,bs={name:"Navigation",components:{Cog:Ln,NavigationQuota:rs,NcAppNavigation:Nn.A,NcAppNavigationItem:Fn.A,NcIconSvgWrapper:In.A,SettingsModal:ys},setup:()=>({viewConfigStore:Dn()}),data:()=>({settingsOpened:!1}),computed:{currentViewId(){var t;return(null===(t=this.$route)||void 0===t||null===(t=t.params)||void 0===t?void 0:t.view)||"files"},currentView(){return this.views.find((t=>t.id===this.currentViewId))},views(){return this.$navigation.views},parentViews(){return this.views.filter((t=>!t.parent)).sort(((t,e)=>t.order-e.order))},childViews(){return this.views.filter((t=>!!t.parent)).reduce(((t,e)=>(t[e.parent]=[...t[e.parent]||[],e],t[e.parent].sort(((t,e)=>t.order-e.order)),t)),{})}},watch:{currentView(t,e){t.id!==(null==e?void 0:e.id)&&(this.$navigation.setActive(t),Un.debug("Navigation changed",{id:t.id,view:t}),this.showView(t))}},beforeMount(){this.currentView&&(Un.debug("Navigation mounted. Showing requested view",{view:this.currentView}),this.showView(this.currentView))},methods:{useExactRouteMatching(t){var e;return(null===(e=this.childViews[t.id])||void 0===e?void 0:e.length)>0},showView(t){var e,n;null===(e=window)||void 0===e||null===(e=e.OCA)||void 0===e||null===(e=e.Files)||void 0===e||null===(e=e.Sidebar)||void 0===e||null===(n=e.close)||void 0===n||n.call(e),this.$navigation.setActive(t),(0,Tn.Ic)("files:navigation:changed",t)},onToggleExpand(t){const e=this.isExpanded(t);t.expanded=!e,this.viewConfigStore.update(t.id,"expanded",!e)},isExpanded(t){var e;return"boolean"==typeof(null===(e=this.viewConfigStore.getConfig(t.id))||void 0===e?void 0:e.expanded)?!0===this.viewConfigStore.getConfig(t.id).expanded:!0===t.expanded},generateToNavigation(t){if(t.params){const{dir:e}=t.params;return{name:"filelist",params:t.params,query:{dir:e}}}return{name:"filelist",params:{view:t.id}}},openSettings(){this.settingsOpened=!0},onSettingsClose(){this.settingsOpened=!1},t:kn.Tl}};var Cs=s(59062),xs={};xs.styleTagTransform=ns(),xs.setAttributes=Jn(),xs.insert=Qn().bind(null,"head"),xs.domAPI=Yn(),xs.insertStyleElement=ts(),Wn()(Cs.A,xs),Cs.A&&Cs.A.locals&&Cs.A.locals;const _s=(0,Sn.A)(bs,(function(){var t=this,e=t._self._c;return e("NcAppNavigation",{attrs:{"data-cy-files-navigation":"","aria-label":t.t("files","Files")},scopedSlots:t._u([{key:"list",fn:function(){return t._l(t.parentViews,(function(n){return e("NcAppNavigationItem",{key:n.id,attrs:{"allow-collapse":!0,"data-cy-files-navigation-item":n.id,exact:t.useExactRouteMatching(n),icon:n.iconClass,name:n.name,open:t.isExpanded(n),pinned:n.sticky,to:t.generateToNavigation(n)},on:{"update:open":function(e){return t.onToggleExpand(n)}}},[n.icon?e("NcIconSvgWrapper",{attrs:{slot:"icon",svg:n.icon},slot:"icon"}):t._e(),t._v(" "),t._l(t.childViews[n.id],(function(n){return e("NcAppNavigationItem",{key:n.id,attrs:{"data-cy-files-navigation-item":n.id,"exact-path":!0,icon:n.iconClass,name:n.name,to:t.generateToNavigation(n)}},[n.icon?e("NcIconSvgWrapper",{attrs:{slot:"icon",svg:n.icon},slot:"icon"}):t._e()],1)}))],2)}))},proxy:!0},{key:"footer",fn:function(){return[e("ul",{staticClass:"app-navigation-entry__settings"},[e("NavigationQuota"),t._v(" "),e("NcAppNavigationItem",{attrs:{"aria-label":t.t("files","Open the files app settings"),name:t.t("files","Files settings"),"data-cy-files-navigation-settings-button":""},on:{click:function(e){return e.preventDefault(),e.stopPropagation(),t.openSettings.apply(null,arguments)}}},[e("Cog",{attrs:{slot:"icon",size:20},slot:"icon"})],1)],1)]},proxy:!0}])},[t._v(" "),t._v(" "),e("SettingsModal",{attrs:{open:t.settingsOpened,"data-cy-files-navigation-settings":""},on:{close:t.onSettingsClose}})],1)}),[],!1,null,"8291caa8",null).exports;var Ts=s(87485),ks=s(43627),Es=function(t,e){return t<e?-1:t>e?1:0},Ss=function(t,e){var n=t.localeCompare(e);return n?n/Math.abs(n):0},Ls=/(^0x[\da-fA-F]+$|^([+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?(?!\.\d+)(?=\D|\s|$))|\d+)/g,Ns=/^\s+|\s+$/g,Fs=/\s+/g,Is=/^[+-]?(?:\d+(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+)?$/,Ps=/(^([\w ]+,?[\w ]+)?[\w ]+,?[\w ]+\d+:\d+(:\d+)?[\w ]?|^\d{1,4}[/-]\d{1,4}[/-]\d{1,4}|^\w+, \w+ \d+, \d{4})/,Bs=/^0+[1-9]{1}[0-9]*$/,Os=/[^\x00-\x80]/,Ds=function(t,e){return t<e?-1:t>e?1:0},Us=function(t){return t.replace(Fs," ").replace(Ns,"")},js=function(t){if(0!==t.length){var e=Number(t);if(!Number.isNaN(e))return e}},zs=function(t,e,n){if(Is.test(t)&&(!Bs.test(t)||0===e||"."!==n[e-1]))return js(t)||0},Ms=function(t,e,n){return{parsedNumber:zs(t,e,n),normalizedString:Us(t)}},Rs=function(t){var e=function(t){return t.replace(Ls,"\0$1\0").replace(/\0$/,"").replace(/^\0/,"").split("\0")}(t).map(Ms);return e},Vs=function(t){return"function"==typeof t},$s=function(t){return Number.isNaN(t)||t instanceof Number&&Number.isNaN(t.valueOf())},qs=function(t){return null===t},Hs=function(t){return!(null===t||"object"!=typeof t||Array.isArray(t)||t instanceof Number||t instanceof String||t instanceof Boolean||t instanceof Date)},Ws=function(t){return"symbol"==typeof t},Gs=function(t){return void 0===t},Ys=function(t){if("string"==typeof t||t instanceof String||("number"==typeof t||t instanceof Number)&&!$s(t)||"boolean"==typeof t||t instanceof Boolean||t instanceof Date){var e=function(t){return"boolean"==typeof t||t instanceof Boolean?Number(t).toString():"number"==typeof t||t instanceof Number?t.toString():t instanceof Date?t.getTime().toString():"string"==typeof t||t instanceof String?t.toLowerCase().replace(Ns,""):""}(t),n=function(t){var e=js(t);return void 0!==e?e:function(t){try{var e=Date.parse(t);return!Number.isNaN(e)&&Ps.test(t)?e:void 0}catch(t){return}}(t)}(e);return{parsedNumber:n,chunks:Rs(n?""+n:e),value:t}}return{isArray:Array.isArray(t),isFunction:Vs(t),isNaN:$s(t),isNull:qs(t),isObject:Hs(t),isSymbol:Ws(t),isUndefined:Gs(t),value:t}},Ks=function(t){return"function"==typeof t?t:function(e){if(Array.isArray(e)){var n=Number(t);if(Number.isInteger(n))return e[n]}else if(e&&"object"==typeof e){var s=Object.getOwnPropertyDescriptor(e,t);return null==s?void 0:s.value}return e}};function Qs(t,e,n){if(!t||!Array.isArray(t))return[];var s=function(t){if(!t)return[];var e=Array.isArray(t)?[].concat(t):[t];return e.some((function(t){return"string"!=typeof t&&"number"!=typeof t&&"function"!=typeof t}))?[]:e}(e),i=function(t){if(!t)return[];var e=Array.isArray(t)?[].concat(t):[t];return e.some((function(t){return"asc"!==t&&"desc"!==t&&"function"!=typeof t}))?[]:e}(n);return function(t,e,n){var s=e.length?e.map(Ks):[function(t){return t}],i=t.map((function(t,e){return{index:e,values:s.map((function(e){return e(t)})).map(Ys)}}));return i.sort((function(t,e){return function(t,e,n){for(var s=t.index,i=t.values,r=e.index,o=e.values,a=i.length,l=n.length,c=0;c<a;c++){var d=c<l?n[c]:null;if(d&&"function"==typeof d){var u=d(i[c].value,o[c].value);if(u)return u}else{var m=(p=i[c],f=o[c],p.value===f.value?0:void 0!==p.parsedNumber&&void 0!==f.parsedNumber?Es(p.parsedNumber,f.parsedNumber):p.chunks&&f.chunks?function(t,e){for(var n=t.length,s=e.length,i=Math.min(n,s),r=0;r<i;r++){var o=t[r],a=e[r];if(o.normalizedString!==a.normalizedString){if(""===o.normalizedString!=(""===a.normalizedString))return""===o.normalizedString?-1:1;if(void 0!==o.parsedNumber&&void 0!==a.parsedNumber){var l=Es(o.parsedNumber,a.parsedNumber);return 0===l?Ds(o.normalizedString,a.normalizedString):l}return void 0!==o.parsedNumber||void 0!==a.parsedNumber?void 0!==o.parsedNumber?-1:1:Os.test(o.normalizedString+a.normalizedString)?Ss(o.normalizedString,a.normalizedString):Ds(o.normalizedString,a.normalizedString)}}return n>i||s>i?n<=i?-1:1:0}(p.chunks,f.chunks):function(t,e){return(t.chunks?!e.chunks:e.chunks)?t.chunks?-1:1:(t.isNaN?!e.isNaN:e.isNaN)?t.isNaN?-1:1:(t.isSymbol?!e.isSymbol:e.isSymbol)?t.isSymbol?-1:1:(t.isObject?!e.isObject:e.isObject)?t.isObject?-1:1:(t.isArray?!e.isArray:e.isArray)?t.isArray?-1:1:(t.isFunction?!e.isFunction:e.isFunction)?t.isFunction?-1:1:(t.isNull?!e.isNull:e.isNull)?t.isNull?-1:1:0}(p,f));if(m)return m*("desc"===d?-1:1)}}var p,f;return s-r}(t,e,n)})),i.map((function(e){return function(t,e){return t[e]}(t,e.index)}))}(t,s,i)}var Xs=s(38805),Js=s(52129),Zs=s(41261),ti=s(89979);const ei={name:"FormatListBulletedSquareIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ni=(0,Sn.A)(ei,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon format-list-bulleted-square-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M3,4H7V8H3V4M9,5V7H21V5H9M3,10H7V14H3V10M9,11V13H21V11H9M3,16H7V20H3V16M9,17V19H21V17H9"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var si=s(18195),ii=s(9518),ri=s(10833),oi=s(46222),ai=s(27577);const li={name:"AccountPlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ci=(0,Sn.A)(li,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon account-plus-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,di={name:"ViewGridIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ui=(0,Sn.A)(di,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon view-grid-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M3,11H11V3H3M3,21H11V13H3M13,21H21V13H13M13,3V11H21V3"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var mi=s(49981);const pi=new et.hY({id:"details",displayName:()=>(0,kn.Tl)("files","Open details"),iconSvgInline:()=>mi,enabled:t=>{var e,n,s;return 1===t.length&&!!t[0]&&!(null===(e=window)||void 0===e||null===(e=e.OCA)||void 0===e||null===(e=e.Files)||void 0===e||!e.Sidebar)&&null!==(n=(null===(s=t[0].root)||void 0===s?void 0:s.startsWith("/files/"))&&t[0].permissions!==et.aX.NONE)&&void 0!==n&&n},async exec(t,e,n){try{return await window.OCA.Files.Sidebar.open(t.path),window.OCP.Files.Router.goToRoute(null,{view:e.id,fileid:t.fileid},{dir:n},!0),null}catch(t){return Un.error("Error while opening sidebar",{error:t}),!1}},order:-50}),fi=function(){const t=tt("files",{state:()=>({files:{},roots:{}}),getters:{getNode:t=>e=>t.files[e],getNodes:t=>e=>e.map((e=>t.files[e])).filter(Boolean),getRoot:t=>e=>t.roots[e]},actions:{updateNodes(t){const e=t.reduce(((t,e)=>e.fileid?(t[e.fileid]=e,t):(Un.error("Trying to update/set a node without fileid",e),t)),{});st.Ay.set(this,"files",{...this.files,...e})},deleteNodes(t){t.forEach((t=>{t.fileid&&st.Ay.delete(this.files,t.fileid)}))},setRoot(t){let{service:e,root:n}=t;st.Ay.set(this.roots,e,n)},onDeletedNode(t){this.deleteNodes([t])},onCreatedNode(t){this.updateNodes([t])},onUpdatedNode(t){this.updateNodes([t])}}})(...arguments);return t._initialized||((0,Tn.B1)("files:node:created",t.onCreatedNode),(0,Tn.B1)("files:node:deleted",t.onDeletedNode),(0,Tn.B1)("files:node:updated",t.onUpdatedNode),t._initialized=!0),t},gi=function(){const t=fi(),e=tt("paths",{state:()=>({paths:{}}),getters:{getPath:t=>(e,n)=>{if(t.paths[e])return t.paths[e][n]}},actions:{addPath(t){this.paths[t.service]||st.Ay.set(this.paths,t.service,{}),st.Ay.set(this.paths[t.service],t.path,t.fileid)},onCreatedNode(e){var n;const s=(null===(n=(0,et.bh)())||void 0===n||null===(n=n.active)||void 0===n?void 0:n.id)||"files";if(e.fileid){if(e.type===et.pt.Folder&&this.addPath({service:s,path:e.path,fileid:e.fileid}),"/"===e.dirname){const n=t.getRoot(s);return n._children||st.Ay.set(n,"_children",[]),void n._children.push(e.fileid)}if(this.paths[s][e.dirname]){const n=this.paths[s][e.dirname],i=t.getNode(n);return Un.debug("Path already exists, updating children",{parentFolder:i,node:e}),i?(i._children||st.Ay.set(i,"_children",[]),void i._children.push(e.fileid)):void Un.error("Parent folder not found",{parentId:n})}Un.debug("Parent path does not exists, skipping children update",{node:e})}else Un.error("Node has no fileid",{node:e})}}})(...arguments);return e._initialized||((0,Tn.B1)("files:node:created",e.onCreatedNode),e._initialized=!0),e},hi=tt("selection",{state:()=>({selected:[],lastSelection:[],lastSelectedIndex:null}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];st.Ay.set(this,"selected",[...new Set(t)])},setLastIndex(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;st.Ay.set(this,"lastSelection",t?this.selected:[]),st.Ay.set(this,"lastSelectedIndex",t)},reset(){st.Ay.set(this,"selected",[]),st.Ay.set(this,"lastSelection",[]),st.Ay.set(this,"lastSelectedIndex",null)}}});let vi;const Ai=function(){return vi=(0,Zs.g)(),tt("uploader",{state:()=>({queue:vi.queue})})(...arguments)};var wi=s(91680),yi=s(49296),bi=s(71089),Ci=s(96763);class xi extends File{constructor(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];var n,s,i;super([],t,{type:"httpd/unix-directory"}),n=this,i=void 0,(s=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(s="_contents"))in n?Object.defineProperty(n,s,{value:i,enumerable:!0,configurable:!0,writable:!0}):n[s]=i,this._contents=e}set contents(t){this._contents=t}get contents(){return this._contents}get size(){return this._computeDirectorySize(this)}get lastModified(){return 0===this._contents.length?Date.now():this._computeDirectoryMtime(this)}_computeDirectoryMtime(t){return t.contents.reduce(((t,e)=>e.lastModified>t?e.lastModified:t),0)}_computeDirectorySize(t){return t.contents.reduce(((t,e)=>t+e.size),0)}}const _i=async t=>{if(t.isFile)return new Promise(((e,n)=>{t.file(e,n)}));Un.debug("Handling recursive file tree",{entry:t.name});const e=t,n=await Ti(e),s=(await Promise.all(n.map(_i))).flat();return new xi(e.name,s)},Ti=t=>{const e=t.createReader();return new Promise(((t,n)=>{const s=[],i=()=>{e.readEntries((e=>{e.length?(s.push(...e),i()):t(s)}),(t=>{n(t)}))};i()}))},ki=async t=>{const e=(0,et.H4)();if(!await e.exists(t)){Un.debug("Directory does not exist, creating it",{absolutePath:t}),await e.createDirectory(t,{recursive:!0});const n=await e.stat(t,{details:!0,data:(0,et.VL)()});(0,Tn.Ic)("files:node:created",(0,et.Al)(n.data))}},Ei=async(t,e,n)=>{try{const s=t.filter((t=>n.find((e=>e.basename===(t instanceof File?t.name:t.basename))))).filter(Boolean),i=t.filter((t=>!s.includes(t))),{selected:r,renamed:o}=await(0,Zs.o)(e.path,s,n);return Un.debug("Conflict resolution",{uploads:i,selected:r,renamed:o}),0===r.length&&0===o.length?((0,zn.cf)((0,kn.Tl)("files","Conflicts resolution skipped")),Un.info("User skipped the conflict resolution"),[]):[...i,...r,...o]}catch(t){Ci.error(t),(0,zn.Qg)((0,kn.Tl)("files","Upload cancelled")),Un.error("User cancelled the upload")}return[]};var Si=s(14456),Li={};Li.styleTagTransform=ns(),Li.setAttributes=Jn(),Li.insert=Qn().bind(null,"head"),Li.domAPI=Yn(),Li.insertStyleElement=ts(),Wn()(Si.A,Li),Si.A&&Si.A.locals&&Si.A.locals;var Ni=s(53110),Fi=s(36882),Ii=s(39285),Pi=s(49264);let Bi;const Oi=()=>(Bi||(Bi=new Pi.A({concurrency:3})),Bi);var Di;!function(t){t.MOVE="Move",t.COPY="Copy",t.MOVE_OR_COPY="move-or-copy"}(Di||(Di={}));const Ui=t=>!!(t.reduce(((t,e)=>Math.min(t,e.permissions)),et.aX.ALL)&et.aX.UPDATE),ji=t=>(t=>t.every((t=>{var e,n;return!JSON.parse(null!==(e=null===(n=t.attributes)||void 0===n?void 0:n["share-attributes"])&&void 0!==e?e:"[]").some((t=>"permissions"===t.scope&&!1===t.enabled&&"download"===t.key))})))(t);var zi,Mi=s(36117),Ri=s(44719),Vi=s(34515);const $i="/files/".concat(null===(zi=(0,nt.HW)())||void 0===zi?void 0:zi.uid),qi=(0,rt.dC)("dav"+$i),Hi=function(t){return t.split("").reduce((function(t,e){return 0|(t<<5)-t+e.charCodeAt(0)}),0)},Wi=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:qi;const e=(0,Ri.UU)(t,{headers:{requesttoken:(0,nt.do)()||""}});return(0,Ri.Gu)().patch("request",(t=>{var e;return null!==(e=t.headers)&&void 0!==e&&e.method&&(t.method=t.headers.method,delete t.headers.method),(0,Vi.E)(t)})),e}(),Gi=function(t){var e;const n=null===(e=(0,nt.HW)())||void 0===e?void 0:e.uid;if(!n)throw new Error("No user id found");const s=t.props,i=(0,et.vb)(null==s?void 0:s.permissions),r=(s["owner-id"]||n).toString(),o=(0,rt.dC)("dav"+$i+t.filename),a={id:(null==s?void 0:s.fileid)<0?Hi(o):(null==s?void 0:s.fileid)||0,source:o,mtime:new Date(t.lastmod),mime:t.mime||"application/octet-stream",size:(null==s?void 0:s.size)||0,permissions:i,owner:r,root:$i,attributes:{...t,...s,hasPreview:null==s?void 0:s["has-preview"],failed:(null==s?void 0:s.fileid)<0}};return delete a.attributes.props,"file"===t.type?new et.ZH(a):new et.vd(a)},Yi=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const e=new AbortController,n=(0,et.VL)();return new Mi.CancelablePromise((async(s,i,r)=>{r((()=>e.abort()));try{const i=await Wi.getDirectoryContents(t,{details:!0,data:n,includeSelf:!0,signal:e.signal}),r=i.data[0],o=i.data.slice(1);if(r.filename!==t)throw new Error("Root node does not match requested path");s({folder:Gi(r),contents:o.map((t=>{try{return Gi(t)}catch(e){return Un.error("Invalid node detected '".concat(t.basename,"'"),{error:e}),null}})).filter(Boolean)})}catch(t){i(t)}}))},Ki=t=>{const e=t.filter((t=>t.type===et.pt.File)).length,n=t.filter((t=>t.type===et.pt.Folder)).length;return 0===e?(0,kn.zw)("files","{folderCount} folder","{folderCount} folders",n,{folderCount:n}):0===n?(0,kn.zw)("files","{fileCount} file","{fileCount} files",e,{fileCount:e}):1===e?(0,kn.zw)("files","1 file and {folderCount} folder","1 file and {folderCount} folders",n,{folderCount:n}):1===n?(0,kn.zw)("files","{fileCount} file and 1 folder","{fileCount} files and 1 folder",e,{fileCount:e}):(0,kn.Tl)("files","{fileCount} files and {folderCount} folders",{fileCount:e,folderCount:n})},Qi=t=>Ui(t)?ji(t)?Di.MOVE_OR_COPY:Di.MOVE:Di.COPY,Xi=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return;if(e.type!==et.pt.Folder)throw new Error((0,kn.Tl)("files","Destination is not a folder"));if(n===Di.MOVE&&t.dirname===e.path)throw new Error((0,kn.Tl)("files","This file/folder is already in that directory"));if("".concat(e.path,"/").startsWith("".concat(t.path,"/")))throw new Error((0,kn.Tl)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));st.Ay.set(t,"status",et.zI.LOADING);const i=Oi();return await i.add((async()=>{const i=t=>1===t?(0,kn.Tl)("files","(copy)"):(0,kn.Tl)("files","(copy %n)",void 0,t);try{const r=(0,et.H4)(),o=(0,ks.join)(et.lJ,t.path),a=(0,ks.join)(et.lJ,e.path);if(n===Di.COPY){let n=t.basename;if(!s){const e=await r.getDirectoryContents(a);n=function(t,e){const n={suffix:t=>"(".concat(t,")"),ignoreFileExtension:!1,...arguments.length>2&&void 0!==arguments[2]?arguments[2]:{}};let s=t,i=1;for(;e.includes(s);){const e=n.ignoreFileExtension?"":(0,ks.extname)(t),r=(0,ks.basename)(t,e);s="".concat(r," ").concat(n.suffix(i++)).concat(e)}return s}(t.basename,e.map((t=>t.basename)),{suffix:i,ignoreFileExtension:t.type===et.pt.Folder})}if(await r.copyFile(o,(0,ks.join)(a,n)),t.dirname===e.path){const{data:t}=await r.stat((0,ks.join)(a,n),{details:!0,data:(0,et.VL)()});(0,Tn.Ic)("files:node:created",(0,et.Al)(t))}}else{const n=await Yi(e.path);if((0,Zs.h)([t],n.contents))try{const{selected:s,renamed:i}=await(0,Zs.o)(e.path,[t],n.contents);if(!s.length&&!i.length)return await r.deleteFile(o),void(0,Tn.Ic)("files:node:deleted",t)}catch(t){return void(0,zn.Qg)((0,kn.Tl)("files","Move cancelled"))}await r.moveFile(o,(0,ks.join)(a,t.basename)),(0,Tn.Ic)("files:node:deleted",t)}}catch(t){if(t instanceof Ni.pe){var r,o,a;if(412===(null==t||null===(r=t.response)||void 0===r?void 0:r.status))throw new Error((0,kn.Tl)("files","A file or folder with that name already exists in this folder"));if(423===(null==t||null===(o=t.response)||void 0===o?void 0:o.status))throw new Error((0,kn.Tl)("files","The files is locked"));if(404===(null==t||null===(a=t.response)||void 0===a?void 0:a.status))throw new Error((0,kn.Tl)("files","The file does not exist anymore"));if(t.message)throw new Error(t.message)}throw Un.debug(t),new Error}finally{st.Ay.set(t,"status",void 0)}}))},Ji=async function(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"/",n=arguments.length>2?arguments[2]:void 0;const s=n.map((t=>t.fileid)).filter(Boolean),i=(0,zn.a1)((0,kn.Tl)("files","Choose destination")).allowDirectories(!0).setFilter((t=>!!(t.permissions&et.aX.CREATE)&&!s.includes(t.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(e);return new Promise(((e,s)=>{i.setButtonFactory(((s,i)=>{const r=[],o=(0,ks.basename)(i),a=n.map((t=>t.dirname)),l=n.map((t=>t.path));return t!==Di.COPY&&t!==Di.MOVE_OR_COPY||r.push({label:o?(0,kn.Tl)("files","Copy to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,kn.Tl)("files","Copy"),type:"primary",icon:Fi,async callback(t){e({destination:t[0],action:Di.COPY})}}),a.includes(i)||l.includes(i)||t!==Di.MOVE&&t!==Di.MOVE_OR_COPY||r.push({label:o?(0,kn.Tl)("files","Move to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,kn.Tl)("files","Move"),type:t===Di.MOVE?"primary":"secondary",icon:Ii,async callback(t){e({destination:t[0],action:Di.MOVE})}}),r})),i.build().pick().catch((t=>{Un.debug(t),t instanceof zn.vT?s(new Error((0,kn.Tl)("files","Cancelled move or copy operation"))):s(new Error((0,kn.Tl)("files","Move or copy operation failed")))}))}))};new et.hY({id:"move-copy",displayName(t){switch(Qi(t)){case Di.MOVE:return(0,kn.Tl)("files","Move");case Di.COPY:return(0,kn.Tl)("files","Copy");case Di.MOVE_OR_COPY:return(0,kn.Tl)("files","Move or copy")}},iconSvgInline:()=>Ii,enabled:t=>!!t.every((t=>{var e;return null===(e=t.root)||void 0===e?void 0:e.startsWith("/files/")}))&&t.length>0&&(Ui(t)||ji(t)),async exec(t,e,n){const s=Qi([t]);let i;try{i=await Ji(s,n,[t])}catch(t){return Un.error(t),!1}try{return await Xi(t,i.destination,i.action),!0}catch(t){return!!(t instanceof Error&&t.message)&&((0,zn.Qg)(t.message),null)}},async execBatch(t,e,n){const s=Qi(t),i=await Ji(s,n,t),r=t.map((async t=>{try{return await Xi(t,i.destination,i.action),!0}catch(e){return Un.error("Failed to ".concat(i.action," node"),{node:t,error:e}),!1}}));return await Promise.all(r)},order:15});var Zi=s(96763);const tr=async t=>{const e=t.filter((t=>"file"===t.kind||(Un.debug("Skipping dropped item",{kind:t.kind,type:t.type}),!1))).map((t=>{var e,n,s,i;return null!==(e=null!==(n=null==t||null===(s=t.getAsEntry)||void 0===s?void 0:s.call(t))&&void 0!==n?n:null==t||null===(i=t.webkitGetAsEntry)||void 0===i?void 0:i.call(t))&&void 0!==e?e:t}));let n=!1;const s=new xi("root");for(const t of e)if(t instanceof DataTransferItem){Un.warn("Could not get FilesystemEntry of item, falling back to file");const e=t.getAsFile();if(null===e){Un.warn("Could not process DataTransferItem",{type:t.type,kind:t.kind}),(0,zn.Qg)((0,kn.Tl)("files","One of the dropped files could not be processed"));continue}if("httpd/unix-directory"===e.type||!e.type){n||(Un.warn("Browser does not support Filesystem API. Directories will not be uploaded"),(0,zn.I9)((0,kn.Tl)("files","Your browser does not support the Filesystem API. Directories will not be uploaded")),n=!0);continue}s.contents.push(e)}else try{s.contents.push(await _i(t))}catch(t){Un.error("Error while traversing file tree",{error:t})}return s},er=async(t,e,n)=>{const s=(0,Zs.g)();if(await(0,Zs.h)(t.contents,n)&&(t.contents=await Ei(t.contents,e,n)),0===t.contents.length)return Un.info("No files to upload",{root:t}),(0,zn.cf)((0,kn.Tl)("files","No files to upload")),[];Un.debug("Uploading files to ".concat(e.path),{root:t,contents:t.contents});const i=[],r=async(t,n)=>{for(const o of t.contents){const t=(0,ks.join)(n,o.name);if(o instanceof xi){const n=(0,bi.HS)(et.lJ,e.path,t);try{Zi.debug("Processing directory",{relativePath:t}),await ki(n),await r(o,t)}catch(t){(0,zn.Qg)((0,kn.Tl)("files","Unable to create the directory {directory}",{directory:o.name})),Un.error("",{error:t,absolutePath:n,directory:o})}}else Un.debug("Uploading file to "+(0,ks.join)(e.path,t),{file:o}),i.push(s.upload(t,o,e.source))}};s.pause(),await r(t,"/"),s.start();const o=(await Promise.allSettled(i)).filter((t=>"rejected"===t.status));return o.length>0?(Un.error("Error while uploading files",{errors:o}),(0,zn.Qg)((0,kn.Tl)("files","Some files could not be uploaded")),[]):(Un.debug("Files uploaded successfully"),(0,zn.Te)((0,kn.Tl)("files","Files uploaded successfully")),Promise.all(i))},nr=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const i=[];if(await(0,Zs.h)(t,n)&&(t=await Ei(t,e,n)),0===t.length)return Un.info("No files to process",{nodes:t}),void(0,zn.cf)((0,kn.Tl)("files","No files to process"));for(const n of t)st.Ay.set(n,"status",et.zI.LOADING),i.push(Xi(n,e,s?Di.COPY:Di.MOVE));const r=await Promise.allSettled(i);t.forEach((t=>st.Ay.set(t,"status",void 0)));const o=r.filter((t=>"rejected"===t.status));if(o.length>0)return Un.error("Error while copying or moving files",{errors:o}),void(0,zn.Qg)(s?(0,kn.Tl)("files","Some files could not be copied"):(0,kn.Tl)("files","Some files could not be moved"));Un.debug("Files copy/move successful"),(0,zn.Te)(s?(0,kn.Tl)("files","Files copied successfully"):(0,kn.Tl)("files","Files moved successfully"))},sr=tt("dragging",{state:()=>({dragging:[]}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];st.Ay.set(this,"dragging",t)},reset(){st.Ay.set(this,"dragging",[])}}}),ir=st.Ay.extend({data:()=>({filesListWidth:null}),mounted(){var t;const e=document.querySelector("#app-content-vue");this.filesListWidth=null!==(t=null==e?void 0:e.clientWidth)&&void 0!==t?t:null,this.$resizeObserver=new ResizeObserver((t=>{t.length>0&&t[0].target===e&&(this.filesListWidth=t[0].contentRect.width)})),this.$resizeObserver.observe(e)},beforeDestroy(){this.$resizeObserver.disconnect()}}),rr=(0,st.pM)({name:"BreadCrumbs",components:{NcBreadcrumbs:yi.N,NcBreadcrumb:wi.N,NcIconSvgWrapper:In.A},mixins:[ir],props:{path:{type:String,default:"/"}},setup:()=>({draggingStore:sr(),filesStore:fi(),pathsStore:gi(),selectionStore:hi(),uploaderStore:Ai()}),computed:{currentView(){return this.$navigation.active},dirs(){var t;return["/",...this.path.split("/").filter(Boolean).map((t="/",e=>t+="".concat(e,"/"))).map((t=>t.replace(/^(.+)\/$/,"$1")))]},sections(){return this.dirs.map(((t,e)=>{const n=this.getFileIdFromPath(t),s={...this.$route,params:{fileid:n},query:{dir:t}};return{dir:t,exact:!0,name:this.getDirDisplayName(t),to:s,disableDrop:e===this.dirs.length-1}}))},isUploadInProgress(){return 0!==this.uploaderStore.queue.length},wrapUploadProgressBar(){return this.isUploadInProgress&&this.filesListWidth<512},viewIcon(){var t,e;return null!==(t=null===(e=this.currentView)||void 0===e?void 0:e.icon)&&void 0!==t?t:'<svg xmlns="http://www.w3.org/2000/svg" id="mdi-home" viewBox="0 0 24 24"><path d="M10,20V14H14V20H19V12H22L12,3L2,12H5V20H10Z" /></svg>'},selectedFiles(){return this.selectionStore.selected},draggingFiles(){return this.draggingStore.dragging}},methods:{getNodeFromId(t){return this.filesStore.getNode(t)},getFileIdFromPath(t){return this.pathsStore.getPath(this.currentView.id,t)},getDirDisplayName(t){var e,n;if("/"===t)return(null===(n=this.$navigation)||void 0===n||null===(n=n.active)||void 0===n?void 0:n.name)||(0,kn.Tl)("files","Home");const s=this.getFileIdFromPath(t),i=s?this.getNodeFromId(s):void 0;return(null==i||null===(e=i.attributes)||void 0===e?void 0:e.displayName)||(0,ks.basename)(t)},onClick(t){var e;(null==t||null===(e=t.query)||void 0===e?void 0:e.dir)===this.$route.query.dir&&this.$emit("reload")},onDragOver(t,e){e!==this.dirs[this.dirs.length-1]?t.ctrlKey?t.dataTransfer.dropEffect="copy":t.dataTransfer.dropEffect="move":t.dataTransfer.dropEffect="none"},async onDrop(t,e){var n,s,i;if(!(this.draggingFiles||null!==(n=t.dataTransfer)&&void 0!==n&&null!==(n=n.items)&&void 0!==n&&n.length))return;t.preventDefault();const r=this.draggingFiles,o=[...(null===(s=t.dataTransfer)||void 0===s?void 0:s.items)||[]],a=await tr(o),l=await(null===(i=this.currentView)||void 0===i?void 0:i.getContents(e)),c=null==l?void 0:l.folder;if(!c)return void(0,zn.Qg)(this.t("files","Target folder does not exist any more"));const d=!!(c.permissions&et.aX.CREATE),u=t.ctrlKey;if(!d||0!==t.button)return;if(Un.debug("Dropped",{event:t,folder:c,selection:r,fileTree:a}),a.contents.length>0)return void await er(a,c,l.contents);const m=r.map((t=>this.filesStore.getNode(t)));await nr(m,c,l.contents,u),r.some((t=>this.selectedFiles.includes(t)))&&(Un.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},titleForSection(t,e){var n;return(null==e||null===(n=e.to)||void 0===n||null===(n=n.query)||void 0===n?void 0:n.dir)===this.$route.query.dir?(0,kn.Tl)("files","Reload current directory"):0===t?(0,kn.Tl)("files",'Go to the "{dir}" directory',e):null},ariaForSection(t){var e;return(null==t||null===(e=t.to)||void 0===e||null===(e=e.query)||void 0===e?void 0:e.dir)===this.$route.query.dir?(0,kn.Tl)("files","Reload current directory"):null},t:kn.Tl}});var or=s(86334),ar={};ar.styleTagTransform=ns(),ar.setAttributes=Jn(),ar.insert=Qn().bind(null,"head"),ar.domAPI=Yn(),ar.insertStyleElement=ts(),Wn()(or.A,ar),or.A&&or.A.locals&&or.A.locals;const lr=(0,Sn.A)(rr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcBreadcrumbs",{staticClass:"files-list__breadcrumbs",class:{"files-list__breadcrumbs--with-progress":t.wrapUploadProgressBar},attrs:{"data-cy-files-content-breadcrumbs":"","aria-label":t.t("files","Current directory path")},scopedSlots:t._u([{key:"actions",fn:function(){return[t._t("actions")]},proxy:!0}],null,!0)},t._l(t.sections,(function(n,s){return e("NcBreadcrumb",t._b({key:n.dir,attrs:{dir:"auto",to:n.to,"force-icon-text":0===s&&t.filesListWidth>=486,title:t.titleForSection(s,n),"aria-description":t.ariaForSection(n)},on:{drop:function(e){return t.onDrop(e,n.dir)}},nativeOn:{click:function(e){return t.onClick(n.to)},dragover:function(e){return t.onDragOver(e,n.dir)}},scopedSlots:t._u([0===s?{key:"icon",fn:function(){return[e("NcIconSvgWrapper",{attrs:{size:20,svg:t.viewIcon}})]},proxy:!0}:null],null,!0)},"NcBreadcrumb",n,!1))})),1)}),[],!1,null,"740bb6f2",null).exports;var cr=s(51651);const dr=tt("actionsmenu",{state:()=>({opened:null})}),ur=function(){const t=tt("renaming",{state:()=>({renamingNode:void 0,newName:""})})(...arguments);return t._initialized||((0,Tn.B1)("files:node:rename",(function(e){t.renamingNode=e,t.newName=e.basename})),t._initialized=!0),t};var mr=s(55042);const pr={name:"FileMultipleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},fr=(0,Sn.A)(pr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon file-multiple-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M15,7H20.5L15,1.5V7M8,0H16L22,6V18A2,2 0 0,1 20,20H8C6.89,20 6,19.1 6,18V2A2,2 0 0,1 8,0M4,4V22H20V24H4A2,2 0 0,1 2,22V4H4Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,gr={name:"FolderIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},hr=(0,Sn.A)(gr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon folder-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,vr=st.Ay.extend({name:"DragAndDropPreview",components:{FileMultipleIcon:fr,FolderIcon:hr},data:()=>({nodes:[]}),computed:{isSingleNode(){return 1===this.nodes.length},isSingleFolder(){return this.isSingleNode&&this.nodes[0].type===et.pt.Folder},name(){return this.size?"".concat(this.summary," – ").concat(this.size):this.summary},size(){const t=this.nodes.reduce(((t,e)=>t+e.size||0),0),e=parseInt(t,10)||0;return"number"!=typeof e||e<0?null:(0,et.v7)(e,!0)},summary(){if(this.isSingleNode){var t;const e=this.nodes[0];return(null===(t=e.attributes)||void 0===t?void 0:t.displayName)||e.basename}return Ki(this.nodes)}},methods:{update(t){this.nodes=t,this.$refs.previewImg.replaceChildren(),t.slice(0,3).forEach((t=>{const e=document.querySelector('[data-cy-files-list-row-fileid="'.concat(t.fileid,'"] .files-list__row-icon img'));e&&this.$refs.previewImg.appendChild(e.parentNode.cloneNode(!0))})),this.$nextTick((()=>{this.$emit("loaded",this.$el)}))}}}),Ar=vr;var wr=s(52608),yr={};yr.styleTagTransform=ns(),yr.setAttributes=Jn(),yr.insert=Qn().bind(null,"head"),yr.domAPI=Yn(),yr.insertStyleElement=ts(),Wn()(wr.A,yr),wr.A&&wr.A.locals&&wr.A.locals;const br=(0,Sn.A)(Ar,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list-drag-image"},[e("span",{staticClass:"files-list-drag-image__icon"},[e("span",{ref:"previewImg"}),t._v(" "),t.isSingleFolder?e("FolderIcon"):e("FileMultipleIcon")],1),t._v(" "),e("span",{staticClass:"files-list-drag-image__name"},[t._v(t._s(t.name))])])}),[],!1,null,null,null).exports,Cr=st.Ay.extend(br);let xr;st.Ay.directive("onClickOutside",mr.z0);const _r=(0,st.pM)({props:{source:{type:[et.vd,et.ZH,et.bP],required:!0},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},data:()=>({loading:"",dragover:!1,gridMode:!1}),computed:{currentView(){return this.$navigation.active},currentDir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t||null===(t=t.dir)||void 0===t?void 0:t.toString())||"/").replace(/^(.+)\/$/,"$1")},currentFileId(){var t,e;return(null===(t=this.$route.params)||void 0===t?void 0:t.fileid)||(null===(e=this.$route.query)||void 0===e?void 0:e.fileid)||null},fileid(){var t;return null===(t=this.source)||void 0===t?void 0:t.fileid},uniqueId(){return Hi(this.source.source)},isLoading(){return this.source.status===et.zI.LOADING},extension(){var t;return null!==(t=this.source.attributes)&&void 0!==t&&t.displayName?(0,ks.extname)(this.source.attributes.displayName):this.source.extension||""},displayName(){const t=this.extension,e=this.source.attributes.displayName||this.source.basename;return t?e.slice(0,0-t.length):e},draggingFiles(){return this.draggingStore.dragging},selectedFiles(){return this.selectionStore.selected},isSelected(){return this.fileid&&this.selectedFiles.includes(this.fileid)},isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},isActive(){var t,e,n,s;return(null===(t=this.fileid)||void 0===t||null===(e=t.toString)||void 0===e?void 0:e.call(t))===(null===(n=this.currentFileId)||void 0===n||null===(s=n.toString)||void 0===s?void 0:s.call(n))},canDrag(){if(this.isRenaming)return!1;const t=t=>!!((null==t?void 0:t.permissions)&et.aX.UPDATE);return this.selectedFiles.length>0?this.selectedFiles.map((t=>this.filesStore.getNode(t))).every(t):t(this.source)},canDrop(){return!(this.source.type!==et.pt.Folder||this.fileid&&this.draggingFiles.includes(this.fileid)||!(this.source.permissions&et.aX.CREATE))},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId.toString()},set(t){if(t){var e;const t=null===(e=this.$el)||void 0===e?void 0:e.closest("main.app-content");t.style.removeProperty("--mouse-pos-x"),t.style.removeProperty("--mouse-pos-y")}this.actionsMenuStore.opened=t?this.uniqueId.toString():null}}},watch:{source(t,e){t.source!==e.source&&this.resetState()}},beforeDestroy(){this.resetState()},methods:{resetState(){var t,e;this.loading="",null===(t=this.$refs)||void 0===t||null===(t=t.preview)||void 0===t||null===(e=t.reset)||void 0===e||e.call(t),this.openedMenu=!1},onRightClick(t){if(this.openedMenu)return;if(!this.gridMode){var e;const n=null===(e=this.$el)||void 0===e?void 0:e.closest("main.app-content"),s=n.getBoundingClientRect();n.style.setProperty("--mouse-pos-x",Math.max(0,t.clientX-s.left-200)+"px"),n.style.setProperty("--mouse-pos-y",Math.max(0,t.clientY-s.top)+"px")}const n=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&n?"global":this.uniqueId.toString(),t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey)return t.preventDefault(),window.open((0,rt.Jv)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){var e;t.preventDefault(),t.stopPropagation(),null!=pi&&null!==(e=pi.enabled)&&void 0!==e&&e.call(pi,[this.source],this.currentView)&&pi.exec(this.source,this.currentView,this.currentDir)},onDragOver(t){this.dragover=this.canDrop,this.canDrop?t.ctrlKey?t.dataTransfer.dropEffect="copy":t.dataTransfer.dropEffect="move":t.dataTransfer.dropEffect="none"},onDragLeave(t){const e=t.currentTarget;null!=e&&e.contains(t.relatedTarget)||(this.dragover=!1)},async onDragStart(t){var e,n,s;if(t.stopPropagation(),!this.canDrag||!this.fileid)return t.preventDefault(),void t.stopPropagation();Un.debug("Drag started",{event:t}),null===(e=t.dataTransfer)||void 0===e||null===(n=e.clearData)||void 0===n||n.call(e),this.renamingStore.$reset(),this.selectedFiles.includes(this.fileid)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.fileid]);const i=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),r=await(async t=>new Promise((e=>{xr||(xr=(new Cr).$mount(),document.body.appendChild(xr.$el)),xr.update(t),xr.$on("loaded",(()=>{e(xr.$el),xr.$off("loaded")}))})))(i);null===(s=t.dataTransfer)||void 0===s||s.setDragImage(r,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,Un.debug("Drag ended")},async onDrop(t){var e,n,s;if(!(this.draggingFiles||null!==(e=t.dataTransfer)&&void 0!==e&&null!==(e=e.items)&&void 0!==e&&e.length))return;t.preventDefault(),t.stopPropagation();const i=this.draggingFiles,r=[...(null===(n=t.dataTransfer)||void 0===n?void 0:n.items)||[]],o=await tr(r),a=await(null===(s=this.currentView)||void 0===s?void 0:s.getContents(this.source.path)),l=null==a?void 0:a.folder;if(!l)return void(0,zn.Qg)(this.t("files","Target folder does not exist any more"));if(!this.canDrop||t.button)return;const c=t.ctrlKey;if(this.dragover=!1,Un.debug("Dropped",{event:t,folder:l,selection:i,fileTree:o}),o.contents.length>0)return void await er(o,l,a.contents);const d=i.map((t=>this.filesStore.getNode(t)));await nr(d,l,a.contents,c),i.some((t=>this.selectedFiles.includes(t)))&&(Un.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:kn.Tl}});var Tr=s(4604);const kr={name:"CustomElementRender",props:{source:{type:Object,required:!0},currentView:{type:Object,required:!0},render:{type:Function,required:!0}},watch:{source(){this.updateRootElement()},currentView(){this.updateRootElement()}},mounted(){this.updateRootElement()},methods:{async updateRootElement(){const t=await this.render(this.source,this.currentView);t?this.$el.replaceChildren(t):this.$el.replaceChildren()}}},Er=(0,Sn.A)(kr,(function(){return(0,this._self._c)("span")}),[],!1,null,null,null).exports,Sr={name:"ArrowLeftIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Lr=(0,Sn.A)(Sr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon arrow-left-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M20,11V13H8L13.5,18.5L12.08,19.92L4.16,12L12.08,4.08L13.5,5.5L8,11H20Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Nr=s(63420),Fr=s(24764),Ir=s(10501);const Pr=(0,et.qK)(),Br=(0,st.pM)({name:"FileEntryActions",components:{ArrowLeftIcon:Lr,CustomElementRender:Er,NcActionButton:Nr.A,NcActions:Fr.A,NcActionSeparator:Ir.A,NcIconSvgWrapper:In.A,NcLoadingIcon:oi.A},props:{filesListWidth:{type:Number,required:!0},loading:{type:String,required:!0},opened:{type:Boolean,default:!1},source:{type:Object,required:!0},gridMode:{type:Boolean,default:!1}},data:()=>({openedSubmenu:null}),computed:{currentDir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t||null===(t=t.dir)||void 0===t?void 0:t.toString())||"/").replace(/^(.+)\/$/,"$1")},currentView(){return this.$navigation.active},isLoading(){return this.source.status===et.zI.LOADING},enabledActions(){return this.source.attributes.failed?[]:Pr.filter((t=>!t.enabled||t.enabled([this.source],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0)))},enabledInlineActions(){return this.filesListWidth<768||this.gridMode?[]:this.enabledActions.filter((t=>{var e;return null==t||null===(e=t.inline)||void 0===e?void 0:e.call(t,this.source,this.currentView)}))},enabledRenderActions(){return this.gridMode?[]:this.enabledActions.filter((t=>"function"==typeof t.renderInline))},enabledDefaultActions(){return this.enabledActions.filter((t=>!(null==t||!t.default)))},enabledMenuActions(){if(this.openedSubmenu)return this.enabledInlineActions;const t=[...this.enabledInlineActions,...this.enabledActions.filter((t=>t.default!==et.m9.HIDDEN&&"function"!=typeof t.renderInline))].filter(((t,e,n)=>e===n.findIndex((e=>e.id===t.id)))),e=t.filter((t=>!t.parent)).map((t=>t.id));return t.filter((t=>!(t.parent&&e.includes(t.parent))))},enabledSubmenuActions(){return this.enabledActions.filter((t=>t.parent)).reduce(((t,e)=>(t[e.parent]||(t[e.parent]=[]),t[e.parent].push(e),t)),{})},openedMenu:{get(){return this.opened},set(t){this.$emit("update:opened",t)}},getBoundariesElement:()=>document.querySelector(".app-content > .files-list"),mountType(){return this.source._attributes["mount-type"]}},methods:{actionDisplayName(t){if((this.gridMode||this.filesListWidth<768&&t.inline)&&"function"==typeof t.title){const e=t.title([this.source],this.currentView);if(e)return e}return t.displayName([this.source],this.currentView)},async onActionClick(t){let e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(this.isLoading||""!==this.loading)return;if(this.enabledSubmenuActions[t.id])return void(this.openedSubmenu=t);const n=t.displayName([this.source],this.currentView);try{this.$emit("update:loading",t.id),st.Ay.set(this.source,"status",et.zI.LOADING);const e=await t.exec(this.source,this.currentView,this.currentDir);if(null==e)return;if(e)return void(0,zn.Te)((0,kn.Tl)("files",'"{displayName}" action executed successfully',{displayName:n}));(0,zn.Qg)((0,kn.Tl)("files",'"{displayName}" action failed',{displayName:n}))}catch(e){Un.error("Error while executing action",{action:t,e}),(0,zn.Qg)((0,kn.Tl)("files",'"{displayName}" action failed',{displayName:n}))}finally{this.$emit("update:loading",""),st.Ay.set(this.source,"status",void 0),e&&(this.openedSubmenu=null)}},execDefaultAction(t){this.enabledDefaultActions.length>0&&(t.preventDefault(),t.stopPropagation(),this.enabledDefaultActions[0].exec(this.source,this.currentView,this.currentDir))},isMenu(t){var e;return(null===(e=this.enabledSubmenuActions[t])||void 0===e?void 0:e.length)>0},async onBackToMenuClick(t){this.openedSubmenu=null,await this.$nextTick(),this.$nextTick((()=>{var e;const n=null===(e=this.$refs["action-".concat(t.id)])||void 0===e?void 0:e[0];var s;n&&(null===(s=n.$el.querySelector("button"))||void 0===s||s.focus())}))},t:kn.Tl}}),Or=Br;var Dr=s(23237),Ur={};Ur.styleTagTransform=ns(),Ur.setAttributes=Jn(),Ur.insert=Qn().bind(null,"head"),Ur.domAPI=Yn(),Ur.insertStyleElement=ts(),Wn()(Dr.A,Ur),Dr.A&&Dr.A.locals&&Dr.A.locals;var jr=s(2077),zr={};zr.styleTagTransform=ns(),zr.setAttributes=Jn(),zr.insert=Qn().bind(null,"head"),zr.domAPI=Yn(),zr.insertStyleElement=ts(),Wn()(jr.A,zr),jr.A&&jr.A.locals&&jr.A.locals;var Mr=(0,Sn.A)(Or,(function(){var t,e,n=this,s=n._self._c;return n._self._setupProxy,s("td",{staticClass:"files-list__row-actions",attrs:{"data-cy-files-list-row-actions":""}},[n._l(n.enabledRenderActions,(function(t){return s("CustomElementRender",{key:t.id,staticClass:"files-list__row-action--inline",class:"files-list__row-action-"+t.id,attrs:{"current-view":n.currentView,render:t.renderInline,source:n.source}})})),n._v(" "),s("NcActions",{ref:"actionsMenu",attrs:{"boundaries-element":n.getBoundariesElement,container:n.getBoundariesElement,"force-name":!0,type:"tertiary","force-menu":0===n.enabledInlineActions.length,inline:n.enabledInlineActions.length,open:n.openedMenu},on:{"update:open":function(t){n.openedMenu=t},close:function(t){n.openedSubmenu=null}}},[n._l(n.enabledMenuActions,(function(t){var e;return s("NcActionButton",{key:t.id,ref:"action-".concat(t.id),refInFor:!0,class:{["files-list__row-action-".concat(t.id)]:!0,"files-list__row-action--menu":n.isMenu(t.id)},attrs:{"close-after-click":!n.isMenu(t.id),"data-cy-files-list-row-action":t.id,"is-menu":n.isMenu(t.id),title:null===(e=t.title)||void 0===e?void 0:e.call(t,[n.source],n.currentView)},on:{click:function(e){return n.onActionClick(t)}},scopedSlots:n._u([{key:"icon",fn:function(){return[n.loading===t.id?s("NcLoadingIcon",{attrs:{size:18}}):s("NcIconSvgWrapper",{attrs:{svg:t.iconSvgInline([n.source],n.currentView)}})]},proxy:!0}],null,!0)},[n._v("\n\t\t\t"+n._s("shared"===n.mountType&&"sharing-status"===t.id?"":n.actionDisplayName(t))+"\n\t\t")])})),n._v(" "),n.openedSubmenu&&n.enabledSubmenuActions[null===(t=n.openedSubmenu)||void 0===t?void 0:t.id]?[s("NcActionButton",{staticClass:"files-list__row-action-back",on:{click:function(t){return n.onBackToMenuClick(n.openedSubmenu)}},scopedSlots:n._u([{key:"icon",fn:function(){return[s("ArrowLeftIcon")]},proxy:!0}],null,!1,3001860362)},[n._v("\n\t\t\t\t"+n._s(n.actionDisplayName(n.openedSubmenu))+"\n\t\t\t")]),n._v(" "),s("NcActionSeparator"),n._v(" "),n._l(n.enabledSubmenuActions[null===(e=n.openedSubmenu)||void 0===e?void 0:e.id],(function(t){var e;return s("NcActionButton",{key:t.id,staticClass:"files-list__row-action--submenu",class:"files-list__row-action-".concat(t.id),attrs:{"close-after-click":!1,"data-cy-files-list-row-action":t.id,title:null===(e=t.title)||void 0===e?void 0:e.call(t,[n.source],n.currentView)},on:{click:function(e){return n.onActionClick(t)}},scopedSlots:n._u([{key:"icon",fn:function(){return[n.loading===t.id?s("NcLoadingIcon",{attrs:{size:18}}):s("NcIconSvgWrapper",{attrs:{svg:t.iconSvgInline([n.source],n.currentView)}})]},proxy:!0}],null,!0)},[n._v("\n\t\t\t\t"+n._s(n.actionDisplayName(t))+"\n\t\t\t")])}))]:n._e()],2)],2)}),[],!1,null,"03cc6660",null);const Rr=Mr.exports,Vr=(0,st.pM)({name:"FileEntryCheckbox",components:{NcCheckboxRadioSwitch:ls.A,NcLoadingIcon:oi.A},props:{fileid:{type:Number,required:!0},isLoading:{type:Boolean,default:!1},nodes:{type:Array,required:!0},source:{type:Object,required:!0}},setup(){const t=hi(),e=function(){const t=tt("keyboard",{state:()=>({altKey:!1,ctrlKey:!1,metaKey:!1,shiftKey:!1}),actions:{onEvent(t){t||(t=window.event),st.Ay.set(this,"altKey",!!t.altKey),st.Ay.set(this,"ctrlKey",!!t.ctrlKey),st.Ay.set(this,"metaKey",!!t.metaKey),st.Ay.set(this,"shiftKey",!!t.shiftKey)}}})(...arguments);return t._initialized||(window.addEventListener("keydown",t.onEvent),window.addEventListener("keyup",t.onEvent),window.addEventListener("mousemove",t.onEvent),t._initialized=!0),t}();return{keyboardStore:e,selectionStore:t}},computed:{selectedFiles(){return this.selectionStore.selected},isSelected(){return this.selectedFiles.includes(this.fileid)},index(){return this.nodes.findIndex((t=>t.fileid===this.fileid))},isFile(){return this.source.type===et.pt.File},ariaLabel(){return this.isFile?(0,kn.Tl)("files",'Toggle selection for file "{displayName}"',{displayName:this.source.basename}):(0,kn.Tl)("files",'Toggle selection for folder "{displayName}"',{displayName:this.source.basename})}},methods:{onSelectionChange(t){var e;const n=this.index,s=this.selectionStore.lastSelectedIndex;if(null!==(e=this.keyboardStore)&&void 0!==e&&e.shiftKey&&null!==s){const t=this.selectedFiles.includes(this.fileid),e=Math.min(n,s),i=Math.max(s,n),r=this.selectionStore.lastSelection,o=this.nodes.map((t=>t.fileid)).slice(e,i+1).filter(Boolean),a=[...r,...o].filter((e=>!t||e!==this.fileid));return Un.debug("Shift key pressed, selecting all files in between",{start:e,end:i,filesToSelect:o,isAlreadySelected:t}),void this.selectionStore.set(a)}const i=t?[...this.selectedFiles,this.fileid]:this.selectedFiles.filter((t=>t!==this.fileid));Un.debug("Updating selection",{selection:i}),this.selectionStore.set(i),this.selectionStore.setLastIndex(n)},resetSelection(){this.selectionStore.reset()},t:kn.Tl}}),$r=(0,Sn.A)(Vr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("td",{staticClass:"files-list__row-checkbox",on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])||e.ctrlKey||e.shiftKey||e.altKey||e.metaKey?null:t.resetSelection.apply(null,arguments)}}},[t.isLoading?e("NcLoadingIcon"):e("NcCheckboxRadioSwitch",{attrs:{"aria-label":t.ariaLabel,checked:t.isSelected},on:{"update:checked":t.onSelectionChange}})],1)}),[],!1,null,null,null).exports;var qr=s(82182);const Hr=(0,Pn.C)("files","forbiddenCharacters",""),Wr=st.Ay.extend({name:"FileEntryName",components:{NcTextField:qr.A},props:{displayName:{type:String,required:!0},extension:{type:String,required:!0},filesListWidth:{type:Number,required:!0},nodes:{type:Array,required:!0},source:{type:Object,required:!0},gridMode:{type:Boolean,default:!1}},setup:()=>({renamingStore:ur()}),computed:{isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},newName:{get(){return this.renamingStore.newName},set(t){this.renamingStore.newName=t}},renameLabel(){return{[et.pt.File]:(0,kn.Tl)("files","File name"),[et.pt.Folder]:(0,kn.Tl)("files","Folder name")}[this.source.type]},linkTo(){var t,e;if(this.source.attributes.failed)return{is:"span",params:{title:(0,kn.Tl)("files","This node is unavailable")}};const n=null===(t=this.$parent)||void 0===t||null===(t=t.$refs)||void 0===t||null===(t=t.actions)||void 0===t?void 0:t.enabledDefaultActions;return(null==n?void 0:n.length)>0?{is:"a",params:{title:n[0].displayName([this.source],this.currentView),role:"button",tabindex:"0"}}:(null===(e=this.source)||void 0===e?void 0:e.permissions)&et.aX.READ?{is:"a",params:{download:this.source.basename,href:this.source.source,title:(0,kn.Tl)("files","Download file {name}",{name:this.displayName}),tabindex:"0"}}:{is:"span"}}},watch:{isRenaming:{immediate:!0,handler(t){t&&this.startRenaming()}}},methods:{checkInputValidity(t){var e,n;const s=t.target,i=(null===(e=(n=this.newName).trim)||void 0===e?void 0:e.call(n))||"";Un.debug("Checking input validity",{newName:i});try{this.isFileNameValid(i),s.setCustomValidity(""),s.title=""}catch(t){s.setCustomValidity(t.message),s.title=t.message}finally{s.reportValidity()}},isFileNameValid(t){const e=t.trim();if("."===e||".."===e)throw new Error((0,kn.Tl)("files",'"{name}" is an invalid file name.',{name:t}));if(0===e.length)throw new Error((0,kn.Tl)("files","File name cannot be empty."));if(-1!==e.indexOf("/"))throw new Error((0,kn.Tl)("files",'"/" is not allowed inside a file name.'));if(e.match(OC.config.blacklist_files_regex))throw new Error((0,kn.Tl)("files",'"{name}" is not an allowed filetype.',{name:t}));if(this.checkIfNodeExists(t))throw new Error((0,kn.Tl)("files","{newName} already exists.",{newName:t}));return e.split("").forEach((t=>{if(-1!==Hr.indexOf(t))throw new Error(this.t("files",'"{char}" is not allowed inside a file name.',{char:t}))})),!0},checkIfNodeExists(t){return this.nodes.find((e=>e.basename===t&&e!==this.source))},startRenaming(){this.$nextTick((()=>{var t;const e=(this.source.extension||"").split("").length,n=this.source.basename.split("").length-e,s=null===(t=this.$refs.renameInput)||void 0===t||null===(t=t.$refs)||void 0===t||null===(t=t.inputField)||void 0===t||null===(t=t.$refs)||void 0===t?void 0:t.input;s?(s.setSelectionRange(0,n),s.focus(),s.dispatchEvent(new Event("keyup"))):Un.error("Could not find the rename input")}))},stopRenaming(){this.isRenaming&&this.renamingStore.$reset()},async onRename(){var t,e;const n=this.source.basename,s=this.source.encodedSource,i=(null===(t=(e=this.newName).trim)||void 0===t?void 0:t.call(e))||"";if(""!==i)if(n!==i)if(this.checkIfNodeExists(i))(0,zn.Qg)((0,kn.Tl)("files","Another entry with the same name already exists"));else{this.loading="renaming",st.Ay.set(this.source,"status",et.zI.LOADING),this.source.rename(i),Un.debug("Moving file to",{destination:this.source.encodedSource,oldEncodedSource:s});try{await(0,Bn.A)({method:"MOVE",url:s,headers:{Destination:this.source.encodedSource,Overwrite:"F"}}),(0,Tn.Ic)("files:node:updated",this.source),(0,Tn.Ic)("files:node:renamed",this.source),(0,zn.Te)((0,kn.Tl)("files",'Renamed "{oldName}" to "{newName}"',{oldName:n,newName:i})),this.stopRenaming(),this.$nextTick((()=>{this.$refs.basename.focus()}))}catch(t){var r,o;if(Un.error("Error while renaming file",{error:t}),this.source.rename(n),this.$refs.renameInput.focus(),404===(null==t||null===(r=t.response)||void 0===r?void 0:r.status))return void(0,zn.Qg)((0,kn.Tl)("files",'Could not rename "{oldName}", it does not exist any more',{oldName:n}));if(412===(null==t||null===(o=t.response)||void 0===o?void 0:o.status))return void(0,zn.Qg)((0,kn.Tl)("files",'The name "{newName}" is already used in the folder "{dir}". Please choose a different name.',{newName:i,dir:this.currentDir}));(0,zn.Qg)((0,kn.Tl)("files",'Could not rename "{oldName}"',{oldName:n}))}finally{this.loading=!1,st.Ay.set(this.source,"status",void 0)}}else this.stopRenaming();else(0,zn.Qg)((0,kn.Tl)("files","Name cannot be empty"))},t:kn.Tl}}),Gr=(0,Sn.A)(Wr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,t.isRenaming?e("form",{directives:[{name:"on-click-outside",rawName:"v-on-click-outside",value:t.stopRenaming,expression:"stopRenaming"}],staticClass:"files-list__row-rename",attrs:{"aria-label":t.t("files","Rename file")},on:{submit:function(e){return e.preventDefault(),e.stopPropagation(),t.onRename.apply(null,arguments)}}},[e("NcTextField",{ref:"renameInput",attrs:{label:t.renameLabel,autofocus:!0,minlength:1,required:!0,value:t.newName,enterkeyhint:"done"},on:{"update:value":function(e){t.newName=e},keyup:[t.checkInputValidity,function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])?null:t.stopRenaming.apply(null,arguments)}]}})],1):e(t.linkTo.is,t._b({ref:"basename",tag:"component",staticClass:"files-list__row-name-link",attrs:{"aria-hidden":t.isRenaming,"data-cy-files-list-row-name-link":""},on:{click:function(e){return t.$emit("click",e)}}},"component",t.linkTo.params,!1),[e("span",{staticClass:"files-list__row-name-text"},[e("span",{staticClass:"files-list__row-name-",domProps:{textContent:t._s(t.displayName)}}),t._v(" "),e("span",{staticClass:"files-list__row-name-ext",domProps:{textContent:t._s(t.extension)}})])])}),[],!1,null,null,null).exports;var Yr=s(72755);const Kr={name:"FileIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Qr=(0,Sn.A)(Kr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon file-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M13,9V3.5L18.5,9M6,2C4.89,2 4,2.89 4,4V20A2,2 0 0,0 6,22H18A2,2 0 0,0 20,20V8L14,2H6Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Xr={name:"FolderOpenIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Jr=(0,Sn.A)(Xr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon folder-open-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M19,20H4C2.89,20 2,19.1 2,18V6C2,4.89 2.89,4 4,4H10L12,6H19A2,2 0 0,1 21,8H21L4,8V18L6.14,10H23.21L20.93,18.5C20.7,19.37 19.92,20 19,20Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Zr={name:"KeyIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},to=(0,Sn.A)(Zr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon key-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M7 14C5.9 14 5 13.1 5 12S5.9 10 7 10 9 10.9 9 12 8.1 14 7 14M12.6 10C11.8 7.7 9.6 6 7 6C3.7 6 1 8.7 1 12S3.7 18 7 18C9.6 18 11.8 16.3 12.6 14H16V18H20V14H23V10H12.6Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,eo={name:"NetworkIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},no=(0,Sn.A)(eo,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon network-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,so={name:"TagIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},io=(0,Sn.A)(so,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon tag-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,ro={name:"PlayCircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},oo=(0,Sn.A)(ro,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon play-circle-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M10,16.5V7.5L16,12M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,ao={name:"CollectivesIcon",props:{title:{type:String,default:""},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},lo=(0,Sn.A)(ao,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon collectives-icon",attrs:{"aria-hidden":!t.title,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 16 16"}},[e("path",{attrs:{d:"M2.9,8.8c0-1.2,0.4-2.4,1.2-3.3L0.3,6c-0.2,0-0.3,0.3-0.1,0.4l2.7,2.6C2.9,9,2.9,8.9,2.9,8.8z"}}),t._v(" "),e("path",{attrs:{d:"M8,3.7c0.7,0,1.3,0.1,1.9,0.4L8.2,0.6c-0.1-0.2-0.3-0.2-0.4,0L6.1,4C6.7,3.8,7.3,3.7,8,3.7z"}}),t._v(" "),e("path",{attrs:{d:"M3.7,11.5L3,15.2c0,0.2,0.2,0.4,0.4,0.3l3.3-1.7C5.4,13.4,4.4,12.6,3.7,11.5z"}}),t._v(" "),e("path",{attrs:{d:"M15.7,6l-3.7-0.5c0.7,0.9,1.2,2,1.2,3.3c0,0.1,0,0.2,0,0.3l2.7-2.6C15.9,6.3,15.9,6.1,15.7,6z"}}),t._v(" "),e("path",{attrs:{d:"M12.3,11.5c-0.7,1.1-1.8,1.9-3,2.2l3.3,1.7c0.2,0.1,0.4-0.1,0.4-0.3L12.3,11.5z"}}),t._v(" "),e("path",{attrs:{d:"M9.6,10.1c-0.4,0.5-1,0.8-1.6,0.8c-1.1,0-2-0.9-2.1-2C5.9,7.7,6.8,6.7,8,6.7c0.6,0,1.1,0.3,1.5,0.7 c0.1,0.1,0.1,0.1,0.2,0.1h1.4c0.2,0,0.4-0.2,0.3-0.5c-0.7-1.3-2.1-2.2-3.8-2.1C5.8,5,4.3,6.6,4.1,8.5C4,10.8,5.8,12.7,8,12.7 c1.6,0,2.9-0.9,3.5-2.3c0.1-0.2-0.1-0.4-0.3-0.4H9.9C9.8,10,9.7,10,9.6,10.1z"}})])])}),[],!1,null,null,null).exports,co=(0,st.pM)({name:"FavoriteIcon",components:{NcIconSvgWrapper:In.A},data:()=>({StarSvg:'<svg xmlns="http://www.w3.org/2000/svg" id="mdi-star" viewBox="0 0 24 24"><path d="M12,17.27L18.18,21L16.54,13.97L22,9.24L14.81,8.62L12,2L9.19,8.62L2,9.24L7.45,13.97L5.82,21L12,17.27Z" /></svg>'}),async mounted(){var t;await this.$nextTick();const e=this.$el.querySelector("svg");null==e||null===(t=e.setAttribute)||void 0===t||t.call(e,"viewBox","-4 -4 30 30")},methods:{t:kn.Tl}});var uo=s(55559),mo={};mo.styleTagTransform=ns(),mo.setAttributes=Jn(),mo.insert=Qn().bind(null,"head"),mo.domAPI=Yn(),mo.insertStyleElement=ts(),Wn()(uo.A,mo),uo.A&&uo.A.locals&&uo.A.locals;const po=(0,Sn.A)(co,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcIconSvgWrapper",{staticClass:"favorite-marker-icon",attrs:{name:t.t("files","Favorite"),svg:t.StarSvg}})}),[],!1,null,"04e52abc",null).exports,fo=st.Ay.extend({name:"FileEntryPreview",components:{AccountGroupIcon:Yr.A,AccountPlusIcon:ci,CollectivesIcon:lo,FavoriteIcon:po,FileIcon:Qr,FolderIcon:hr,FolderOpenIcon:Jr,KeyIcon:to,LinkIcon:ti.A,NetworkIcon:no,TagIcon:io},props:{source:{type:Object,required:!0},dragover:{type:Boolean,default:!1},gridMode:{type:Boolean,default:!1}},setup:()=>({userConfigStore:gs()}),data:()=>({backgroundFailed:void 0}),computed:{fileid(){var t,e;return null===(t=this.source)||void 0===t||null===(t=t.fileid)||void 0===t||null===(e=t.toString)||void 0===e?void 0:e.call(t)},isFavorite(){return 1===this.source.attributes.favorite},userConfig(){return this.userConfigStore.userConfig},cropPreviews(){return!0===this.userConfig.crop_image_previews},previewUrl(){if(this.source.type===et.pt.Folder)return null;if(!0===this.backgroundFailed)return null;try{const t=this.source.attributes.previewUrl||(0,rt.Jv)("/core/preview?fileId={fileid}",{fileid:this.fileid}),e=new URL(window.location.origin+t);return e.searchParams.set("x",this.gridMode?"128":"32"),e.searchParams.set("y",this.gridMode?"128":"32"),e.searchParams.set("mimeFallback","true"),e.searchParams.set("a",!0===this.cropPreviews?"0":"1"),e.href}catch(t){return null}},fileOverlay(){return void 0!==this.source.attributes["metadata-files-live-photo"]?oo:null},folderOverlay(){var t,e,n,s;if(this.source.type!==et.pt.Folder)return null;if(1===(null===(t=this.source)||void 0===t||null===(t=t.attributes)||void 0===t?void 0:t["is-encrypted"]))return to;if(null!==(e=this.source)&&void 0!==e&&null!==(e=e.attributes)&&void 0!==e&&e["is-tag"])return io;const i=Object.values((null===(n=this.source)||void 0===n||null===(n=n.attributes)||void 0===n?void 0:n["share-types"])||{}).flat();if(i.some((t=>t===Js.Z.SHARE_TYPE_LINK||t===Js.Z.SHARE_TYPE_EMAIL)))return ti.A;if(i.length>0)return ci;switch(null===(s=this.source)||void 0===s||null===(s=s.attributes)||void 0===s?void 0:s["mount-type"]){case"external":case"external-session":return no;case"group":return Yr.A;case"collective":return lo}return null}},methods:{reset(){this.backgroundFailed=void 0,this.$refs.previewImg&&(this.$refs.previewImg.src="")},onBackgroundError(t){var e;""!==(null===(e=t.target)||void 0===e?void 0:e.src)&&(this.backgroundFailed=!0)},t:kn.Tl}}),go=(0,Sn.A)(fo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("span",{staticClass:"files-list__row-icon"},["folder"===t.source.type?[t.dragover?t._m(0):[t._m(1),t._v(" "),t.folderOverlay?e(t.folderOverlay,{tag:"OverlayIcon",staticClass:"files-list__row-icon-overlay"}):t._e()]]:t.previewUrl&&!0!==t.backgroundFailed?e("img",{ref:"previewImg",staticClass:"files-list__row-icon-preview",class:{"files-list__row-icon-preview--loaded":!1===t.backgroundFailed},attrs:{alt:"",loading:"lazy",src:t.previewUrl},on:{error:t.onBackgroundError,load:function(e){t.backgroundFailed=!1}}}):t._m(2),t._v(" "),t.isFavorite?e("span",{staticClass:"files-list__row-icon-favorite"},[t._m(3)],1):t._e(),t._v(" "),t.fileOverlay?e(t.fileOverlay,{tag:"OverlayIcon",staticClass:"files-list__row-icon-overlay files-list__row-icon-overlay--file"}):t._e()],2)}),[function(){var t=this._self._c;return this._self._setupProxy,t("FolderOpenIcon")},function(){var t=this._self._c;return this._self._setupProxy,t("FolderIcon")},function(){var t=this._self._c;return this._self._setupProxy,t("FileIcon")},function(){var t=this._self._c;return this._self._setupProxy,t("FavoriteIcon")}],!1,null,null,null).exports,ho=(0,st.pM)({name:"FileEntry",components:{CustomElementRender:Er,FileEntryActions:Rr,FileEntryCheckbox:$r,FileEntryName:Gr,FileEntryPreview:go,NcDateTime:Tr.A},mixins:[_r],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},compact:{type:Boolean,default:!1}},setup:()=>({actionsMenuStore:dr(),draggingStore:sr(),filesStore:fi(),renamingStore:ur(),selectionStore:hi()}),computed:{rowListeners(){return{...this.isRenaming?{}:{dragstart:this.onDragStart,dragover:this.onDragOver},contextmenu:this.onRightClick,dragleave:this.onDragLeave,dragend:this.onDragEnd,drop:this.onDrop}},columns(){var t;return this.filesListWidth<512||this.compact?[]:(null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]},size(){const t=parseInt(this.source.size,10)||0;return"number"!=typeof t||t<0?this.t("files","Pending"):(0,et.v7)(t,!0)},sizeOpacity(){const t=parseInt(this.source.size,10)||0;if(!t||t<0)return{};const e=Math.round(Math.min(100,100*Math.pow(this.source.size/10485760,2)));return{color:"color-mix(in srgb, var(--color-main-text) ".concat(e,"%, var(--color-text-maxcontrast))")}},mtimeOpacity(){var t,e;const n=26784e5,s=null===(t=this.source.mtime)||void 0===t||null===(e=t.getTime)||void 0===e?void 0:e.call(t);if(!s)return{};const i=Math.round(Math.min(100,100*(n-(Date.now()-s))/n));return i<0?{}:{color:"color-mix(in srgb, var(--color-main-text) ".concat(i,"%, var(--color-text-maxcontrast))")}},mtimeTitle(){return this.source.mtime?(0,cr.A)(this.source.mtime).format("LLL"):""},isActive(){var t,e;return this.fileid===(null===(t=this.currentFileId)||void 0===t||null===(e=t.toString)||void 0===e?void 0:e.call(t))}},methods:{formatFileSize:et.v7}}),vo=(0,Sn.A)(ho,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",t._g({staticClass:"files-list__row",class:{"files-list__row--dragover":t.dragover,"files-list__row--loading":t.isLoading,"files-list__row--active":t.isActive},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag}},t.rowListeners),[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{source:t.source,dragover:t.dragover},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{directives:[{name:"show",rawName:"v-show",value:!t.isRenamingSmallScreen,expression:"!isRenamingSmallScreen"}],ref:"actions",class:"files-list__row-actions-".concat(t.uniqueId),attrs:{"files-list-width":t.filesListWidth,loading:t.loading,opened:t.openedMenu,source:t.source},on:{"update:loading":function(e){t.loading=e},"update:opened":function(e){t.openedMenu=e}}}),t._v(" "),!t.compact&&t.isSizeAvailable?e("td",{staticClass:"files-list__row-size",style:t.sizeOpacity,attrs:{"data-cy-files-list-row-size":""},on:{click:t.openDetailsIfAvailable}},[e("span",[t._v(t._s(t.size))])]):t._e(),t._v(" "),!t.compact&&t.isMtimeAvailable?e("td",{staticClass:"files-list__row-mtime",style:t.mtimeOpacity,attrs:{"data-cy-files-list-row-mtime":""},on:{click:t.openDetailsIfAvailable}},[e("NcDateTime",{attrs:{timestamp:t.source.mtime,"ignore-seconds":!0}})],1):t._e(),t._v(" "),t._l(t.columns,(function(n){var s;return e("td",{key:n.id,staticClass:"files-list__row-column-custom",class:"files-list__row-".concat(null===(s=t.currentView)||void 0===s?void 0:s.id,"-").concat(n.id),attrs:{"data-cy-files-list-row-column-custom":n.id},on:{click:t.openDetailsIfAvailable}},[e("CustomElementRender",{attrs:{"current-view":t.currentView,render:n.render,source:t.source}})],1)}))],2)}),[],!1,null,null,null).exports,Ao=(0,st.pM)({name:"FileEntryGrid",components:{FileEntryActions:Rr,FileEntryCheckbox:$r,FileEntryName:Gr,FileEntryPreview:go},mixins:[_r],inheritAttrs:!1,setup:()=>({actionsMenuStore:dr(),draggingStore:sr(),filesStore:fi(),renamingStore:ur(),selectionStore:hi()}),data:()=>({gridMode:!0})}),wo=(0,Sn.A)(Ao,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",{staticClass:"files-list__row",class:{"files-list__row--active":t.isActive,"files-list__row--dragover":t.dragover,"files-list__row--loading":t.isLoading},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag},on:{contextmenu:t.onRightClick,dragover:t.onDragOver,dragleave:t.onDragLeave,dragstart:t.onDragStart,dragend:t.onDragEnd,drop:t.onDrop}},[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{dragover:t.dragover,"grid-mode":!0,source:t.source},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,"grid-mode":!0,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{ref:"actions",class:"files-list__row-actions-".concat(t.uniqueId),attrs:{"files-list-width":t.filesListWidth,"grid-mode":!0,loading:t.loading,opened:t.openedMenu,source:t.source},on:{"update:loading":function(e){t.loading=e},"update:opened":function(e){t.openedMenu=e}}})],1)}),[],!1,null,null,null).exports;var yo=s(96763);const bo={name:"FilesListHeader",props:{header:{type:Object,required:!0},currentFolder:{type:Object,required:!0},currentView:{type:Object,required:!0}},computed:{enabled(){return this.header.enabled(this.currentFolder,this.currentView)}},watch:{enabled(t){t&&this.header.updated(this.currentFolder,this.currentView)},currentFolder(){this.header.updated(this.currentFolder,this.currentView)}},mounted(){yo.debug("Mounted",this.header.id),this.header.render(this.$refs.mount,this.currentFolder,this.currentView)}},Co=(0,Sn.A)(bo,(function(){var t=this,e=t._self._c;return e("div",{directives:[{name:"show",rawName:"v-show",value:t.enabled,expression:"enabled"}],class:"files-list__header-".concat(t.header.id)},[e("span",{ref:"mount"})])}),[],!1,null,null,null).exports,xo=st.Ay.extend({name:"FilesListTableFooter",components:{},props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},summary:{type:String,default:""},filesListWidth:{type:Number,default:0}},setup(){const t=gi();return{filesStore:fi(),pathsStore:t}},computed:{currentView(){return this.$navigation.active},dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t?void 0:t.dir)||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){var t;if(null===(t=this.currentView)||void 0===t||!t.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const e=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(e)},columns(){var t;return this.filesListWidth<512?[]:(null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]},totalSize(){var t;return null!==(t=this.currentFolder)&&void 0!==t&&t.size?(0,et.v7)(this.currentFolder.size,!0):(0,et.v7)(this.nodes.reduce(((t,e)=>t+e.size||0),0),!0)}},methods:{classForColumn(t){return{"files-list__row-column-custom":!0,["files-list__row-".concat(this.currentView.id,"-").concat(t.id)]:!0}},t:kn.Tl}});var _o=s(31840),To={};To.styleTagTransform=ns(),To.setAttributes=Jn(),To.insert=Qn().bind(null,"head"),To.domAPI=Yn(),To.insertStyleElement=ts(),Wn()(_o.A,To),_o.A&&_o.A.locals&&_o.A.locals;const ko=(0,Sn.A)(xo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",[e("th",{staticClass:"files-list__row-checkbox"},[e("span",{staticClass:"hidden-visually"},[t._v(t._s(t.t("files","Total rows summary")))])]),t._v(" "),e("td",{staticClass:"files-list__row-name"},[e("span",{staticClass:"files-list__row-icon"}),t._v(" "),e("span",[t._v(t._s(t.summary))])]),t._v(" "),e("td",{staticClass:"files-list__row-actions"}),t._v(" "),t.isSizeAvailable?e("td",{staticClass:"files-list__column files-list__row-size"},[e("span",[t._v(t._s(t.totalSize))])]):t._e(),t._v(" "),t.isMtimeAvailable?e("td",{staticClass:"files-list__column files-list__row-mtime"}):t._e(),t._v(" "),t._l(t.columns,(function(n){var s;return e("th",{key:n.id,class:t.classForColumn(n)},[e("span",[t._v(t._s(null===(s=n.summary)||void 0===s?void 0:s.call(n,t.nodes,t.currentView)))])])}))],2)}),[],!1,null,"a85bde20",null).exports;var Eo=s(1795),So=s(33017);const Lo=st.Ay.extend({computed:{...(Fo=Dn,Io=["getConfig","setSortingBy","toggleSortingDirection"],Array.isArray(Io)?Io.reduce(((t,e)=>(t[e]=function(){return Fo(this.$pinia)[e]},t)),{}):Object.keys(Io).reduce(((t,e)=>(t[e]=function(){const t=Fo(this.$pinia),n=Io[e];return"function"==typeof n?n.call(this,t):t[n]},t)),{})),currentView(){return this.$navigation.active},sortingMode(){var t,e;return(null===(t=this.getConfig(this.currentView.id))||void 0===t?void 0:t.sorting_mode)||(null===(e=this.currentView)||void 0===e?void 0:e.defaultSortKey)||"basename"},isAscSorting(){var t;return"desc"!==(null===(t=this.getConfig(this.currentView.id))||void 0===t?void 0:t.sorting_direction)}},methods:{toggleSortBy(t){this.sortingMode!==t?this.setSortingBy(t,this.currentView.id):this.toggleSortingDirection(this.currentView.id)}}}),No=(0,st.pM)({name:"FilesListTableHeaderButton",components:{MenuDown:Eo.A,MenuUp:So.A,NcButton:ii.A},mixins:[Lo],props:{name:{type:String,required:!0},mode:{type:String,required:!0}},methods:{t:kn.Tl}});var Fo,Io,Po=s(75290),Bo={};Bo.styleTagTransform=ns(),Bo.setAttributes=Jn(),Bo.insert=Qn().bind(null,"head"),Bo.domAPI=Yn(),Bo.insertStyleElement=ts(),Wn()(Po.A,Bo),Po.A&&Po.A.locals&&Po.A.locals;const Oo=(0,Sn.A)(No,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcButton",{class:["files-list__column-sort-button",{"files-list__column-sort-button--active":t.sortingMode===t.mode,"files-list__column-sort-button--size":"size"===t.sortingMode}],attrs:{alignment:"size"===t.mode?"end":"start-reverse",type:"tertiary"},on:{click:function(e){return t.toggleSortBy(t.mode)}},scopedSlots:t._u([{key:"icon",fn:function(){return[t.sortingMode!==t.mode||t.isAscSorting?e("MenuUp",{staticClass:"files-list__column-sort-button-icon"}):e("MenuDown",{staticClass:"files-list__column-sort-button-icon"})]},proxy:!0}])},[t._v(" "),e("span",{staticClass:"files-list__column-sort-button-text"},[t._v(t._s(t.name))])])}),[],!1,null,"097f69d4",null).exports,Do=(0,st.pM)({name:"FilesListTableHeader",components:{FilesListTableHeaderButton:Oo,NcCheckboxRadioSwitch:ls.A},mixins:[Lo],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({filesStore:fi(),selectionStore:hi()}),computed:{currentView(){return this.$navigation.active},columns(){var t;return this.filesListWidth<512?[]:(null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]},dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t?void 0:t.dir)||"/").replace(/^(.+)\/$/,"$1")},selectAllBind(){const t=(0,kn.Tl)("files","Toggle selection for all files and folders");return{"aria-label":t,checked:this.isAllSelected,indeterminate:this.isSomeSelected,title:t}},selectedNodes(){return this.selectionStore.selected},isAllSelected(){return this.selectedNodes.length===this.nodes.length},isNoneSelected(){return 0===this.selectedNodes.length},isSomeSelected(){return!this.isAllSelected&&!this.isNoneSelected}},methods:{ariaSortForMode(t){return this.sortingMode===t?this.isAscSorting?"ascending":"descending":null},classForColumn(t){var e;return{"files-list__column":!0,"files-list__column--sortable":!!t.sort,"files-list__row-column-custom":!0,["files-list__row-".concat(null===(e=this.currentView)||void 0===e?void 0:e.id,"-").concat(t.id)]:!0}},onToggleAll(t){if(t){const t=this.nodes.map((t=>t.fileid)).filter(Boolean);Un.debug("Added all nodes to selection",{selection:t}),this.selectionStore.setLastIndex(null),this.selectionStore.set(t)}else Un.debug("Cleared selection"),this.selectionStore.reset()},resetSelection(){this.selectionStore.reset()},t:kn.Tl}});var Uo=s(60799),jo={};jo.styleTagTransform=ns(),jo.setAttributes=Jn(),jo.insert=Qn().bind(null,"head"),jo.domAPI=Yn(),jo.insertStyleElement=ts(),Wn()(Uo.A,jo),Uo.A&&Uo.A.locals&&Uo.A.locals;const zo=(0,Sn.A)(Do,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",{staticClass:"files-list__row-head"},[e("th",{staticClass:"files-list__column files-list__row-checkbox",on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])||e.ctrlKey||e.shiftKey||e.altKey||e.metaKey?null:t.resetSelection.apply(null,arguments)}}},[e("NcCheckboxRadioSwitch",t._b({on:{"update:checked":t.onToggleAll}},"NcCheckboxRadioSwitch",t.selectAllBind,!1))],1),t._v(" "),e("th",{staticClass:"files-list__column files-list__row-name files-list__column--sortable",attrs:{"aria-sort":t.ariaSortForMode("basename")}},[e("span",{staticClass:"files-list__row-icon"}),t._v(" "),e("FilesListTableHeaderButton",{attrs:{name:t.t("files","Name"),mode:"basename"}})],1),t._v(" "),e("th",{staticClass:"files-list__row-actions"}),t._v(" "),t.isSizeAvailable?e("th",{staticClass:"files-list__column files-list__row-size",class:{"files-list__column--sortable":t.isSizeAvailable},attrs:{"aria-sort":t.ariaSortForMode("size")}},[e("FilesListTableHeaderButton",{attrs:{name:t.t("files","Size"),mode:"size"}})],1):t._e(),t._v(" "),t.isMtimeAvailable?e("th",{staticClass:"files-list__column files-list__row-mtime",class:{"files-list__column--sortable":t.isMtimeAvailable},attrs:{"aria-sort":t.ariaSortForMode("mtime")}},[e("FilesListTableHeaderButton",{attrs:{name:t.t("files","Modified"),mode:"mtime"}})],1):t._e(),t._v(" "),t._l(t.columns,(function(n){return e("th",{key:n.id,class:t.classForColumn(n),attrs:{"aria-sort":t.ariaSortForMode(n.id)}},[n.sort?e("FilesListTableHeaderButton",{attrs:{name:n.title,mode:n.id}}):e("span",[t._v("\n\t\t\t"+t._s(n.title)+"\n\t\t")])],1)}))],2)}),[],!1,null,"952162c2",null).exports;var Mo=s(17334),Ro=s.n(Mo),Vo=s(96763);const $o=st.Ay.extend({name:"VirtualList",mixins:[ir],props:{dataComponent:{type:[Object,Function],required:!0},dataKey:{type:String,required:!0},dataSources:{type:Array,required:!0},extraProps:{type:Object,default:()=>({})},scrollToIndex:{type:Number,default:0},gridMode:{type:Boolean,default:!1},caption:{type:String,default:""}},data(){return{index:this.scrollToIndex,beforeHeight:0,headerHeight:0,tableHeight:0,resizeObserver:null}},computed:{isReady(){return this.tableHeight>0},bufferItems(){return this.gridMode?this.columnCount:3},itemHeight(){return this.gridMode?197:55},itemWidth:()=>175,rowCount(){return Math.ceil((this.tableHeight-this.headerHeight)/this.itemHeight)+this.bufferItems/this.columnCount*2+1},columnCount(){return this.gridMode?Math.floor(this.filesListWidth/this.itemWidth):1},startIndex(){return Math.max(0,this.index-this.bufferItems)},shownItems(){return this.gridMode?this.rowCount*this.columnCount:this.rowCount},renderedItems(){if(!this.isReady)return[];const t=this.dataSources.slice(this.startIndex,this.startIndex+this.shownItems),e=t.filter((t=>Object.values(this.$_recycledPool).includes(t[this.dataKey]))).map((t=>t[this.dataKey])),n=Object.keys(this.$_recycledPool).filter((t=>!e.includes(this.$_recycledPool[t])));return t.map((t=>{const e=Object.values(this.$_recycledPool).indexOf(t[this.dataKey]);if(-1!==e)return{key:Object.keys(this.$_recycledPool)[e],item:t};const s=n.pop()||Math.random().toString(36).substr(2);return this.$_recycledPool[s]=t[this.dataKey],{key:s,item:t}}))},tbodyStyle(){const t=this.startIndex+this.rowCount>this.dataSources.length,e=this.dataSources.length-this.startIndex-this.shownItems,n=Math.floor(Math.min(this.dataSources.length-this.startIndex,e)/this.columnCount);return{paddingTop:"".concat(Math.floor(this.startIndex/this.columnCount)*this.itemHeight,"px"),paddingBottom:t?0:"".concat(n*this.itemHeight,"px")}}},watch:{scrollToIndex(t){this.scrollTo(t)},columnCount(t,e){0!==e?this.scrollTo(this.index):Vo.debug("VirtualList: columnCount is 0, skipping scroll")}},mounted(){var t,e;const n=null===(t=this.$refs)||void 0===t?void 0:t.before,s=this.$el,i=null===(e=this.$refs)||void 0===e?void 0:e.thead;this.resizeObserver=new ResizeObserver((0,Mo.debounce)((()=>{var t,e,r;this.beforeHeight=null!==(t=null==n?void 0:n.clientHeight)&&void 0!==t?t:0,this.headerHeight=null!==(e=null==i?void 0:i.clientHeight)&&void 0!==e?e:0,this.tableHeight=null!==(r=null==s?void 0:s.clientHeight)&&void 0!==r?r:0,Un.debug("VirtualList: resizeObserver updated"),this.onScroll()}),100,!1)),this.resizeObserver.observe(n),this.resizeObserver.observe(s),this.resizeObserver.observe(i),this.scrollToIndex&&this.scrollTo(this.scrollToIndex),this.$el.addEventListener("scroll",this.onScroll,{passive:!0}),this.$_recycledPool={}},beforeDestroy(){this.resizeObserver&&this.resizeObserver.disconnect()},methods:{scrollTo(t){const e=Math.ceil(this.dataSources.length/this.columnCount);if(e<this.rowCount)return void Un.debug("VirtualList: Skip scrolling. nothing to scroll",{index:t,targetRow:e,rowCount:this.rowCount});this.index=t;const n=(Math.floor(t/this.columnCount)-.5)*this.itemHeight+this.beforeHeight;Un.debug("VirtualList: scrolling to index "+t,{scrollTop:n,columnCount:this.columnCount}),this.$el.scrollTop=n},onScroll(){var t;null!==(t=this._onScrollHandle)&&void 0!==t||(this._onScrollHandle=requestAnimationFrame((()=>{this._onScrollHandle=null;const t=this.$el.scrollTop-this.beforeHeight,e=Math.floor(t/this.itemHeight)*this.columnCount;this.index=Math.max(0,e),this.$emit("scroll")})))}}}),qo=(0,Sn.A)($o,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list",attrs:{"data-cy-files-list":""}},[e("div",{ref:"before",staticClass:"files-list__before"},[t._t("before")],2),t._v(" "),t.$scopedSlots["header-overlay"]?e("div",{staticClass:"files-list__thead-overlay"},[t._t("header-overlay")],2):t._e(),t._v(" "),e("table",{staticClass:"files-list__table",class:{"files-list__table--with-thead-overlay":!!t.$scopedSlots["header-overlay"]}},[t.caption?e("caption",{staticClass:"hidden-visually"},[t._v("\n\t\t\t"+t._s(t.caption)+"\n\t\t")]):t._e(),t._v(" "),e("thead",{ref:"thead",staticClass:"files-list__thead",attrs:{"data-cy-files-list-thead":""}},[t._t("header")],2),t._v(" "),e("tbody",{staticClass:"files-list__tbody",class:t.gridMode?"files-list__tbody--grid":"files-list__tbody--list",style:t.tbodyStyle,attrs:{"data-cy-files-list-tbody":""}},t._l(t.renderedItems,(function(n,s){let{key:i,item:r}=n;return e(t.dataComponent,t._b({key:i,tag:"component",attrs:{source:r,index:s}},"component",t.extraProps,!1))})),1),t._v(" "),e("tfoot",{directives:[{name:"show",rawName:"v-show",value:t.isReady,expression:"isReady"}],staticClass:"files-list__tfoot",attrs:{"data-cy-files-list-tfoot":""}},[t._t("footer")],2)])])}),[],!1,null,null,null).exports,Ho=(0,et.qK)(),Wo=(0,st.pM)({name:"FilesListTableHeaderActions",components:{NcActions:Fr.A,NcActionButton:Nr.A,NcIconSvgWrapper:In.A,NcLoadingIcon:oi.A},mixins:[ir],props:{currentView:{type:Object,required:!0},selectedNodes:{type:Array,default:()=>[]}},setup:()=>({actionsMenuStore:dr(),filesStore:fi(),selectionStore:hi()}),data:()=>({loading:null}),computed:{dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t?void 0:t.dir)||"/").replace(/^(.+)\/$/,"$1")},enabledActions(){return Ho.filter((t=>t.execBatch)).filter((t=>!t.enabled||t.enabled(this.nodes,this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0)))},nodes(){return this.selectedNodes.map((t=>this.getNode(t))).filter(Boolean)},areSomeNodesLoading(){return this.nodes.some((t=>t.status===et.zI.LOADING))},openedMenu:{get(){return"global"===this.actionsMenuStore.opened},set(t){this.actionsMenuStore.opened=t?"global":null}},inlineActions(){return this.filesListWidth<512?0:this.filesListWidth<768?1:this.filesListWidth<1024?2:3}},methods:{getNode(t){return this.filesStore.getNode(t)},async onActionClick(t){const e=t.displayName(this.nodes,this.currentView),n=this.selectedNodes;try{this.loading=t.id,this.nodes.forEach((t=>{st.Ay.set(t,"status",et.zI.LOADING)}));const s=await t.execBatch(this.nodes,this.currentView,this.dir);if(!s.some((t=>null!==t)))return void this.selectionStore.reset();if(s.some((t=>!1===t))){const t=n.filter(((t,e)=>!1===s[e]));if(this.selectionStore.set(t),s.some((t=>null===t)))return;return void(0,zn.Qg)(this.t("files",'"{displayName}" failed on some elements ',{displayName:e}))}(0,zn.Te)(this.t("files",'"{displayName}" batch action executed successfully',{displayName:e})),this.selectionStore.reset()}catch(n){Un.error("Error while executing action",{action:t,e:n}),(0,zn.Qg)(this.t("files",'"{displayName}" action failed',{displayName:e}))}finally{this.loading=null,this.nodes.forEach((t=>{st.Ay.set(t,"status",void 0)}))}},t:kn.Tl}}),Go=Wo;var Yo=s(58017),Ko={};Ko.styleTagTransform=ns(),Ko.setAttributes=Jn(),Ko.insert=Qn().bind(null,"head"),Ko.domAPI=Yn(),Ko.insertStyleElement=ts(),Wn()(Yo.A,Ko),Yo.A&&Yo.A.locals&&Yo.A.locals;var Qo=(0,Sn.A)(Go,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list__column files-list__row-actions-batch"},[e("NcActions",{ref:"actionsMenu",attrs:{disabled:!!t.loading||t.areSomeNodesLoading,"force-name":!0,inline:t.inlineActions,"menu-name":t.inlineActions<=1?t.t("files","Actions"):null,open:t.openedMenu},on:{"update:open":function(e){t.openedMenu=e}}},t._l(t.enabledActions,(function(n){return e("NcActionButton",{key:n.id,class:"files-list__row-actions-batch-"+n.id,on:{click:function(e){return t.onActionClick(n)}},scopedSlots:t._u([{key:"icon",fn:function(){return[t.loading===n.id?e("NcLoadingIcon",{attrs:{size:18}}):e("NcIconSvgWrapper",{attrs:{svg:n.iconSvgInline(t.nodes,t.currentView)}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t"+t._s(n.displayName(t.nodes,t.currentView))+"\n\t\t")])})),1)],1)}),[],!1,null,"d939292c",null);const Xo=Qo.exports,Jo=(0,st.pM)({name:"FilesListVirtual",components:{FilesListHeader:Co,FilesListTableFooter:ko,FilesListTableHeader:zo,VirtualList:qo,FilesListTableHeaderActions:Xo},mixins:[ir],props:{currentView:{type:et.Ss,required:!0},currentFolder:{type:et.vd,required:!0},nodes:{type:Array,required:!0}},setup:()=>({userConfigStore:gs(),selectionStore:hi()}),data:()=>({FileEntry:vo,FileEntryGrid:wo,headers:(0,et.By)(),scrollToIndex:0,openFileId:null}),computed:{userConfig(){return this.userConfigStore.userConfig},fileId(){return parseInt(this.$route.params.fileid)||null},openFile(){return!!this.$route.query.openfile},summary(){return Ki(this.nodes)},isMtimeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.mtime))},isSizeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.attributes.size))},sortedHeaders(){return this.currentFolder&&this.currentView?[...this.headers].sort(((t,e)=>t.order-e.order)):[]},caption(){const t=(0,kn.Tl)("files","List of files and folders."),e=this.currentView.caption||t,n=(0,kn.Tl)("files","Column headers with buttons are sortable."),s=(0,kn.Tl)("files","This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.");return"".concat(e,"\n").concat(n,"\n").concat(s)},selectedNodes(){return this.selectionStore.selected},isNoneSelected(){return 0===this.selectedNodes.length}},watch:{fileId(t){this.scrollToFile(t,!1)},openFile(t){t&&this.$nextTick((()=>this.handleOpenFile(this.fileId)))}},mounted(){window.document.querySelector("main.app-content").addEventListener("dragover",this.onDragOver);const{id:t}=(0,Pn.C)("files","openFileInfo",{});this.scrollToFile(null!=t?t:this.fileId),this.openSidebarForFile(null!=t?t:this.fileId),this.handleOpenFile(null!=t?t:null)},beforeDestroy(){window.document.querySelector("main.app-content").removeEventListener("dragover",this.onDragOver)},methods:{openSidebarForFile(t){if(document.documentElement.clientWidth>1024&&this.currentFolder.fileid!==t){var e;const n=this.nodes.find((e=>e.fileid===t));n&&null!=pi&&null!==(e=pi.enabled)&&void 0!==e&&e.call(pi,[n],this.currentView)&&(Un.debug("Opening sidebar on file "+n.path,{node:n}),pi.exec(n,this.currentView,this.currentFolder.path))}},scrollToFile(t){let e=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];if(t){const n=this.nodes.findIndex((e=>e.fileid===t));e&&-1===n&&t!==this.currentFolder.fileid&&(0,zn.Qg)(this.t("files","File not found")),this.scrollToIndex=Math.max(0,n)}},handleOpenFile(t){if(null===t||this.openFileId===t)return;const e=this.nodes.find((e=>e.fileid===t));void 0!==e&&e.type!==et.pt.Folder&&(Un.debug("Opening file "+e.path,{node:e}),this.openFileId=t,(0,et.qK)().filter((t=>!t.enabled||t.enabled([e],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0))).filter((t=>!(null==t||!t.default)))[0].exec(e,this.currentView,this.currentFolder.path))},getFileId:t=>t.fileid,onDragOver(t){var e;if(null===(e=t.dataTransfer)||void 0===e?void 0:e.types.includes("Files"))return;t.preventDefault(),t.stopPropagation();const n=this.$refs.table.$el.getBoundingClientRect().top,s=n+this.$refs.table.$el.getBoundingClientRect().height;t.clientY<n+100?this.$refs.table.$el.scrollTop=this.$refs.table.$el.scrollTop-25:t.clientY>s-50&&(this.$refs.table.$el.scrollTop=this.$refs.table.$el.scrollTop+25)},t:kn.Tl}});var Zo=s(8524),ta={};ta.styleTagTransform=ns(),ta.setAttributes=Jn(),ta.insert=Qn().bind(null,"head"),ta.domAPI=Yn(),ta.insertStyleElement=ts(),Wn()(Zo.A,ta),Zo.A&&Zo.A.locals&&Zo.A.locals;var ea=s(66936),na={};na.styleTagTransform=ns(),na.setAttributes=Jn(),na.insert=Qn().bind(null,"head"),na.domAPI=Yn(),na.insertStyleElement=ts(),Wn()(ea.A,na),ea.A&&ea.A.locals&&ea.A.locals;const sa=(0,Sn.A)(Jo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("VirtualList",{ref:"table",attrs:{"data-component":t.userConfig.grid_view?t.FileEntryGrid:t.FileEntry,"data-key":"source","data-sources":t.nodes,"grid-mode":t.userConfig.grid_view,"extra-props":{isMtimeAvailable:t.isMtimeAvailable,isSizeAvailable:t.isSizeAvailable,nodes:t.nodes,filesListWidth:t.filesListWidth},"scroll-to-index":t.scrollToIndex,caption:t.caption},scopedSlots:t._u([t.isNoneSelected?null:{key:"header-overlay",fn:function(){return[e("FilesListTableHeaderActions",{attrs:{"current-view":t.currentView,"selected-nodes":t.selectedNodes}})]},proxy:!0},{key:"before",fn:function(){return t._l(t.sortedHeaders,(function(n){return e("FilesListHeader",{key:n.id,attrs:{"current-folder":t.currentFolder,"current-view":t.currentView,header:n}})}))},proxy:!0},{key:"header",fn:function(){return[e("FilesListTableHeader",{ref:"thead",attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes}})]},proxy:!0},{key:"footer",fn:function(){return[e("FilesListTableFooter",{attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes,summary:t.summary}})]},proxy:!0}],null,!0)})}),[],!1,null,"2bbbfb12",null).exports,ia={name:"TrayArrowDownIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ra=(0,Sn.A)(ia,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon tray-arrow-down-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M2 12H4V17H20V12H22V17C22 18.11 21.11 19 20 19H4C2.9 19 2 18.11 2 17V12M12 15L17.55 9.54L16.13 8.13L13 11.25V2H11V11.25L7.88 8.13L6.46 9.55L12 15Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,oa=(0,st.pM)({name:"DragAndDropNotice",components:{TrayArrowDownIcon:ra},props:{currentFolder:{type:et.vd,required:!0}},data:()=>({dragover:!1}),computed:{currentView(){return this.$navigation.active},canUpload(){return this.currentFolder&&!!(this.currentFolder.permissions&et.aX.CREATE)},isQuotaExceeded(){var t;return 0===(null===(t=this.currentFolder)||void 0===t||null===(t=t.attributes)||void 0===t?void 0:t["quota-available-bytes"])},cantUploadLabel(){return this.isQuotaExceeded?this.t("files","Your have used your space quota and cannot upload files anymore"):this.canUpload?null:this.t("files","You don’t have permission to upload or create files here")}},mounted(){const t=window.document.querySelector("main.app-content");t.addEventListener("dragover",this.onDragOver),t.addEventListener("dragleave",this.onDragLeave),t.addEventListener("drop",this.onContentDrop)},beforeDestroy(){const t=window.document.querySelector("main.app-content");t.removeEventListener("dragover",this.onDragOver),t.removeEventListener("dragleave",this.onDragLeave),t.removeEventListener("drop",this.onContentDrop)},methods:{onDragOver(t){var e;t.preventDefault(),(null===(e=t.dataTransfer)||void 0===e?void 0:e.types.includes("Files"))&&(this.dragover=!0)},onDragLeave(t){var e;const n=t.currentTarget;null!=n&&n.contains(null!==(e=t.relatedTarget)&&void 0!==e?e:t.target)||this.dragover&&(this.dragover=!1)},onContentDrop(t){Un.debug("Drag and drop cancelled, dropped on empty space",{event:t}),t.preventDefault(),this.dragover&&(this.dragover=!1)},async onDrop(t){var e,n,s;if(this.cantUploadLabel)return void(0,zn.Qg)(this.cantUploadLabel);if(null!==(e=this.$el.querySelector("tbody"))&&void 0!==e&&e.contains(t.target))return;t.preventDefault(),t.stopPropagation();const i=[...(null===(n=t.dataTransfer)||void 0===n?void 0:n.items)||[]],r=await tr(i),o=await(null===(s=this.currentView)||void 0===s?void 0:s.getContents(this.currentFolder.path)),a=null==o?void 0:o.folder;if(!a)return void(0,zn.Qg)(this.t("files","Target folder does not exist any more"));if(t.button)return;Un.debug("Dropped",{event:t,folder:a,fileTree:r});const l=(await er(r,a,o.contents)).findLast((t=>{var e;return t.status!==Zs.c.FAILED&&!t.file.webkitRelativePath.includes("/")&&(null===(e=t.response)||void 0===e||null===(e=e.headers)||void 0===e?void 0:e["oc-fileid"])&&2===t.source.replace(a.source,"").split("/").length}));var c,d;void 0!==l&&(Un.debug("Scrolling to last upload in current folder",{lastUpload:l}),this.$router.push({...this.$route,params:{view:null!==(c=null===(d=this.$route.params)||void 0===d?void 0:d.view)&&void 0!==c?c:"files",fileid:parseInt(l.response.headers["oc-fileid"])}})),this.dragover=!1},t:kn.Tl}});var aa=s(82915),la={};la.styleTagTransform=ns(),la.setAttributes=Jn(),la.insert=Qn().bind(null,"head"),la.domAPI=Yn(),la.insertStyleElement=ts(),Wn()(aa.A,la),aa.A&&aa.A.locals&&aa.A.locals;const ca=(0,Sn.A)(oa,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{directives:[{name:"show",rawName:"v-show",value:t.dragover,expression:"dragover"}],staticClass:"files-list__drag-drop-notice",attrs:{"data-cy-files-drag-drop-area":""},on:{drop:t.onDrop}},[e("div",{staticClass:"files-list__drag-drop-notice-wrapper"},[t.canUpload&&!t.isQuotaExceeded?[e("TrayArrowDownIcon",{attrs:{size:48}}),t._v(" "),e("h3",{staticClass:"files-list-drag-drop-notice__title"},[t._v("\n\t\t\t\t"+t._s(t.t("files","Drag and drop files here to upload"))+"\n\t\t\t")])]:[e("h3",{staticClass:"files-list-drag-drop-notice__title"},[t._v("\n\t\t\t\t"+t._s(t.cantUploadLabel)+"\n\t\t\t")])]],2)])}),[],!1,null,"02c943a6",null).exports;var da,ua=s(96763);const ma=void 0!==(null===(da=(0,Ts.F)())||void 0===da?void 0:da.files_sharing),pa=(0,st.pM)({name:"FilesList",components:{BreadCrumbs:lr,DragAndDropNotice:ca,FilesListVirtual:sa,LinkIcon:ti.A,ListViewIcon:ni,NcAppContent:si.A,NcButton:ii.A,NcEmptyContent:ri.A,NcIconSvgWrapper:In.A,NcLoadingIcon:oi.A,PlusIcon:ai.A,AccountPlusIcon:ci,UploadPicker:Zs.U,ViewGridIcon:ui},mixins:[ir,Lo],setup(){var t;return{filesStore:fi(),pathsStore:gi(),selectionStore:hi(),uploaderStore:Ai(),userConfigStore:gs(),viewConfigStore:Dn(),enableGridView:null===(t=(0,Pn.C)("core","config",[])["enable_non-accessible_features"])||void 0===t||t}},data:()=>({filterText:"",loading:!0,promise:null,Type:Js.Z,_unsubscribeStore:()=>{}}),computed:{userConfig(){return this.userConfigStore.userConfig},currentView(){return this.$navigation.active||this.$navigation.views.find((t=>{var e,n;return t.id===(null!==(e=null===(n=this.$route.params)||void 0===n?void 0:n.view)&&void 0!==e?e:"files")}))},pageHeading(){var t,e;return null!==(t=null===(e=this.currentView)||void 0===e?void 0:e.name)&&void 0!==t?t:this.t("files","Files")},dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t||null===(t=t.dir)||void 0===t?void 0:t.toString())||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){var t;if(null===(t=this.currentView)||void 0===t||!t.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const e=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(e)},sortingParameters(){return[[...this.userConfig.sort_favorites_first?[t=>{var e;return 1!==(null===(e=t.attributes)||void 0===e?void 0:e.favorite)}]:[],...this.userConfig.sort_folders_first?[t=>"folder"!==t.type]:[],..."basename"!==this.sortingMode?[t=>t[this.sortingMode]]:[],t=>{var e;return(null===(e=t.attributes)||void 0===e?void 0:e.displayName)||t.basename},t=>t.basename],[...this.userConfig.sort_favorites_first?["asc"]:[],...this.userConfig.sort_folders_first?["asc"]:[],..."mtime"===this.sortingMode?[this.isAscSorting?"desc":"asc"]:[],..."mtime"!==this.sortingMode&&"basename"!==this.sortingMode?[this.isAscSorting?"asc":"desc"]:[],this.isAscSorting?"asc":"desc",this.isAscSorting?"asc":"desc"]]},dirContentsSorted(){var t;if(!this.currentView)return[];let e=[...this.dirContents];this.filterText&&(e=e.filter((t=>t.attributes.basename.toLowerCase().includes(this.filterText.toLowerCase()))),ua.debug("Files view filtered",e));const n=((null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]).find((t=>t.id===this.sortingMode));if(null!=n&&n.sort&&"function"==typeof n.sort){const t=[...this.dirContents].sort(n.sort);return this.isAscSorting?t:t.reverse()}return Qs(e,...this.sortingParameters)},dirContents(){var t,e;const n=null===(t=this.userConfigStore)||void 0===t?void 0:t.userConfig.show_hidden;return((null===(e=this.currentFolder)||void 0===e?void 0:e._children)||[]).map(this.getNode).filter((t=>{var e;return n?!!t:t&&!0!==(null==t||null===(e=t.attributes)||void 0===e?void 0:e.hidden)&&!(null!=t&&t.basename.startsWith("."))}))},isEmptyDir(){return 0===this.dirContents.length},isRefreshing(){return void 0!==this.currentFolder&&!this.isEmptyDir&&this.loading},toPreviousDir(){const t=this.dir.split("/").slice(0,-1).join("/")||"/";return{...this.$route,query:{dir:t}}},shareAttributes(){var t,e;if(null!==(t=this.currentFolder)&&void 0!==t&&null!==(t=t.attributes)&&void 0!==t&&t["share-types"])return Object.values((null===(e=this.currentFolder)||void 0===e||null===(e=e.attributes)||void 0===e?void 0:e["share-types"])||{}).flat()},shareButtonLabel(){return this.shareAttributes?this.shareButtonType===Js.Z.SHARE_TYPE_LINK?this.t("files","Shared by link"):this.t("files","Shared"):this.t("files","Share")},shareButtonType(){return this.shareAttributes?this.shareAttributes.some((t=>t===Js.Z.SHARE_TYPE_LINK))?Js.Z.SHARE_TYPE_LINK:Js.Z.SHARE_TYPE_USER:null},gridViewButtonLabel(){return this.userConfig.grid_view?this.t("files","Switch to list view"):this.t("files","Switch to grid view")},canUpload(){return this.currentFolder&&!!(this.currentFolder.permissions&et.aX.CREATE)},isQuotaExceeded(){var t;return 0===(null===(t=this.currentFolder)||void 0===t||null===(t=t.attributes)||void 0===t?void 0:t["quota-available-bytes"])},cantUploadLabel(){return this.isQuotaExceeded?this.t("files","Your have used your space quota and cannot upload files anymore"):this.t("files","You don’t have permission to upload or create files here")},canShare(){return ma&&this.currentFolder&&!!(this.currentFolder.permissions&et.aX.SHARE)}},watch:{currentView(t,e){(null==t?void 0:t.id)!==(null==e?void 0:e.id)&&(Un.debug("View changed",{newView:t,oldView:e}),this.selectionStore.reset(),this.resetSearch(),this.fetchContent())},dir(t,e){var n;Un.debug("Directory changed",{newDir:t,oldDir:e}),this.selectionStore.reset(),this.resetSearch(),this.fetchContent(),null!==(n=this.$refs)&&void 0!==n&&null!==(n=n.filesListVirtual)&&void 0!==n&&n.$el&&(this.$refs.filesListVirtual.$el.scrollTop=0)},dirContents(t){Un.debug("Directory contents changed",{view:this.currentView,folder:this.currentFolder,contents:t}),(0,Tn.Ic)("files:list:updated",{view:this.currentView,folder:this.currentFolder,contents:t})}},mounted(){this.fetchContent(),(0,Tn.B1)("files:node:updated",this.onUpdatedNode),(0,Tn.B1)("nextcloud:unified-search.search",this.onSearch),(0,Tn.B1)("nextcloud:unified-search.reset",this.onSearch),this._unsubscribeStore=this.userConfigStore.$subscribe((()=>this.fetchContent()),{deep:!0})},unmounted(){(0,Tn.al)("files:node:updated",this.onUpdatedNode),(0,Tn.al)("nextcloud:unified-search.search",this.onSearch),(0,Tn.al)("nextcloud:unified-search.reset",this.onSearch),this._unsubscribeStore()},methods:{async fetchContent(){var t;this.loading=!0;const e=this.dir,n=this.currentView;if(n){"function"==typeof(null===(t=this.promise)||void 0===t?void 0:t.cancel)&&(this.promise.cancel(),Un.debug("Cancelled previous ongoing fetch")),this.promise=n.getContents(e);try{const{folder:t,contents:s}=await this.promise;Un.debug("Fetched contents",{dir:e,folder:t,contents:s}),this.filesStore.updateNodes(s),this.$set(t,"_children",s.map((t=>t.fileid))),"/"===e?this.filesStore.setRoot({service:n.id,root:t}):t.fileid?(this.filesStore.updateNodes([t]),this.pathsStore.addPath({service:n.id,fileid:t.fileid,path:e})):Un.error("Invalid root folder returned",{dir:e,folder:t,currentView:n}),s.filter((t=>"folder"===t.type)).forEach((t=>{this.pathsStore.addPath({service:n.id,fileid:t.fileid,path:(0,ks.join)(e,t.basename)})}))}catch(t){Un.error("Error while fetching content",{error:t})}finally{this.loading=!1}}else Un.debug("The current view doesn't exists or is not ready.",{currentView:n})},getNode(t){return this.filesStore.getNode(t)},onUpload(t){var e;(0,ks.dirname)(t.source)===(null===(e=this.currentFolder)||void 0===e?void 0:e.source)&&this.fetchContent()},async onUploadFail(t){var e;const n=(null===(e=t.response)||void 0===e?void 0:e.status)||0;if(507!==n)if(404!==n&&409!==n)if(403!==n){try{var s;const e=new Xs.Parser({trim:!0,explicitRoot:!1}),n=(await e.parseStringPromise(null===(s=t.response)||void 0===s?void 0:s.data))["s:message"][0];if("string"==typeof n&&""!==n.trim())return void(0,zn.Qg)(this.t("files","Error during upload: {message}",{message:n}))}catch(t){Un.error("Error while parsing",{error:t})}0===n?(0,zn.Qg)(this.t("files","Unknown error during upload")):(0,zn.Qg)(this.t("files","Error during upload, status code {status}",{status:n}))}else(0,zn.Qg)(this.t("files","Operation is blocked by access control"));else(0,zn.Qg)(this.t("files","Target folder does not exist any more"));else(0,zn.Qg)(this.t("files","Not enough free space"))},onUpdatedNode(t){var e;(null==t?void 0:t.fileid)===(null===(e=this.currentFolder)||void 0===e?void 0:e.fileid)&&this.fetchContent()},onSearch:Ro()((function(t){ua.debug("Files app handling search event from unified search...",t),this.filterText=t.query}),500),resetSearch(){this.filterText=""},openSharingSidebar(){var t;this.currentFolder?(null!==(t=window)&&void 0!==t&&null!==(t=t.OCA)&&void 0!==t&&null!==(t=t.Files)&&void 0!==t&&null!==(t=t.Sidebar)&&void 0!==t&&t.setActiveTab&&window.OCA.Files.Sidebar.setActiveTab("sharing"),pi.exec(this.currentFolder,this.currentView,this.currentFolder.path)):Un.debug("No current folder found for opening sharing sidebar")},toggleGridView(){this.userConfigStore.update("grid_view",!this.userConfig.grid_view)},t:kn.Tl,n:kn.zw}});var fa=s(59068),ga={};ga.styleTagTransform=ns(),ga.setAttributes=Jn(),ga.insert=Qn().bind(null,"head"),ga.domAPI=Yn(),ga.insertStyleElement=ts(),Wn()(fa.A,ga),fa.A&&fa.A.locals&&fa.A.locals;const ha=(0,Sn.A)(pa,(function(){var t,e,n=this,s=n._self._c;return n._self._setupProxy,s("NcAppContent",{attrs:{"page-heading":n.pageHeading,"data-cy-files-content":""}},[s("div",{staticClass:"files-list__header"},[s("BreadCrumbs",{attrs:{path:n.dir},on:{reload:n.fetchContent},scopedSlots:n._u([{key:"actions",fn:function(){return[n.canShare&&n.filesListWidth>=512?s("NcButton",{staticClass:"files-list__header-share-button",class:{"files-list__header-share-button--shared":n.shareButtonType},attrs:{"aria-label":n.shareButtonLabel,title:n.shareButtonLabel,type:"tertiary"},on:{click:n.openSharingSidebar},scopedSlots:n._u([{key:"icon",fn:function(){return[n.shareButtonType===n.Type.SHARE_TYPE_LINK?s("LinkIcon"):s("AccountPlusIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2969853559)}):n._e(),n._v(" "),!n.canUpload||n.isQuotaExceeded?s("NcButton",{staticClass:"files-list__header-upload-button--disabled",attrs:{"aria-label":n.cantUploadLabel,title:n.cantUploadLabel,disabled:!0,type:"secondary"},scopedSlots:n._u([{key:"icon",fn:function(){return[s("PlusIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2953566425)},[n._v("\n\t\t\t\t\t"+n._s(n.t("files","New"))+"\n\t\t\t\t")]):n.currentFolder?s("UploadPicker",{staticClass:"files-list__header-upload-button",attrs:{content:n.dirContents,destination:n.currentFolder,multiple:!0},on:{failed:n.onUploadFail,uploaded:n.onUpload}}):n._e()]},proxy:!0}])}),n._v(" "),n.filesListWidth>=512&&n.enableGridView?s("NcButton",{staticClass:"files-list__header-grid-button",attrs:{"aria-label":n.gridViewButtonLabel,title:n.gridViewButtonLabel,type:"tertiary"},on:{click:n.toggleGridView},scopedSlots:n._u([{key:"icon",fn:function(){return[n.userConfig.grid_view?s("ListViewIcon"):s("ViewGridIcon")]},proxy:!0}],null,!1,1682960703)}):n._e(),n._v(" "),n.isRefreshing?s("NcLoadingIcon",{staticClass:"files-list__refresh-icon"}):n._e()],1),n._v(" "),!n.loading&&n.canUpload?s("DragAndDropNotice",{attrs:{"current-folder":n.currentFolder}}):n._e(),n._v(" "),n.loading&&!n.isRefreshing?s("NcLoadingIcon",{staticClass:"files-list__loading-icon",attrs:{size:38,name:n.t("files","Loading current folder")}}):!n.loading&&n.isEmptyDir?s("NcEmptyContent",{attrs:{name:(null===(t=n.currentView)||void 0===t?void 0:t.emptyTitle)||n.t("files","No files in here"),description:(null===(e=n.currentView)||void 0===e?void 0:e.emptyCaption)||n.t("files","Upload some content or sync with your devices!"),"data-cy-files-content-empty":""},scopedSlots:n._u([{key:"action",fn:function(){return["/"!==n.dir?s("NcButton",{attrs:{"aria-label":n.t("files","Go to the previous folder"),type:"primary",to:n.toPreviousDir}},[n._v("\n\t\t\t\t"+n._s(n.t("files","Go back"))+"\n\t\t\t")]):n._e()]},proxy:!0},{key:"icon",fn:function(){return[s("NcIconSvgWrapper",{attrs:{svg:n.currentView.icon}})]},proxy:!0}])}):s("FilesListVirtual",{ref:"filesListVirtual",attrs:{"current-folder":n.currentFolder,"current-view":n.currentView,nodes:n.dirContentsSorted}})],1)}),[],!1,null,"dcc61216",null).exports,va=(0,st.pM)({name:"FilesApp",components:{NcContent:_n.A,FilesList:ha,Navigation:_s}}),Aa=(0,Sn.A)(va,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcContent",{attrs:{"app-name":"files"}},[e("Navigation"),t._v(" "),e("FilesList")],1)}),[],!1,null,null,null).exports;var wa,ya;s.nc=btoa((0,nt.do)()),window.OCA.Files=null!==(wa=window.OCA.Files)&&void 0!==wa?wa:{},window.OCP.Files=null!==(ya=window.OCP.Files)&&void 0!==ya?ya:{};const ba=new class{constructor(t){var e,n,s;e=this,s=void 0,(n=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(n="_router"))in e?Object.defineProperty(e,n,{value:s,enumerable:!0,configurable:!0,writable:!0}):e[n]=s,this._router=t}get name(){return this._router.currentRoute.name}get query(){return this._router.currentRoute.query||{}}get params(){return this._router.currentRoute.params||{}}goTo(t){let e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return this._router.push({path:t,replace:e})}goToRoute(t,e,n,s){return this._router.push({name:t,query:n,params:e,replace:s})}}(bn);Object.assign(window.OCP.Files,{Router:ba}),st.Ay.use((function(t){t.mixin({beforeCreate(){const t=this.$options;if(t.pinia){const e=t.pinia;if(!this._provided){const t={};Object.defineProperty(this,"_provided",{get:()=>t,set:e=>Object.assign(t,e)})}this._provided[d]=e,this.$pinia||(this.$pinia=e),e._a=this,p&&c(e),f&&M(e._a,e)}else!this.$pinia&&t.parent&&t.parent.$pinia&&(this.$pinia=t.parent.$pinia)},destroyed(){delete this._pStores}})}));const Ca=st.Ay.observable((0,et.bh)());st.Ay.prototype.$navigation=Ca;const xa=new class{constructor(){var t,e,n;t=this,n=void 0,(e=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(e="_settings"))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,this._settings=[],xn.debug("OCA.Files.Settings initialized")}register(t){return this._settings.filter((e=>e.name===t.name)).length>0?(xn.error("A setting with the same name is already registered"),!1):(this._settings.push(t),!0)}get settings(){return this._settings}};Object.assign(window.OCA.Files,{Settings:xa}),Object.assign(window.OCA.Files.Settings,{Setting:class{constructor(t,e){let{el:n,open:s,close:i}=e;Cn(this,"_close",void 0),Cn(this,"_el",void 0),Cn(this,"_name",void 0),Cn(this,"_open",void 0),this._name=t,this._el=n,this._open=s,this._close=i,"function"!=typeof this._open&&(this._open=()=>{}),"function"!=typeof this._close&&(this._close=()=>{})}get name(){return this._name}get el(){return this._el}get open(){return this._open}get close(){return this._close}}}),new(st.Ay.extend(Aa))({router:bn,pinia:it}).$mount("#content")},36117:function(t,e,n){var s,i,r=n(96763);function o(t){return o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o(t)}"undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self&&self,s=function(t){"use strict";function e(t,n){return e=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(t,e){return t.__proto__=e,t},e(t,n)}function n(t){var e=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(t){return!1}}();return function(){var n,i=s(t);if(e){var r=s(this).constructor;n=Reflect.construct(i,arguments,r)}else n=i.apply(this,arguments);return function(t,e){if(e&&("object"===o(e)||"function"==typeof e))return e;if(void 0!==e)throw new TypeError("Derived constructors may only return object or undefined");return function(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}(t)}(this,n)}}function s(t){return s=Object.setPrototypeOf?Object.getPrototypeOf.bind():function(t){return t.__proto__||Object.getPrototypeOf(t)},s(t)}function i(t,e){var n="undefined"!=typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=function(t,e){if(t){if("string"==typeof t)return a(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?a(t,e):void 0}}(t))||e&&t&&"number"==typeof t.length){n&&(t=n);var s=0,i=function(){};return{s:i,n:function(){return s>=t.length?{done:!0}:{done:!1,value:t[s++]}},e:function(t){throw t},f:i}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,o=!0,l=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return o=t.done,t},e:function(t){l=!0,r=t},f:function(){try{o||null==n.return||n.return()}finally{if(l)throw r}}}}function a(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,s=new Array(e);n<e;n++)s[n]=t[n];return s}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){for(var n=0;n<e.length;n++){var s=e[n];s.enumerable=s.enumerable||!1,s.configurable=!0,"value"in s&&(s.writable=!0),Object.defineProperty(t,s.key,s)}}function d(t,e,n){return e&&c(t.prototype,e),n&&c(t,n),Object.defineProperty(t,"prototype",{writable:!1}),t}function u(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function m(t,e,n){(function(t,e){if(e.has(t))throw new TypeError("Cannot initialize the same private elements twice on an object")})(t,e),e.set(t,n)}function p(t,e){return function(t,e){return e.get?e.get.call(t):e.value}(t,g(t,e,"get"))}function f(t,e,n){return function(t,e,n){if(e.set)e.set.call(t,n);else{if(!e.writable)throw new TypeError("attempted to set read only private field");e.value=n}}(t,g(t,e,"set"),n),n}function g(t,e,n){if(!e.has(t))throw new TypeError("attempted to "+n+" private field on non-instance");return e.get(t)}Object.defineProperty(t,"__esModule",{value:!0}),t.CancelablePromise=void 0,t.cancelable=C,t.default=void 0,t.isCancelablePromise=x;var h="undefined"!=typeof Symbol?Symbol.toStringTag:"@@toStringTag",v=new WeakMap,A=new WeakMap,w=function(){function t(e){var n=e.executor,s=void 0===n?function(){}:n,i=e.internals,r=void 0===i?{isCanceled:!1,onCancelList:[]}:i,o=e.promise,a=void 0===o?new Promise((function(t,e){return s(t,e,(function(t){r.onCancelList.push(t)}))})):o;l(this,t),m(this,v,{writable:!0,value:void 0}),m(this,A,{writable:!0,value:void 0}),u(this,h,"CancelablePromise"),this.cancel=this.cancel.bind(this),f(this,v,r),f(this,A,a||new Promise((function(t,e){return s(t,e,(function(t){r.onCancelList.push(t)}))})))}return d(t,[{key:"then",value:function(t,e){return T(p(this,A).then(_(t,p(this,v)),_(e,p(this,v))),p(this,v))}},{key:"catch",value:function(t){return T(p(this,A).catch(_(t,p(this,v))),p(this,v))}},{key:"finally",value:function(t,e){var n=this;return e&&p(this,v).onCancelList.push(t),T(p(this,A).finally(_((function(){if(t)return e&&(p(n,v).onCancelList=p(n,v).onCancelList.filter((function(e){return e!==t}))),t()}),p(this,v))),p(this,v))}},{key:"cancel",value:function(){p(this,v).isCanceled=!0;var t=p(this,v).onCancelList;p(this,v).onCancelList=[];var e,n=i(t);try{for(n.s();!(e=n.n()).done;){var s=e.value;if("function"==typeof s)try{s()}catch(t){r.error(t)}}}catch(t){n.e(t)}finally{n.f()}}},{key:"isCanceled",value:function(){return!0===p(this,v).isCanceled}}]),t}(),y=function(t){!function(t,n){if("function"!=typeof n&&null!==n)throw new TypeError("Super expression must either be null or a function");t.prototype=Object.create(n&&n.prototype,{constructor:{value:t,writable:!0,configurable:!0}}),Object.defineProperty(t,"prototype",{writable:!1}),n&&e(t,n)}(i,t);var s=n(i);function i(t){return l(this,i),s.call(this,{executor:t})}return d(i)}(w);t.CancelablePromise=y,u(y,"all",(function(t){return k(t,Promise.all(t))})),u(y,"allSettled",(function(t){return k(t,Promise.allSettled(t))})),u(y,"any",(function(t){return k(t,Promise.any(t))})),u(y,"race",(function(t){return k(t,Promise.race(t))})),u(y,"resolve",(function(t){return C(Promise.resolve(t))})),u(y,"reject",(function(t){return C(Promise.reject(t))})),u(y,"isCancelable",x);var b=y;function C(t){return T(t,{isCanceled:!1,onCancelList:[]})}function x(t){return t instanceof y||t instanceof w}function _(t,e){if(t)return function(n){if(!e.isCanceled){var s=t(n);return x(s)&&e.onCancelList.push(s.cancel),s}return n}}function T(t,e){return new w({internals:e,promise:t})}function k(t,e){var n={isCanceled:!1,onCancelList:[]};return n.onCancelList.push((function(){var e,n=i(t);try{for(n.s();!(e=n.n()).done;){var s=e.value;x(s)&&s.cancel()}}catch(t){n.e(t)}finally{n.f()}})),new w({internals:n,promise:e})}t.default=b},void 0===(i=s.apply(e,[e]))||(t.exports=i)},14456:(t,e,n)=>{"use strict";n.d(e,{A:()=>f});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r),a=n(4417),l=n.n(a),c=new URL(n(57273),n.b),d=new URL(n(63710),n.b),u=o()(i()),m=l()(c),p=l()(d);u.push([t.id,`@charset "UTF-8";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\n *\n * @author Julius Härtl <jus@bitgrid.net>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license GNU AGPL version 3 or any later version\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n */\n.toastify.dialogs {\n min-width: 200px;\n background: none;\n background-color: var(--color-main-background);\n color: var(--color-main-text);\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\n padding: 0 12px;\n margin-top: 45px;\n position: fixed;\n z-index: 10100;\n border-radius: var(--border-radius);\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-container {\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-button,\n.toastify.dialogs .toast-close {\n position: static;\n overflow: hidden;\n box-sizing: border-box;\n min-width: 44px;\n height: 100%;\n padding: 12px;\n white-space: nowrap;\n background-repeat: no-repeat;\n background-position: center;\n background-color: transparent;\n min-height: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close,\n.toastify.dialogs .toast-close.toast-close {\n text-indent: 0;\n opacity: .4;\n border: none;\n min-height: 44px;\n margin-left: 10px;\n font-size: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close:before,\n.toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${m});\n content: " ";\n filter: var(--background-invert-if-dark);\n display: inline-block;\n width: 16px;\n height: 16px;\n}\n.toastify.dialogs .toast-undo-button.toast-undo-button,\n.toastify.dialogs .toast-close.toast-undo-button {\n height: calc(100% - 6px);\n margin: 3px 3px 3px 12px;\n}\n.toastify.dialogs .toast-undo-button:hover,\n.toastify.dialogs .toast-undo-button:focus,\n.toastify.dialogs .toast-undo-button:active,\n.toastify.dialogs .toast-close:hover,\n.toastify.dialogs .toast-close:focus,\n.toastify.dialogs .toast-close:active {\n cursor: pointer;\n opacity: 1;\n}\n.toastify.dialogs.toastify-top {\n right: 10px;\n}\n.toastify.dialogs.toast-with-click {\n cursor: pointer;\n}\n.toastify.dialogs.toast-error {\n border-left: 3px solid var(--color-error);\n}\n.toastify.dialogs.toast-info {\n border-left: 3px solid var(--color-primary);\n}\n.toastify.dialogs.toast-warning {\n border-left: 3px solid var(--color-warning);\n}\n.toastify.dialogs.toast-success,\n.toastify.dialogs.toast-undo {\n border-left: 3px solid var(--color-success);\n}\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${p});\n}\n._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-a25a2652] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-a06474d4] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n margin-block-start: 7px;\n overflow: auto;\n}\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-a06474d4] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-a06474d4] {\n max-width: unset;\n }\n}\n.file-picker__navigation {\n padding-inline: 8px 2px;\n}\n.file-picker__navigation,\n.file-picker__navigation * {\n box-sizing: border-box;\n}\n.file-picker__navigation .v-select.select {\n min-width: 220px;\n}\n@media (min-width: 513px) and (max-width: 736px) {\n .file-picker__navigation {\n gap: 11px;\n }\n}\n@media (max-width: 512px) {\n .file-picker__navigation {\n flex-direction: column-reverse !important;\n }\n}\n.file-picker__view[data-v-9def3ca4] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-9def3ca4] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-9def3ca4] {\n box-sizing: border-box;\n width: 100%;\n display: flex;\n flex-direction: column;\n min-height: 0;\n flex: 1;\n padding-inline: 2px;\n}\n.file-picker__main *[data-v-9def3ca4] {\n box-sizing: border-box;\n}\n[data-v-9def3ca4] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-9def3ca4] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-9def3ca4] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`,"",{version:3,sources:["webpack://./node_modules/@nextcloud/dialogs/dist/style.css"],names:[],mappings:"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,uBAAuB;EACvB,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,iBAAiB;EACjB,gBAAgB;AAClB;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;AACF;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;EACA;IACE,gBAAgB;EAClB;AACF;AACA;EACE,uBAAuB;AACzB;AACA;;EAEE,sBAAsB;AACxB;AACA;EACE,gBAAgB;AAClB;AACA;EACE;IACE,SAAS;EACX;AACF;AACA;EACE;IACE,yCAAyC;EAC3C;AACF;AACA;EACE,YAAY;EACZ,aAAa;EACb,sBAAsB;EACtB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,SAAS;AACX;AACA;EACE,sBAAsB;EACtB,WAAW;EACX,aAAa;EACb,sBAAsB;EACtB,aAAa;EACb,OAAO;EACP,mBAAmB;AACrB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,mCAAmC;AACrC;AACA;EACE;IACE,oEAAoE;EACtE;AACF;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,gBAAgB;AAClB",sourcesContent:["@charset \"UTF-8\";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\n *\n * @author Julius Härtl <jus@bitgrid.net>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license GNU AGPL version 3 or any later version\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n */\n.toastify.dialogs {\n min-width: 200px;\n background: none;\n background-color: var(--color-main-background);\n color: var(--color-main-text);\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\n padding: 0 12px;\n margin-top: 45px;\n position: fixed;\n z-index: 10100;\n border-radius: var(--border-radius);\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-container {\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-button,\n.toastify.dialogs .toast-close {\n position: static;\n overflow: hidden;\n box-sizing: border-box;\n min-width: 44px;\n height: 100%;\n padding: 12px;\n white-space: nowrap;\n background-repeat: no-repeat;\n background-position: center;\n background-color: transparent;\n min-height: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close,\n.toastify.dialogs .toast-close.toast-close {\n text-indent: 0;\n opacity: .4;\n border: none;\n min-height: 44px;\n margin-left: 10px;\n font-size: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close:before,\n.toastify.dialogs .toast-close.toast-close:before {\n background-image: url(\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'/%3e%3c/svg%3e\");\n content: \" \";\n filter: var(--background-invert-if-dark);\n display: inline-block;\n width: 16px;\n height: 16px;\n}\n.toastify.dialogs .toast-undo-button.toast-undo-button,\n.toastify.dialogs .toast-close.toast-undo-button {\n height: calc(100% - 6px);\n margin: 3px 3px 3px 12px;\n}\n.toastify.dialogs .toast-undo-button:hover,\n.toastify.dialogs .toast-undo-button:focus,\n.toastify.dialogs .toast-undo-button:active,\n.toastify.dialogs .toast-close:hover,\n.toastify.dialogs .toast-close:focus,\n.toastify.dialogs .toast-close:active {\n cursor: pointer;\n opacity: 1;\n}\n.toastify.dialogs.toastify-top {\n right: 10px;\n}\n.toastify.dialogs.toast-with-click {\n cursor: pointer;\n}\n.toastify.dialogs.toast-error {\n border-left: 3px solid var(--color-error);\n}\n.toastify.dialogs.toast-info {\n border-left: 3px solid var(--color-primary);\n}\n.toastify.dialogs.toast-warning {\n border-left: 3px solid var(--color-warning);\n}\n.toastify.dialogs.toast-success,\n.toastify.dialogs.toast-undo {\n border-left: 3px solid var(--color-success);\n}\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\n background-image: url(\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'%20style='fill-opacity:1;fill:%23ffffff'/%3e%3c/svg%3e\");\n}\n._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-a25a2652] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-a06474d4] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n margin-block-start: 7px;\n overflow: auto;\n}\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-a06474d4] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-a06474d4] {\n max-width: unset;\n }\n}\n.file-picker__navigation {\n padding-inline: 8px 2px;\n}\n.file-picker__navigation,\n.file-picker__navigation * {\n box-sizing: border-box;\n}\n.file-picker__navigation .v-select.select {\n min-width: 220px;\n}\n@media (min-width: 513px) and (max-width: 736px) {\n .file-picker__navigation {\n gap: 11px;\n }\n}\n@media (max-width: 512px) {\n .file-picker__navigation {\n flex-direction: column-reverse !important;\n }\n}\n.file-picker__view[data-v-9def3ca4] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-9def3ca4] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-9def3ca4] {\n box-sizing: border-box;\n width: 100%;\n display: flex;\n flex-direction: column;\n min-height: 0;\n flex: 1;\n padding-inline: 2px;\n}\n.file-picker__main *[data-v-9def3ca4] {\n box-sizing: border-box;\n}\n[data-v-9def3ca4] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-9def3ca4] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-9def3ca4] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n"],sourceRoot:""}]);const f=u},30521:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".upload-picker[data-v-eca9500a] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-eca9500a] {\n width: 200px;\n max-width: 0;\n transition: max-width var(--animation-quick) ease-in-out;\n margin-top: 8px;\n}\n.upload-picker__progress p[data-v-eca9500a] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\n animation: breathing-eca9500a 3s ease-out infinite normal;\n}\n@keyframes breathing-eca9500a {\n 0% {\n opacity: .5;\n }\n 25% {\n opacity: 1;\n }\n 60% {\n opacity: .5;\n }\n to {\n opacity: .5;\n }\n}\n","",{version:3,sources:["webpack://./node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css"],names:[],mappings:"AAAA;EACE,oBAAoB;EACpB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,YAAY;EACZ,YAAY;EACZ,wDAAwD;EACxD,eAAe;AACjB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,uBAAuB;AACzB;AACA;EACE,gBAAgB;EAChB,kBAAkB;EAClB,gBAAgB;AAClB;AACA;EACE,yDAAyD;AAC3D;AACA;EACE;IACE,WAAW;EACb;EACA;IACE,UAAU;EACZ;EACA;IACE,WAAW;EACb;EACA;IACE,WAAW;EACb;AACF",sourcesContent:[".upload-picker[data-v-eca9500a] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-eca9500a] {\n width: 200px;\n max-width: 0;\n transition: max-width var(--animation-quick) ease-in-out;\n margin-top: 8px;\n}\n.upload-picker__progress p[data-v-eca9500a] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\n animation: breathing-eca9500a 3s ease-out infinite normal;\n}\n@keyframes breathing-eca9500a {\n 0% {\n opacity: .5;\n }\n 25% {\n opacity: 1;\n }\n 60% {\n opacity: .5;\n }\n to {\n opacity: .5;\n }\n}\n"],sourceRoot:""}]);const a=o},86334:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__breadcrumbs[data-v-740bb6f2]{flex:1 1 100% !important;width:100%;height:100%;margin-block:0;margin-inline:10px}.files-list__breadcrumbs[data-v-740bb6f2] a{cursor:pointer !important}.files-list__breadcrumbs--with-progress[data-v-740bb6f2]{flex-direction:column !important;align-items:flex-start !important}","",{version:3,sources:["webpack://./apps/files/src/components/BreadCrumbs.vue"],names:[],mappings:"AACA,0CAEC,wBAAA,CACA,UAAA,CACA,WAAA,CACA,cAAA,CACA,kBAAA,CAGC,6CACC,yBAAA,CAIF,yDACC,gCAAA,CACA,iCAAA",sourcesContent:["\n.files-list__breadcrumbs {\n\t// Take as much space as possible\n\tflex: 1 1 100% !important;\n\twidth: 100%;\n\theight: 100%;\n\tmargin-block: 0;\n\tmargin-inline: 10px;\n\n\t:deep() {\n\t\ta {\n\t\t\tcursor: pointer !important;\n\t\t}\n\t}\n\n\t&--with-progress {\n\t\tflex-direction: column !important;\n\t\talign-items: flex-start !important;\n\t}\n}\n"],sourceRoot:""}]);const a=o},82915:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__drag-drop-notice[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;width:100%;min-height:113px;margin:0;user-select:none;color:var(--color-text-maxcontrast);background-color:var(--color-main-background);border-color:#000}.files-list__drag-drop-notice h3[data-v-02c943a6]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;height:15vh;max-height:70%;padding:0 5vw;border:2px var(--color-border-dark) dashed;border-radius:var(--border-radius-large)}","",{version:3,sources:["webpack://./apps/files/src/components/DragAndDropNotice.vue"],names:[],mappings:"AACA,+CACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CAEA,gBAAA,CACA,QAAA,CACA,gBAAA,CACA,mCAAA,CACA,6CAAA,CACA,iBAAA,CAEA,kDACC,gBAAA,CACA,aAAA,CAGD,uDACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,WAAA,CACA,cAAA,CACA,aAAA,CACA,0CAAA,CACA,wCAAA",sourcesContent:["\n.files-list__drag-drop-notice {\n\tdisplay: flex;\n\talign-items: center;\n\tjustify-content: center;\n\twidth: 100%;\n\t// Breadcrumbs height + row thead height\n\tmin-height: calc(58px + 55px);\n\tmargin: 0;\n\tuser-select: none;\n\tcolor: var(--color-text-maxcontrast);\n\tbackground-color: var(--color-main-background);\n\tborder-color: black;\n\n\th3 {\n\t\tmargin-left: 16px;\n\t\tcolor: inherit;\n\t}\n\n\t&-wrapper {\n\t\tdisplay: flex;\n\t\talign-items: center;\n\t\tjustify-content: center;\n\t\theight: 15vh;\n\t\tmax-height: 70%;\n\t\tpadding: 0 5vw;\n\t\tborder: 2px var(--color-border-dark) dashed;\n\t\tborder-radius: var(--border-radius-large);\n\t}\n}\n\n"],sourceRoot:""}]);const a=o},52608:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list-drag-image{position:absolute;top:-9999px;left:-9999px;display:flex;overflow:hidden;align-items:center;height:44px;padding:6px 12px;background:var(--color-main-background)}.files-list-drag-image__icon,.files-list-drag-image .files-list__row-icon{display:flex;overflow:hidden;align-items:center;justify-content:center;width:32px;height:32px;border-radius:var(--border-radius)}.files-list-drag-image__icon{overflow:visible;margin-right:12px}.files-list-drag-image__icon img{max-width:100%;max-height:100%}.files-list-drag-image__icon .material-design-icon{color:var(--color-text-maxcontrast)}.files-list-drag-image__icon .material-design-icon.folder-icon{color:var(--color-primary-element)}.files-list-drag-image__icon>span{display:flex}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon{margin-top:6px;margin-left:-26px}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon+.files-list__row-icon{margin-top:12px}.files-list-drag-image__icon>span:not(:empty)+*{display:none}.files-list-drag-image__name{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}","",{version:3,sources:["webpack://./apps/files/src/components/DragAndDropPreview.vue"],names:[],mappings:"AAIA,uBACC,iBAAA,CACA,WAAA,CACA,YAAA,CACA,YAAA,CACA,eAAA,CACA,kBAAA,CACA,WAAA,CACA,gBAAA,CACA,uCAAA,CAEA,0EAEC,YAAA,CACA,eAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CACA,WAAA,CACA,kCAAA,CAGD,6BACC,gBAAA,CACA,iBAAA,CAEA,iCACC,cAAA,CACA,eAAA,CAGD,mDACC,mCAAA,CACA,+DACC,kCAAA,CAKF,kCACC,YAAA,CAGA,8EACC,cA9CU,CA+CV,iBAAA,CACA,oGACC,eAAA,CAKF,gDACC,YAAA,CAKH,6BACC,eAAA,CACA,kBAAA,CACA,sBAAA",sourcesContent:["\n$size: 32px;\n$stack-shift: 6px;\n\n.files-list-drag-image {\n\tposition: absolute;\n\ttop: -9999px;\n\tleft: -9999px;\n\tdisplay: flex;\n\toverflow: hidden;\n\talign-items: center;\n\theight: 44px;\n\tpadding: 6px 12px;\n\tbackground: var(--color-main-background);\n\n\t&__icon,\n\t.files-list__row-icon {\n\t\tdisplay: flex;\n\t\toverflow: hidden;\n\t\talign-items: center;\n\t\tjustify-content: center;\n\t\twidth: 32px;\n\t\theight: 32px;\n\t\tborder-radius: var(--border-radius);\n\t}\n\n\t&__icon {\n\t\toverflow: visible;\n\t\tmargin-right: 12px;\n\n\t\timg {\n\t\t\tmax-width: 100%;\n\t\t\tmax-height: 100%;\n\t\t}\n\n\t\t.material-design-icon {\n\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\t&.folder-icon {\n\t\t\t\tcolor: var(--color-primary-element);\n\t\t\t}\n\t\t}\n\n\t\t// Previews container\n\t\t> span {\n\t\t\tdisplay: flex;\n\n\t\t\t// Stack effect if more than one element\n\t\t\t.files-list__row-icon + .files-list__row-icon {\n\t\t\t\tmargin-top: $stack-shift;\n\t\t\t\tmargin-left: $stack-shift - $size;\n\t\t\t\t& + .files-list__row-icon {\n\t\t\t\t\tmargin-top: $stack-shift * 2;\n\t\t\t\t}\n\t\t\t}\n\t\t\t// If we have manually clone the preview,\n\t\t\t// let's hide any fallback icons\n\t\t\t&:not(:empty) + * {\n\t\t\t\tdisplay: none;\n\t\t\t}\n\t\t}\n\t}\n\n\t&__name {\n\t\toverflow: hidden;\n\t\twhite-space: nowrap;\n\t\ttext-overflow: ellipsis;\n\t}\n}\n\n"],sourceRoot:""}]);const a=o},55559:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".favorite-marker-icon[data-v-04e52abc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg path{stroke:var(--color-main-background);stroke-width:8px;stroke-linejoin:round;paint-order:stroke}","",{version:3,sources:["webpack://./apps/files/src/components/FileEntry/FavoriteIcon.vue"],names:[],mappings:"AACA,uCACC,aAAA,CAEA,0BAAA,CACG,2BAAA,CAGF,4CAEC,qBAAA,CACA,sBAAA,CAGA,0BAAA,CACA,2BAAA,CAGA,iDACC,mCAAA,CACA,gBAAA,CACA,qBAAA,CACA,kBAAA",sourcesContent:["\n.favorite-marker-icon {\n\tcolor: #a08b00;\n\t// Override NcIconSvgWrapper defaults (clickable area)\n\tmin-width: unset !important;\n min-height: unset !important;\n\n\t:deep() {\n\t\tsvg {\n\t\t\t// We added a stroke for a11y so we must increase the size to include the stroke\n\t\t\twidth: 26px !important;\n\t\t\theight: 26px !important;\n\n\t\t\t// Override NcIconSvgWrapper defaults of 20px\n\t\t\tmax-width: unset !important;\n\t\t\tmax-height: unset !important;\n\n\t\t\t// Sow a border around the icon for better contrast\n\t\t\tpath {\n\t\t\t\tstroke: var(--color-main-background);\n\t\t\t\tstroke-width: 8px;\n\t\t\t\tstroke-linejoin: round;\n\t\t\t\tpaint-order: stroke;\n\t\t\t}\n\t\t}\n\t}\n}\n"],sourceRoot:""}]);const a=o},23237:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"main.app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper[data-popper-placement=top]{transform:translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper .v-popper__arrow-container{display:none}","",{version:3,sources:["webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue"],names:[],mappings:"AAGA,uDACC,6EAAA,CAGA,kFAEC,iGAAA,CAGD,kFACC,YAAA",sourcesContent:['\n// Allow right click to define the position of the menu\n// only if defined\nmain.app-content[style*="mouse-pos-x"] .v-popper__popper {\n\ttransform: translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important;\n\n\t// If the menu is too close to the bottom, we move it up\n\t&[data-popper-placement="top"] {\n\t\t// 34px added to align with the top of the cursor\n\t\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important;\n\t}\n\t// Hide arrow if floating\n\t.v-popper__arrow-container {\n\t\tdisplay: none;\n\t}\n}\n'],sourceRoot:""}]);const a=o},2077:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"[data-v-03cc6660] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-03cc6660] .button-vue--icon-and-text .button-vue__icon{color:var(--color-primary-element)}","",{version:3,sources:["webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue"],names:[],mappings:"AAEC,+DACC,kCAAA,CAED,+DACC,kCAAA",sourcesContent:["\n:deep(.button-vue--icon-and-text, .files-list__row-action-sharing-status) {\n\t.button-vue__text {\n\t\tcolor: var(--color-primary-element);\n\t}\n\t.button-vue__icon {\n\t\tcolor: var(--color-primary-element);\n\t}\n}\n"],sourceRoot:""}]);const a=o},31840:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"tr[data-v-a85bde20]{margin-bottom:300px;border-top:1px solid var(--color-border);background-color:rgba(0,0,0,0) !important;border-bottom:none !important}tr td[data-v-a85bde20]{user-select:none;color:var(--color-text-maxcontrast) !important}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableFooter.vue"],names:[],mappings:"AAEA,oBACC,mBAAA,CACA,wCAAA,CAEA,yCAAA,CACA,6BAAA,CAEA,uBACC,gBAAA,CAEA,8CAAA",sourcesContent:["\n// Scoped row\ntr {\n\tmargin-bottom: 300px;\n\tborder-top: 1px solid var(--color-border);\n\t// Prevent hover effect on the whole row\n\tbackground-color: transparent !important;\n\tborder-bottom: none !important;\n\n\ttd {\n\t\tuser-select: none;\n\t\t// Make sure the cell colors don't apply to column headers\n\t\tcolor: var(--color-text-maxcontrast) !important;\n\t}\n}\n"],sourceRoot:""}]);const a=o},60799:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__column[data-v-952162c2]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-952162c2]{cursor:pointer}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableHeader.vue"],names:[],mappings:"AACA,qCACC,gBAAA,CAEA,8CAAA,CAEA,+CACC,cAAA",sourcesContent:["\n.files-list__column {\n\tuser-select: none;\n\t// Make sure the cell colors don't apply to column headers\n\tcolor: var(--color-text-maxcontrast) !important;\n\n\t&--sortable {\n\t\tcursor: pointer;\n\t}\n}\n\n"],sourceRoot:""}]);const a=o},58017:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__row-actions-batch[data-v-d939292c]{flex:1 1 100% !important;max-width:100%}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableHeaderActions.vue"],names:[],mappings:"AACA,gDACC,wBAAA,CACA,cAAA",sourcesContent:["\n.files-list__row-actions-batch {\n\tflex: 1 1 100% !important;\n\tmax-width: 100%;\n}\n"],sourceRoot:""}]);const a=o},75290:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__column-sort-button[data-v-097f69d4]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-097f69d4]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-097f69d4]{color:var(--color-text-maxcontrast);opacity:0;transition:opacity var(--animation-quick);inset-inline-start:-10px}.files-list__column-sort-button--size .files-list__column-sort-button-icon[data-v-097f69d4]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-097f69d4]{opacity:1}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableHeaderButton.vue"],names:[],mappings:"AACA,iDAEC,oCAAA,CACA,sDAAA,CAEA,sDACC,mCAAA,CACA,kBAAA,CAGD,sDACC,mCAAA,CACA,SAAA,CACA,yCAAA,CACA,wBAAA,CAGD,4FACC,uBAAA,CAGD,mXAIC,SAAA",sourcesContent:["\n.files-list__column-sort-button {\n\t// Compensate for cells margin\n\tmargin: 0 calc(var(--cell-margin) * -1);\n\tmin-width: calc(100% - 3 * var(--cell-margin))!important;\n\n\t&-text {\n\t\tcolor: var(--color-text-maxcontrast);\n\t\tfont-weight: normal;\n\t}\n\n\t&-icon {\n\t\tcolor: var(--color-text-maxcontrast);\n\t\topacity: 0;\n\t\ttransition: opacity var(--animation-quick);\n\t\tinset-inline-start: -10px;\n\t}\n\n\t&--size &-icon {\n\t\tinset-inline-start: 10px;\n\t}\n\n\t&--active &-icon,\n\t&:hover &-icon,\n\t&:focus &-icon,\n\t&:active &-icon {\n\t\topacity: 1;\n\t}\n}\n"],sourceRoot:""}]);const a=o},8524:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list[data-v-2bbbfb12]{--row-height: 55px;--cell-margin: 14px;--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);--checkbox-size: 24px;--clickable-area: 44px;--icon-preview-size: 32px;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-2bbbfb12] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2bbbfb12] tbody tr{contain:strict}.files-list[data-v-2bbbfb12] tbody tr:hover,.files-list[data-v-2bbbfb12] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2bbbfb12] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2bbbfb12] .files-list__table{display:block}.files-list[data-v-2bbbfb12] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2bbbfb12] .files-list__thead-overlay{position:sticky;top:0;margin-left:var(--row-height);z-index:20;display:flex;align-items:center;background-color:var(--color-main-background);border-bottom:1px solid var(--color-border);height:var(--row-height)}.files-list[data-v-2bbbfb12] .files-list__thead,.files-list[data-v-2bbbfb12] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2bbbfb12] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2bbbfb12] .files-list__tfoot{min-height:300px}.files-list[data-v-2bbbfb12] tr{position:relative;display:flex;align-items:center;width:100%;user-select:none;border-bottom:1px solid var(--color-border);box-sizing:border-box;user-select:none;height:var(--row-height)}.files-list[data-v-2bbbfb12] td,.files-list[data-v-2bbbfb12] th{display:flex;align-items:center;flex:0 0 auto;justify-content:left;width:var(--row-height);height:var(--row-height);margin:0;padding:0;color:var(--color-text-maxcontrast);border:none}.files-list[data-v-2bbbfb12] td span,.files-list[data-v-2bbbfb12] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2bbbfb12] .files-list__row--failed{position:absolute;display:block;top:0;left:0;right:0;bottom:0;opacity:.1;z-index:-1;background:var(--color-error)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch label.checkbox-radio-switch__label{width:var(--clickable-area);height:var(--clickable-area);margin:0;padding:calc((var(--clickable-area) - var(--checkbox-size))/2)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2bbbfb12] .files-list__row:hover,.files-list[data-v-2bbbfb12] .files-list__row:focus,.files-list[data-v-2bbbfb12] .files-list__row:active,.files-list[data-v-2bbbfb12] .files-list__row--active,.files-list[data-v-2bbbfb12] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2bbbfb12] .files-list__row:hover>*,.files-list[data-v-2bbbfb12] .files-list__row:focus>*,.files-list[data-v-2bbbfb12] .files-list__row:active>*,.files-list[data-v-2bbbfb12] .files-list__row--active>*,.files-list[data-v-2bbbfb12] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2bbbfb12] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2bbbfb12] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2bbbfb12] .files-list__row-icon{position:relative;display:flex;overflow:visible;align-items:center;flex:0 0 var(--icon-preview-size);justify-content:center;width:var(--icon-preview-size);height:100%;margin-right:var(--checkbox-padding);color:var(--color-primary-element)}.files-list[data-v-2bbbfb12] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2bbbfb12] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2bbbfb12] .files-list__row-icon>span:not(.files-list__row-icon-favorite) svg{width:var(--icon-preview-size);height:var(--icon-preview-size)}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon svg{width:calc(var(--icon-preview-size) + 6px);height:calc(var(--icon-preview-size) + 6px)}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview{overflow:hidden;width:var(--icon-preview-size);height:var(--icon-preview-size);border-radius:var(--border-radius);object-fit:contain;object-position:center}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2bbbfb12] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay{position:absolute;max-height:calc(var(--icon-preview-size)*.5);max-width:calc(var(--icon-preview-size)*.5);color:var(--color-primary-element-text);margin-top:2px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2bbbfb12] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2bbbfb12] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus .files-list__row-name-text{outline:2px solid var(--color-main-text) !important;border-radius:20px}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-text{color:var(--color-main-text);padding:5px 10px;margin-left:-10px;display:inline-flex}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2bbbfb12] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2bbbfb12] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2bbbfb12] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2bbbfb12] .files-list__row-actions{width:auto}.files-list[data-v-2bbbfb12] .files-list__row-actions~td,.files-list[data-v-2bbbfb12] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2bbbfb12] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2bbbfb12] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2bbbfb12] .files-list__row-mtime,.files-list[data-v-2bbbfb12] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2bbbfb12] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2bbbfb12] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2bbbfb12] .files-list__row-column-custom{width:calc(var(--row-height)*2)}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListVirtual.vue"],names:[],mappings:"AACA,6BACC,kBAAA,CACA,mBAAA,CAEA,wEAAA,CACA,qBAAA,CACA,sBAAA,CACA,yBAAA,CAEA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAEA,uFAEC,qCAAA,CAIF,yDAEC,eAAA,CACA,KAAA,CAEA,6BAAA,CAEA,UAAA,CAEA,YAAA,CACA,kBAAA,CAGA,6CAAA,CACA,2CAAA,CACA,wBAAA,CAGD,kGAEC,YAAA,CACA,qBAAA,CACA,UAAA,CACA,6CAAA,CAKD,iDAEC,eAAA,CACA,UAAA,CACA,KAAA,CAID,iDACC,gBAAA,CAGD,iCACC,iBAAA,CACA,YAAA,CACA,kBAAA,CACA,UAAA,CACA,gBAAA,CACA,2CAAA,CACA,qBAAA,CACA,gBAAA,CACA,wBAAA,CAGD,kEACC,YAAA,CACA,kBAAA,CACA,aAAA,CACA,oBAAA,CACA,uBAAA,CACA,wBAAA,CACA,QAAA,CACA,SAAA,CACA,mCAAA,CACA,WAAA,CAKA,4EACC,eAAA,CACA,kBAAA,CACA,sBAAA,CAIF,uDACC,iBAAA,CACA,aAAA,CACA,KAAA,CACA,MAAA,CACA,OAAA,CACA,QAAA,CACA,UAAA,CACA,UAAA,CACA,6BAAA,CAGD,wDACC,sBAAA,CAEA,+EACC,YAAA,CACA,sBAAA,CAEA,iCAAA,CAEA,kHACC,2BAAA,CACA,4BAAA,CACA,QAAA,CACA,8DAAA,CAGD,4GACC,mBAAA,CAMF,gRAEC,8CAAA,CAGA,gDAAA,CACA,0RACC,wCAAA,CAID,2aACC,oCAAA,CAIF,2DAEC,mBAAA,CAKF,oDACC,iBAAA,CACA,YAAA,CACA,gBAAA,CACA,kBAAA,CAEA,iCAAA,CACA,sBAAA,CACA,8BAAA,CACA,WAAA,CAEA,oCAAA,CACA,kCAAA,CAGA,sDACC,cAAA,CAGD,yDACC,0BAAA,CAEA,iGACC,8BAAA,CACA,+BAAA,CAID,+IAEC,WAAA,CACA,uJACC,0CAAA,CACA,2CAAA,CAKH,4DACC,eAAA,CACA,8BAAA,CACA,+BAAA,CACA,kCAAA,CAEA,kBAAA,CACA,sBAAA,CAGA,uGACC,oCAAA,CAKF,6DACC,iBAAA,CACA,OAAA,CACA,WAAA,CAID,4DACC,iBAAA,CACA,4CAAA,CACA,2CAAA,CACA,uCAAA,CAEA,cAAA,CAGA,kEACC,4BAAA,CACA,uCAAA,CACA,kBAAA,CAMH,oDAEC,eAAA,CAEA,aAAA,CAEA,sDACC,YAAA,CACA,kBAAA,CAEA,UAAA,CACA,WAAA,CAEA,WAAA,CAGA,oEACC,YAAA,CAID,uFACC,mDAAA,CACA,kBAAA,CAED,2GACC,uBAAA,CAIF,+EACC,4BAAA,CAEA,gBAAA,CACA,iBAAA,CAEA,mBAAA,CAGD,8EACC,mCAAA,CAEA,gBAAA,CAKF,sDACC,UAAA,CACA,eAAA,CACA,4DACC,UAAA,CAEA,gBAAA,CACA,eAAA,CACA,gBAAA,CAEA,oEAEC,+BAAA,CACA,SAAA,CAKH,uDAEC,UAAA,CAGA,oHAEC,2BAAA,CAIA,gFAEC,kBAAA,CAKH,8DACC,gBAAA,CAGD,yGAEC,mCAAA,CAED,oDACC,iCAAA,CAEA,wBAAA,CAGD,qDACC,+BAAA,CAGD,6DACC,+BAAA",sourcesContent:["\n.files-list {\n\t--row-height: 55px;\n\t--cell-margin: 14px;\n\n\t--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);\n\t--checkbox-size: 24px;\n\t--clickable-area: 44px;\n\t--icon-preview-size: 32px;\n\n\toverflow: auto;\n\theight: 100%;\n\twill-change: scroll-position;\n\n\t& :deep() {\n\t\t// Table head, body and footer\n\t\ttbody {\n\t\t\twill-change: padding;\n\t\t\tcontain: layout paint style;\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t\twidth: 100%;\n\t\t\t// Necessary for virtual scrolling absolute\n\t\t\tposition: relative;\n\n\t\t\t/* Hover effect on tbody lines only */\n\t\t\ttr {\n\t\t\t\tcontain: strict;\n\t\t\t\t&:hover,\n\t\t\t\t&:focus {\n\t\t\t\t\tbackground-color: var(--color-background-dark);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Before table and thead\n\t\t.files-list__before {\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t}\n\n\t\t.files-list__table {\n\t\t\tdisplay: block;\n\n\t\t\t&.files-list__table--with-thead-overlay {\n\t\t\t\t// Hide the table header below the overlay\n\t\t\t\tmargin-top: calc(-1 * var(--row-height));\n\t\t\t}\n\t\t}\n\n\t\t.files-list__thead-overlay {\n\t\t\t// Pinned on top when scrolling\n\t\t\tposition: sticky;\n\t\t\ttop: 0;\n\t\t\t// Save space for a row checkbox\n\t\t\tmargin-left: var(--row-height);\n\t\t\t// More than .files-list__thead\n\t\t\tz-index: 20;\n\n\t\t\tdisplay: flex;\n\t\t\talign-items: center;\n\n\t\t\t// Reuse row styles\n\t\t\tbackground-color: var(--color-main-background);\n\t\t\tborder-bottom: 1px solid var(--color-border);\n\t\t\theight: var(--row-height);\n\t\t}\n\n\t\t.files-list__thead,\n\t\t.files-list__tfoot {\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t\twidth: 100%;\n\t\t\tbackground-color: var(--color-main-background);\n\n\t\t}\n\n\t\t// Table header\n\t\t.files-list__thead {\n\t\t\t// Pinned on top when scrolling\n\t\t\tposition: sticky;\n\t\t\tz-index: 10;\n\t\t\ttop: 0;\n\t\t}\n\n\t\t// Table footer\n\t\t.files-list__tfoot {\n\t\t\tmin-height: 300px;\n\t\t}\n\n\t\ttr {\n\t\t\tposition: relative;\n\t\t\tdisplay: flex;\n\t\t\talign-items: center;\n\t\t\twidth: 100%;\n\t\t\tuser-select: none;\n\t\t\tborder-bottom: 1px solid var(--color-border);\n\t\t\tbox-sizing: border-box;\n\t\t\tuser-select: none;\n\t\t\theight: var(--row-height);\n\t\t}\n\n\t\ttd, th {\n\t\t\tdisplay: flex;\n\t\t\talign-items: center;\n\t\t\tflex: 0 0 auto;\n\t\t\tjustify-content: left;\n\t\t\twidth: var(--row-height);\n\t\t\theight: var(--row-height);\n\t\t\tmargin: 0;\n\t\t\tpadding: 0;\n\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\tborder: none;\n\n\t\t\t// Columns should try to add any text\n\t\t\t// node wrapped in a span. That should help\n\t\t\t// with the ellipsis on overflow.\n\t\t\tspan {\n\t\t\t\toverflow: hidden;\n\t\t\t\twhite-space: nowrap;\n\t\t\t\ttext-overflow: ellipsis;\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row--failed {\n\t\t\tposition: absolute;\n\t\t\tdisplay: block;\n\t\t\ttop: 0;\n\t\t\tleft: 0;\n\t\t\tright: 0;\n\t\t\tbottom: 0;\n\t\t\topacity: .1;\n\t\t\tz-index: -1;\n\t\t\tbackground: var(--color-error);\n\t\t}\n\n\t\t.files-list__row-checkbox {\n\t\t\tjustify-content: center;\n\n\t\t\t.checkbox-radio-switch {\n\t\t\t\tdisplay: flex;\n\t\t\t\tjustify-content: center;\n\n\t\t\t\t--icon-size: var(--checkbox-size);\n\n\t\t\t\tlabel.checkbox-radio-switch__label {\n\t\t\t\t\twidth: var(--clickable-area);\n\t\t\t\t\theight: var(--clickable-area);\n\t\t\t\t\tmargin: 0;\n\t\t\t\t\tpadding: calc((var(--clickable-area) - var(--checkbox-size)) / 2);\n\t\t\t\t}\n\n\t\t\t\t.checkbox-radio-switch__icon {\n\t\t\t\t\tmargin: 0 !important;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row {\n\t\t\t&:hover, &:focus, &:active, &--active, &--dragover {\n\t\t\t\t// WCAG AA compliant\n\t\t\t\tbackground-color: var(--color-background-hover);\n\t\t\t\t// text-maxcontrast have been designed to pass WCAG AA over\n\t\t\t\t// a white background, we need to adjust then.\n\t\t\t\t--color-text-maxcontrast: var(--color-main-text);\n\t\t\t\t> * {\n\t\t\t\t\t--color-border: var(--color-border-dark);\n\t\t\t\t}\n\n\t\t\t\t// Hover state of the row should also change the favorite markers background\n\t\t\t\t.favorite-marker-icon svg path {\n\t\t\t\t\tstroke: var(--color-background-hover);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t&--dragover * {\n\t\t\t\t// Prevent dropping on row children\n\t\t\t\tpointer-events: none;\n\t\t\t}\n\t\t}\n\n\t\t// Entry preview or mime icon\n\t\t.files-list__row-icon {\n\t\t\tposition: relative;\n\t\t\tdisplay: flex;\n\t\t\toverflow: visible;\n\t\t\talign-items: center;\n\t\t\t// No shrinking or growing allowed\n\t\t\tflex: 0 0 var(--icon-preview-size);\n\t\t\tjustify-content: center;\n\t\t\twidth: var(--icon-preview-size);\n\t\t\theight: 100%;\n\t\t\t// Show same padding as the checkbox right padding for visual balance\n\t\t\tmargin-right: var(--checkbox-padding);\n\t\t\tcolor: var(--color-primary-element);\n\n\t\t\t// Icon is also clickable\n\t\t\t* {\n\t\t\t\tcursor: pointer;\n\t\t\t}\n\n\t\t\t& > span {\n\t\t\t\tjustify-content: flex-start;\n\n\t\t\t\t&:not(.files-list__row-icon-favorite) svg {\n\t\t\t\t\twidth: var(--icon-preview-size);\n\t\t\t\t\theight: var(--icon-preview-size);\n\t\t\t\t}\n\n\t\t\t\t// Slightly increase the size of the folder icon\n\t\t\t\t&.folder-icon,\n\t\t\t\t&.folder-open-icon {\n\t\t\t\t\tmargin: -3px;\n\t\t\t\t\tsvg {\n\t\t\t\t\t\twidth: calc(var(--icon-preview-size) + 6px);\n\t\t\t\t\t\theight: calc(var(--icon-preview-size) + 6px);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t&-preview {\n\t\t\t\toverflow: hidden;\n\t\t\t\twidth: var(--icon-preview-size);\n\t\t\t\theight: var(--icon-preview-size);\n\t\t\t\tborder-radius: var(--border-radius);\n\t\t\t\t// Center and contain the preview\n\t\t\t\tobject-fit: contain;\n\t\t\t\tobject-position: center;\n\n\t\t\t\t/* Preview not loaded animation effect */\n\t\t\t\t&:not(.files-list__row-icon-preview--loaded) {\n\t\t\t\t\tbackground: var(--color-loading-dark);\n\t\t\t\t\t// animation: preview-gradient-fade 1.2s ease-in-out infinite;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t&-favorite {\n\t\t\t\tposition: absolute;\n\t\t\t\ttop: 0px;\n\t\t\t\tright: -10px;\n\t\t\t}\n\n\t\t\t// File and folder overlay\n\t\t\t&-overlay {\n\t\t\t\tposition: absolute;\n\t\t\t\tmax-height: calc(var(--icon-preview-size) * 0.5);\n\t\t\t\tmax-width: calc(var(--icon-preview-size) * 0.5);\n\t\t\t\tcolor: var(--color-primary-element-text);\n\t\t\t\t// better alignment with the folder icon\n\t\t\t\tmargin-top: 2px;\n\n\t\t\t\t// Improve icon contrast with a background for files\n\t\t\t\t&--file {\n\t\t\t\t\tcolor: var(--color-main-text);\n\t\t\t\t\tbackground: var(--color-main-background);\n\t\t\t\t\tborder-radius: 100%;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Entry link\n\t\t.files-list__row-name {\n\t\t\t// Prevent link from overflowing\n\t\t\toverflow: hidden;\n\t\t\t// Take as much space as possible\n\t\t\tflex: 1 1 auto;\n\n\t\t\ta {\n\t\t\t\tdisplay: flex;\n\t\t\t\talign-items: center;\n\t\t\t\t// Fill cell height and width\n\t\t\t\twidth: 100%;\n\t\t\t\theight: 100%;\n\t\t\t\t// Necessary for flex grow to work\n\t\t\t\tmin-width: 0;\n\n\t\t\t\t// Already added to the inner text, see rule below\n\t\t\t\t&:focus-visible {\n\t\t\t\t\toutline: none;\n\t\t\t\t}\n\n\t\t\t\t// Keyboard indicator a11y\n\t\t\t\t&:focus .files-list__row-name-text {\n\t\t\t\t\toutline: 2px solid var(--color-main-text) !important;\n\t\t\t\t\tborder-radius: 20px;\n\t\t\t\t}\n\t\t\t\t&:focus:not(:focus-visible) .files-list__row-name-text {\n\t\t\t\t\toutline: none !important;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t.files-list__row-name-text {\n\t\t\t\tcolor: var(--color-main-text);\n\t\t\t\t// Make some space for the outline\n\t\t\t\tpadding: 5px 10px;\n\t\t\t\tmargin-left: -10px;\n\t\t\t\t// Align two name and ext\n\t\t\t\tdisplay: inline-flex;\n\t\t\t}\n\n\t\t\t.files-list__row-name-ext {\n\t\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\t\t// always show the extension\n\t\t\t\toverflow: visible;\n\t\t\t}\n\t\t}\n\n\t\t// Rename form\n\t\t.files-list__row-rename {\n\t\t\twidth: 100%;\n\t\t\tmax-width: 600px;\n\t\t\tinput {\n\t\t\t\twidth: 100%;\n\t\t\t\t// Align with text, 0 - padding - border\n\t\t\t\tmargin-left: -8px;\n\t\t\t\tpadding: 2px 6px;\n\t\t\t\tborder-width: 2px;\n\n\t\t\t\t&:invalid {\n\t\t\t\t\t// Show red border on invalid input\n\t\t\t\t\tborder-color: var(--color-error);\n\t\t\t\t\tcolor: red;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row-actions {\n\t\t\t// take as much space as necessary\n\t\t\twidth: auto;\n\n\t\t\t// Add margin to all cells after the actions\n\t\t\t& ~ td,\n\t\t\t& ~ th {\n\t\t\t\tmargin: 0 var(--cell-margin);\n\t\t\t}\n\n\t\t\tbutton {\n\t\t\t\t.button-vue__text {\n\t\t\t\t\t// Remove bold from default button styling\n\t\t\t\t\tfont-weight: normal;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row-action--inline {\n\t\t\tmargin-right: 7px;\n\t\t}\n\n\t\t.files-list__row-mtime,\n\t\t.files-list__row-size {\n\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t}\n\t\t.files-list__row-size {\n\t\t\twidth: calc(var(--row-height) * 1.5);\n\t\t\t// Right align content/text\n\t\t\tjustify-content: flex-end;\n\t\t}\n\n\t\t.files-list__row-mtime {\n\t\t\twidth: calc(var(--row-height) * 2);\n\t\t}\n\n\t\t.files-list__row-column-custom {\n\t\t\twidth: calc(var(--row-height) * 2);\n\t\t}\n\t}\n}\n"],sourceRoot:""}]);const a=o},66936:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"tbody.files-list__tbody.files-list__tbody--grid{--half-clickable-area: calc(var(--clickable-area) / 2);--row-width: 160px;--row-height: calc(var(--row-width) - var(--half-clickable-area));--icon-preview-size: calc(var(--row-width) - var(--clickable-area));--checkbox-padding: 0px;display:grid;grid-template-columns:repeat(auto-fill, var(--row-width));grid-gap:15px;row-gap:15px;align-content:center;align-items:center;justify-content:space-around;justify-items:center}tbody.files-list__tbody.files-list__tbody--grid tr{width:var(--row-width);height:calc(var(--row-height) + var(--clickable-area));border:none;border-radius:var(--border-radius)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-checkbox{position:absolute;z-index:9;top:0;left:0;overflow:hidden;width:var(--clickable-area);height:var(--clickable-area);border-radius:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-icon-favorite{position:absolute;top:0;right:0;display:flex;align-items:center;justify-content:center;width:var(--clickable-area);height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name{display:grid;justify-content:stretch;width:100%;height:100%;grid-auto-rows:var(--row-height) var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name span.files-list__row-icon{width:100%;height:100%;padding-top:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name a.files-list__row-name-link{width:calc(100% - var(--clickable-area));height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name .files-list__row-name-text{margin:0;padding-right:0}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-actions{position:absolute;right:0;bottom:0;width:var(--clickable-area);height:var(--clickable-area)}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListVirtual.vue"],names:[],mappings:"AAEA,gDACC,sDAAA,CACA,kBAAA,CAEA,iEAAA,CACA,mEAAA,CACA,uBAAA,CAEA,YAAA,CACA,yDAAA,CACA,aAAA,CACA,YAAA,CAEA,oBAAA,CACA,kBAAA,CACA,4BAAA,CACA,oBAAA,CAEA,mDACC,sBAAA,CACA,sDAAA,CACA,WAAA,CACA,kCAAA,CAID,0EACC,iBAAA,CACA,SAAA,CACA,KAAA,CACA,MAAA,CACA,eAAA,CACA,2BAAA,CACA,4BAAA,CACA,wCAAA,CAID,+EACC,iBAAA,CACA,KAAA,CACA,OAAA,CACA,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,2BAAA,CACA,4BAAA,CAGD,sEACC,YAAA,CACA,uBAAA,CACA,UAAA,CACA,WAAA,CACA,sDAAA,CAEA,gGACC,UAAA,CACA,WAAA,CAGA,sCAAA,CAGD,kGAEC,wCAAA,CACA,4BAAA,CAGD,iGACC,QAAA,CACA,eAAA,CAIF,yEACC,iBAAA,CACA,OAAA,CACA,QAAA,CACA,2BAAA,CACA,4BAAA",sourcesContent:["\n// Grid mode\ntbody.files-list__tbody.files-list__tbody--grid {\n\t--half-clickable-area: calc(var(--clickable-area) / 2);\n\t--row-width: 160px;\n\t// We use half of the clickable area as visual balance margin\n\t--row-height: calc(var(--row-width) - var(--half-clickable-area));\n\t--icon-preview-size: calc(var(--row-width) - var(--clickable-area));\n\t--checkbox-padding: 0px;\n\n\tdisplay: grid;\n\tgrid-template-columns: repeat(auto-fill, var(--row-width));\n\tgrid-gap: 15px;\n\trow-gap: 15px;\n\n\talign-content: center;\n\talign-items: center;\n\tjustify-content: space-around;\n\tjustify-items: center;\n\n\ttr {\n\t\twidth: var(--row-width);\n\t\theight: calc(var(--row-height) + var(--clickable-area));\n\t\tborder: none;\n\t\tborder-radius: var(--border-radius);\n\t}\n\n\t// Checkbox in the top left\n\t.files-list__row-checkbox {\n\t\tposition: absolute;\n\t\tz-index: 9;\n\t\ttop: 0;\n\t\tleft: 0;\n\t\toverflow: hidden;\n\t\twidth: var(--clickable-area);\n\t\theight: var(--clickable-area);\n\t\tborder-radius: var(--half-clickable-area);\n\t}\n\n\t// Star icon in the top right\n\t.files-list__row-icon-favorite {\n\t\tposition: absolute;\n\t\ttop: 0;\n\t\tright: 0;\n\t\tdisplay: flex;\n\t\talign-items: center;\n\t\tjustify-content: center;\n\t\twidth: var(--clickable-area);\n\t\theight: var(--clickable-area);\n\t}\n\n\t.files-list__row-name {\n\t\tdisplay: grid;\n\t\tjustify-content: stretch;\n\t\twidth: 100%;\n\t\theight: 100%;\n\t\tgrid-auto-rows: var(--row-height) var(--clickable-area);\n\n\t\tspan.files-list__row-icon {\n\t\t\twidth: 100%;\n\t\t\theight: 100%;\n\t\t\t// Visual balance, we use half of the clickable area\n\t\t\t// as a margin around the preview\n\t\t\tpadding-top: var(--half-clickable-area);\n\t\t}\n\n\t\ta.files-list__row-name-link {\n\t\t\t// Minus action menu\n\t\t\twidth: calc(100% - var(--clickable-area));\n\t\t\theight: var(--clickable-area);\n\t\t}\n\n\t\t.files-list__row-name-text {\n\t\t\tmargin: 0;\n\t\t\tpadding-right: 0;\n\t\t}\n\t}\n\n\t.files-list__row-actions {\n\t\tposition: absolute;\n\t\tright: 0;\n\t\tbottom: 0;\n\t\twidth: var(--clickable-area);\n\t\theight: var(--clickable-area);\n\t}\n}\n"],sourceRoot:""}]);const a=o},33149:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".app-navigation-entry__settings-quota--not-unlimited[data-v-063ed938] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-063ed938]{position:absolute;bottom:12px;margin-left:44px;width:calc(100% - 44px - 22px)}","",{version:3,sources:["webpack://./apps/files/src/components/NavigationQuota.vue"],names:[],mappings:"AAIC,kGACC,eAAA,CAGD,gEACC,iBAAA,CACA,WAAA,CACA,gBAAA,CACA,8BAAA",sourcesContent:["\n// User storage stats display\n.app-navigation-entry__settings-quota {\n\t// Align title with progress and icon\n\t&--not-unlimited::v-deep .app-navigation-entry__name {\n\t\tmargin-top: -6px;\n\t}\n\n\tprogress {\n\t\tposition: absolute;\n\t\tbottom: 12px;\n\t\tmargin-left: 44px;\n\t\twidth: calc(100% - 44px - 22px);\n\t}\n}\n"],sourceRoot:""}]);const a=o},59068:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".app-content[data-v-dcc61216]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-dcc61216]{display:flex;align-items:center;flex:0 0;max-width:100%;margin-block:var(--app-navigation-padding, 4px);margin-inline:calc(var(--default-clickable-area, 44px) + 2*var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px)}.files-list__header>*[data-v-dcc61216]{flex:0 0}.files-list__header-share-button[data-v-dcc61216]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-dcc61216]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-dcc61216]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-dcc61216]{margin:auto}","",{version:3,sources:["webpack://./apps/files/src/views/FilesList.vue"],names:[],mappings:"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,4BAAA,CAIA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CACA,cAAA,CAEA,+CAAA,CACA,iIAAA,CAEA,uCAGC,QAAA,CAGD,kDACC,8CAAA,CAEA,0DACC,uCAAA,CAKH,2CACC,aAAA,CACA,UAAA,CACA,WAAA,CAGD,2CACC,WAAA",sourcesContent:["\n.app-content {\n\t// Virtual list needs to be full height and is scrollable\n\tdisplay: flex;\n\toverflow: hidden;\n\tflex-direction: column;\n\tmax-height: 100%;\n\tposition: relative !important;\n}\n\n.files-list {\n\t&__header {\n\t\tdisplay: flex;\n\t\talign-items: center;\n\t\t// Do not grow or shrink (vertically)\n\t\tflex: 0 0;\n\t\tmax-width: 100%;\n\t\t// Align with the navigation toggle icon\n\t\tmargin-block: var(--app-navigation-padding, 4px);\n\t\tmargin-inline: calc(var(--default-clickable-area, 44px) + 2 * var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px);\n\n\t\t>* {\n\t\t\t// Do not grow or shrink (horizontally)\n\t\t\t// Only the breadcrumbs shrinks\n\t\t\tflex: 0 0;\n\t\t}\n\n\t\t&-share-button {\n\t\t\tcolor: var(--color-text-maxcontrast) !important;\n\n\t\t\t&--shared {\n\t\t\t\tcolor: var(--color-main-text) !important;\n\t\t\t}\n\t\t}\n\t}\n\n\t&__refresh-icon {\n\t\tflex: 0 0 44px;\n\t\twidth: 44px;\n\t\theight: 44px;\n\t}\n\n\t&__loading-icon {\n\t\tmargin: auto;\n\t}\n}\n"],sourceRoot:""}]);const a=o},59062:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".app-navigation[data-v-8291caa8] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-8291caa8] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-8291caa8]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-8291caa8]{height:auto !important;overflow:hidden !important;padding-top:0 !important;flex:0 0 auto}","",{version:3,sources:["webpack://./apps/files/src/views/Navigation.vue"],names:[],mappings:"AAEA,4DACC,2BAAA,CACA,0BAAA,CAGD,oGACC,uCAAA,CAGD,yDAEC,gDAAA,CAGD,iDACC,sBAAA,CACA,0BAAA,CACA,wBAAA,CAEA,aAAA",sourcesContent:["\n// TODO: remove when https://github.com/nextcloud/nextcloud-vue/pull/3539 is in\n.app-navigation::v-deep .app-navigation-entry-icon {\n\tbackground-repeat: no-repeat;\n\tbackground-position: center;\n}\n\n.app-navigation::v-deep .app-navigation-entry.active .button-vue.icon-collapse:not(:hover) {\n\tcolor: var(--color-primary-element-text);\n}\n\n.app-navigation > ul.app-navigation__list {\n\t// Use flex gap value for more elegant spacing\n\tpadding-bottom: var(--default-grid-baseline, 4px);\n}\n\n.app-navigation-entry__settings {\n\theight: auto !important;\n\toverflow: hidden !important;\n\tpadding-top: 0 !important;\n\t// Prevent shrinking or growing\n\tflex: 0 0 auto;\n}\n"],sourceRoot:""}]);const a=o},83331:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".setting-link[data-v-109572de]:hover{text-decoration:underline}","",{version:3,sources:["webpack://./apps/files/src/views/Settings.vue"],names:[],mappings:"AACA,qCACC,yBAAA",sourcesContent:["\n.setting-link:hover {\n\ttext-decoration: underline;\n}\n"],sourceRoot:""}]);const a=o},64043:(t,e,n)=>{var s=n(48287).Buffer;!function(t){t.parser=function(t,e){return new r(t,e)},t.SAXParser=r,t.SAXStream=a,t.createStream=function(t,e){return new a(t,e)},t.MAX_BUFFER_LENGTH=65536;var e,i=["comment","sgmlDecl","textNode","tagName","doctype","procInstName","procInstBody","entity","attribName","attribValue","cdata","script"];function r(e,n){if(!(this instanceof r))return new r(e,n);var s=this;!function(t){for(var e=0,n=i.length;e<n;e++)t[i[e]]=""}(s),s.q=s.c="",s.bufferCheckPosition=t.MAX_BUFFER_LENGTH,s.opt=n||{},s.opt.lowercase=s.opt.lowercase||s.opt.lowercasetags,s.looseCase=s.opt.lowercase?"toLowerCase":"toUpperCase",s.tags=[],s.closed=s.closedRoot=s.sawRoot=!1,s.tag=s.error=null,s.strict=!!e,s.noscript=!(!e&&!s.opt.noscript),s.state=T.BEGIN,s.strictEntities=s.opt.strictEntities,s.ENTITIES=s.strictEntities?Object.create(t.XML_ENTITIES):Object.create(t.ENTITIES),s.attribList=[],s.opt.xmlns&&(s.ns=Object.create(m)),s.trackPosition=!1!==s.opt.position,s.trackPosition&&(s.position=s.line=s.column=0),E(s,"onready")}t.EVENTS=["text","processinginstruction","sgmldeclaration","doctype","comment","opentagstart","attribute","opentag","closetag","opencdata","cdata","closecdata","error","end","ready","script","opennamespace","closenamespace"],Object.create||(Object.create=function(t){function e(){}return e.prototype=t,new e}),Object.keys||(Object.keys=function(t){var e=[];for(var n in t)t.hasOwnProperty(n)&&e.push(n);return e}),r.prototype={end:function(){I(this)},write:function(e){var n=this;if(this.error)throw this.error;if(n.closed)return F(n,"Cannot write after close. Assign an onready handler.");if(null===e)return I(n);"object"==typeof e&&(e=e.toString());for(var s=0,r="";r=R(e,s++),n.c=r,r;)switch(n.trackPosition&&(n.position++,"\n"===r?(n.line++,n.column=0):n.column++),n.state){case T.BEGIN:if(n.state=T.BEGIN_WHITESPACE,"\ufeff"===r)continue;M(n,r);continue;case T.BEGIN_WHITESPACE:M(n,r);continue;case T.TEXT:if(n.sawRoot&&!n.closedRoot){for(var o=s-1;r&&"<"!==r&&"&"!==r;)(r=R(e,s++))&&n.trackPosition&&(n.position++,"\n"===r?(n.line++,n.column=0):n.column++);n.textNode+=e.substring(o,s-1)}"<"!==r||n.sawRoot&&n.closedRoot&&!n.strict?(v(r)||n.sawRoot&&!n.closedRoot||P(n,"Text data outside of root node."),"&"===r?n.state=T.TEXT_ENTITY:n.textNode+=r):(n.state=T.OPEN_WAKA,n.startTagPosition=n.position);continue;case T.SCRIPT:"<"===r?n.state=T.SCRIPT_ENDING:n.script+=r;continue;case T.SCRIPT_ENDING:"/"===r?n.state=T.CLOSE_TAG:(n.script+="<"+r,n.state=T.SCRIPT);continue;case T.OPEN_WAKA:if("!"===r)n.state=T.SGML_DECL,n.sgmlDecl="";else if(v(r));else if(y(p,r))n.state=T.OPEN_TAG,n.tagName=r;else if("/"===r)n.state=T.CLOSE_TAG,n.tagName="";else if("?"===r)n.state=T.PROC_INST,n.procInstName=n.procInstBody="";else{if(P(n,"Unencoded <"),n.startTagPosition+1<n.position){var a=n.position-n.startTagPosition;r=new Array(a).join(" ")+r}n.textNode+="<"+r,n.state=T.TEXT}continue;case T.SGML_DECL:(n.sgmlDecl+r).toUpperCase()===l?(S(n,"onopencdata"),n.state=T.CDATA,n.sgmlDecl="",n.cdata=""):n.sgmlDecl+r==="--"?(n.state=T.COMMENT,n.comment="",n.sgmlDecl=""):(n.sgmlDecl+r).toUpperCase()===c?(n.state=T.DOCTYPE,(n.doctype||n.sawRoot)&&P(n,"Inappropriately located doctype declaration"),n.doctype="",n.sgmlDecl=""):">"===r?(S(n,"onsgmldeclaration",n.sgmlDecl),n.sgmlDecl="",n.state=T.TEXT):A(r)?(n.state=T.SGML_DECL_QUOTED,n.sgmlDecl+=r):n.sgmlDecl+=r;continue;case T.SGML_DECL_QUOTED:r===n.q&&(n.state=T.SGML_DECL,n.q=""),n.sgmlDecl+=r;continue;case T.DOCTYPE:">"===r?(n.state=T.TEXT,S(n,"ondoctype",n.doctype),n.doctype=!0):(n.doctype+=r,"["===r?n.state=T.DOCTYPE_DTD:A(r)&&(n.state=T.DOCTYPE_QUOTED,n.q=r));continue;case T.DOCTYPE_QUOTED:n.doctype+=r,r===n.q&&(n.q="",n.state=T.DOCTYPE);continue;case T.DOCTYPE_DTD:n.doctype+=r,"]"===r?n.state=T.DOCTYPE:A(r)&&(n.state=T.DOCTYPE_DTD_QUOTED,n.q=r);continue;case T.DOCTYPE_DTD_QUOTED:n.doctype+=r,r===n.q&&(n.state=T.DOCTYPE_DTD,n.q="");continue;case T.COMMENT:"-"===r?n.state=T.COMMENT_ENDING:n.comment+=r;continue;case T.COMMENT_ENDING:"-"===r?(n.state=T.COMMENT_ENDED,n.comment=N(n.opt,n.comment),n.comment&&S(n,"oncomment",n.comment),n.comment=""):(n.comment+="-"+r,n.state=T.COMMENT);continue;case T.COMMENT_ENDED:">"!==r?(P(n,"Malformed comment"),n.comment+="--"+r,n.state=T.COMMENT):n.state=T.TEXT;continue;case T.CDATA:"]"===r?n.state=T.CDATA_ENDING:n.cdata+=r;continue;case T.CDATA_ENDING:"]"===r?n.state=T.CDATA_ENDING_2:(n.cdata+="]"+r,n.state=T.CDATA);continue;case T.CDATA_ENDING_2:">"===r?(n.cdata&&S(n,"oncdata",n.cdata),S(n,"onclosecdata"),n.cdata="",n.state=T.TEXT):"]"===r?n.cdata+="]":(n.cdata+="]]"+r,n.state=T.CDATA);continue;case T.PROC_INST:"?"===r?n.state=T.PROC_INST_ENDING:v(r)?n.state=T.PROC_INST_BODY:n.procInstName+=r;continue;case T.PROC_INST_BODY:if(!n.procInstBody&&v(r))continue;"?"===r?n.state=T.PROC_INST_ENDING:n.procInstBody+=r;continue;case T.PROC_INST_ENDING:">"===r?(S(n,"onprocessinginstruction",{name:n.procInstName,body:n.procInstBody}),n.procInstName=n.procInstBody="",n.state=T.TEXT):(n.procInstBody+="?"+r,n.state=T.PROC_INST_BODY);continue;case T.OPEN_TAG:y(f,r)?n.tagName+=r:(B(n),">"===r?U(n):"/"===r?n.state=T.OPEN_TAG_SLASH:(v(r)||P(n,"Invalid character in tag name"),n.state=T.ATTRIB));continue;case T.OPEN_TAG_SLASH:">"===r?(U(n,!0),j(n)):(P(n,"Forward-slash in opening tag not followed by >"),n.state=T.ATTRIB);continue;case T.ATTRIB:if(v(r))continue;">"===r?U(n):"/"===r?n.state=T.OPEN_TAG_SLASH:y(p,r)?(n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME:"="===r?n.state=T.ATTRIB_VALUE:">"===r?(P(n,"Attribute without value"),n.attribValue=n.attribName,D(n),U(n)):v(r)?n.state=T.ATTRIB_NAME_SAW_WHITE:y(f,r)?n.attribName+=r:P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME_SAW_WHITE:if("="===r)n.state=T.ATTRIB_VALUE;else{if(v(r))continue;P(n,"Attribute without value"),n.tag.attributes[n.attribName]="",n.attribValue="",S(n,"onattribute",{name:n.attribName,value:""}),n.attribName="",">"===r?U(n):y(p,r)?(n.attribName=r,n.state=T.ATTRIB_NAME):(P(n,"Invalid attribute name"),n.state=T.ATTRIB)}continue;case T.ATTRIB_VALUE:if(v(r))continue;A(r)?(n.q=r,n.state=T.ATTRIB_VALUE_QUOTED):(P(n,"Unquoted attribute value"),n.state=T.ATTRIB_VALUE_UNQUOTED,n.attribValue=r);continue;case T.ATTRIB_VALUE_QUOTED:if(r!==n.q){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_Q:n.attribValue+=r;continue}D(n),n.q="",n.state=T.ATTRIB_VALUE_CLOSED;continue;case T.ATTRIB_VALUE_CLOSED:v(r)?n.state=T.ATTRIB:">"===r?U(n):"/"===r?n.state=T.OPEN_TAG_SLASH:y(p,r)?(P(n,"No whitespace between attributes"),n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_VALUE_UNQUOTED:if(!w(r)){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_U:n.attribValue+=r;continue}D(n),">"===r?U(n):n.state=T.ATTRIB;continue;case T.CLOSE_TAG:if(n.tagName)">"===r?j(n):y(f,r)?n.tagName+=r:n.script?(n.script+="</"+n.tagName,n.tagName="",n.state=T.SCRIPT):(v(r)||P(n,"Invalid tagname in closing tag"),n.state=T.CLOSE_TAG_SAW_WHITE);else{if(v(r))continue;b(p,r)?n.script?(n.script+="</"+r,n.state=T.SCRIPT):P(n,"Invalid tagname in closing tag."):n.tagName=r}continue;case T.CLOSE_TAG_SAW_WHITE:if(v(r))continue;">"===r?j(n):P(n,"Invalid characters in closing tag");continue;case T.TEXT_ENTITY:case T.ATTRIB_VALUE_ENTITY_Q:case T.ATTRIB_VALUE_ENTITY_U:var d,u;switch(n.state){case T.TEXT_ENTITY:d=T.TEXT,u="textNode";break;case T.ATTRIB_VALUE_ENTITY_Q:d=T.ATTRIB_VALUE_QUOTED,u="attribValue";break;case T.ATTRIB_VALUE_ENTITY_U:d=T.ATTRIB_VALUE_UNQUOTED,u="attribValue"}if(";"===r)if(n.opt.unparsedEntities){var m=z(n);n.entity="",n.state=d,n.write(m)}else n[u]+=z(n),n.entity="",n.state=d;else y(n.entity.length?h:g,r)?n.entity+=r:(P(n,"Invalid character in entity name"),n[u]+="&"+n.entity+r,n.entity="",n.state=d);continue;default:throw new Error(n,"Unknown state: "+n.state)}return n.position>=n.bufferCheckPosition&&function(e){for(var n=Math.max(t.MAX_BUFFER_LENGTH,10),s=0,r=0,o=i.length;r<o;r++){var a=e[i[r]].length;if(a>n)switch(i[r]){case"textNode":L(e);break;case"cdata":S(e,"oncdata",e.cdata),e.cdata="";break;case"script":S(e,"onscript",e.script),e.script="";break;default:F(e,"Max buffer length exceeded: "+i[r])}s=Math.max(s,a)}var l=t.MAX_BUFFER_LENGTH-s;e.bufferCheckPosition=l+e.position}(n),n},resume:function(){return this.error=null,this},close:function(){return this.write(null)},flush:function(){var t;L(t=this),""!==t.cdata&&(S(t,"oncdata",t.cdata),t.cdata=""),""!==t.script&&(S(t,"onscript",t.script),t.script="")}};try{e=n(88310).Stream}catch(t){e=function(){}}e||(e=function(){});var o=t.EVENTS.filter((function(t){return"error"!==t&&"end"!==t}));function a(t,n){if(!(this instanceof a))return new a(t,n);e.apply(this),this._parser=new r(t,n),this.writable=!0,this.readable=!0;var s=this;this._parser.onend=function(){s.emit("end")},this._parser.onerror=function(t){s.emit("error",t),s._parser.error=null},this._decoder=null,o.forEach((function(t){Object.defineProperty(s,"on"+t,{get:function(){return s._parser["on"+t]},set:function(e){if(!e)return s.removeAllListeners(t),s._parser["on"+t]=e,e;s.on(t,e)},enumerable:!0,configurable:!1})}))}a.prototype=Object.create(e.prototype,{constructor:{value:a}}),a.prototype.write=function(t){if("function"==typeof s&&"function"==typeof s.isBuffer&&s.isBuffer(t)){if(!this._decoder){var e=n(83141).I;this._decoder=new e("utf8")}t=this._decoder.write(t)}return this._parser.write(t.toString()),this.emit("data",t),!0},a.prototype.end=function(t){return t&&t.length&&this.write(t),this._parser.end(),!0},a.prototype.on=function(t,n){var s=this;return s._parser["on"+t]||-1===o.indexOf(t)||(s._parser["on"+t]=function(){var e=1===arguments.length?[arguments[0]]:Array.apply(null,arguments);e.splice(0,0,t),s.emit.apply(s,e)}),e.prototype.on.call(s,t,n)};var l="[CDATA[",c="DOCTYPE",d="http://www.w3.org/XML/1998/namespace",u="http://www.w3.org/2000/xmlns/",m={xml:d,xmlns:u},p=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,f=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/,g=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,h=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/;function v(t){return" "===t||"\n"===t||"\r"===t||"\t"===t}function A(t){return'"'===t||"'"===t}function w(t){return">"===t||v(t)}function y(t,e){return t.test(e)}function b(t,e){return!y(t,e)}var C,x,_,T=0;for(var k in t.STATE={BEGIN:T++,BEGIN_WHITESPACE:T++,TEXT:T++,TEXT_ENTITY:T++,OPEN_WAKA:T++,SGML_DECL:T++,SGML_DECL_QUOTED:T++,DOCTYPE:T++,DOCTYPE_QUOTED:T++,DOCTYPE_DTD:T++,DOCTYPE_DTD_QUOTED:T++,COMMENT_STARTING:T++,COMMENT:T++,COMMENT_ENDING:T++,COMMENT_ENDED:T++,CDATA:T++,CDATA_ENDING:T++,CDATA_ENDING_2:T++,PROC_INST:T++,PROC_INST_BODY:T++,PROC_INST_ENDING:T++,OPEN_TAG:T++,OPEN_TAG_SLASH:T++,ATTRIB:T++,ATTRIB_NAME:T++,ATTRIB_NAME_SAW_WHITE:T++,ATTRIB_VALUE:T++,ATTRIB_VALUE_QUOTED:T++,ATTRIB_VALUE_CLOSED:T++,ATTRIB_VALUE_UNQUOTED:T++,ATTRIB_VALUE_ENTITY_Q:T++,ATTRIB_VALUE_ENTITY_U:T++,CLOSE_TAG:T++,CLOSE_TAG_SAW_WHITE:T++,SCRIPT:T++,SCRIPT_ENDING:T++},t.XML_ENTITIES={amp:"&",gt:">",lt:"<",quot:'"',apos:"'"},t.ENTITIES={amp:"&",gt:">",lt:"<",quot:'"',apos:"'",AElig:198,Aacute:193,Acirc:194,Agrave:192,Aring:197,Atilde:195,Auml:196,Ccedil:199,ETH:208,Eacute:201,Ecirc:202,Egrave:200,Euml:203,Iacute:205,Icirc:206,Igrave:204,Iuml:207,Ntilde:209,Oacute:211,Ocirc:212,Ograve:210,Oslash:216,Otilde:213,Ouml:214,THORN:222,Uacute:218,Ucirc:219,Ugrave:217,Uuml:220,Yacute:221,aacute:225,acirc:226,aelig:230,agrave:224,aring:229,atilde:227,auml:228,ccedil:231,eacute:233,ecirc:234,egrave:232,eth:240,euml:235,iacute:237,icirc:238,igrave:236,iuml:239,ntilde:241,oacute:243,ocirc:244,ograve:242,oslash:248,otilde:245,ouml:246,szlig:223,thorn:254,uacute:250,ucirc:251,ugrave:249,uuml:252,yacute:253,yuml:255,copy:169,reg:174,nbsp:160,iexcl:161,cent:162,pound:163,curren:164,yen:165,brvbar:166,sect:167,uml:168,ordf:170,laquo:171,not:172,shy:173,macr:175,deg:176,plusmn:177,sup1:185,sup2:178,sup3:179,acute:180,micro:181,para:182,middot:183,cedil:184,ordm:186,raquo:187,frac14:188,frac12:189,frac34:190,iquest:191,times:215,divide:247,OElig:338,oelig:339,Scaron:352,scaron:353,Yuml:376,fnof:402,circ:710,tilde:732,Alpha:913,Beta:914,Gamma:915,Delta:916,Epsilon:917,Zeta:918,Eta:919,Theta:920,Iota:921,Kappa:922,Lambda:923,Mu:924,Nu:925,Xi:926,Omicron:927,Pi:928,Rho:929,Sigma:931,Tau:932,Upsilon:933,Phi:934,Chi:935,Psi:936,Omega:937,alpha:945,beta:946,gamma:947,delta:948,epsilon:949,zeta:950,eta:951,theta:952,iota:953,kappa:954,lambda:955,mu:956,nu:957,xi:958,omicron:959,pi:960,rho:961,sigmaf:962,sigma:963,tau:964,upsilon:965,phi:966,chi:967,psi:968,omega:969,thetasym:977,upsih:978,piv:982,ensp:8194,emsp:8195,thinsp:8201,zwnj:8204,zwj:8205,lrm:8206,rlm:8207,ndash:8211,mdash:8212,lsquo:8216,rsquo:8217,sbquo:8218,ldquo:8220,rdquo:8221,bdquo:8222,dagger:8224,Dagger:8225,bull:8226,hellip:8230,permil:8240,prime:8242,Prime:8243,lsaquo:8249,rsaquo:8250,oline:8254,frasl:8260,euro:8364,image:8465,weierp:8472,real:8476,trade:8482,alefsym:8501,larr:8592,uarr:8593,rarr:8594,darr:8595,harr:8596,crarr:8629,lArr:8656,uArr:8657,rArr:8658,dArr:8659,hArr:8660,forall:8704,part:8706,exist:8707,empty:8709,nabla:8711,isin:8712,notin:8713,ni:8715,prod:8719,sum:8721,minus:8722,lowast:8727,radic:8730,prop:8733,infin:8734,ang:8736,and:8743,or:8744,cap:8745,cup:8746,int:8747,there4:8756,sim:8764,cong:8773,asymp:8776,ne:8800,equiv:8801,le:8804,ge:8805,sub:8834,sup:8835,nsub:8836,sube:8838,supe:8839,oplus:8853,otimes:8855,perp:8869,sdot:8901,lceil:8968,rceil:8969,lfloor:8970,rfloor:8971,lang:9001,rang:9002,loz:9674,spades:9824,clubs:9827,hearts:9829,diams:9830},Object.keys(t.ENTITIES).forEach((function(e){var n=t.ENTITIES[e],s="number"==typeof n?String.fromCharCode(n):n;t.ENTITIES[e]=s})),t.STATE)t.STATE[t.STATE[k]]=k;function E(t,e,n){t[e]&&t[e](n)}function S(t,e,n){t.textNode&&L(t),E(t,e,n)}function L(t){t.textNode=N(t.opt,t.textNode),t.textNode&&E(t,"ontext",t.textNode),t.textNode=""}function N(t,e){return t.trim&&(e=e.trim()),t.normalize&&(e=e.replace(/\s+/g," ")),e}function F(t,e){return L(t),t.trackPosition&&(e+="\nLine: "+t.line+"\nColumn: "+t.column+"\nChar: "+t.c),e=new Error(e),t.error=e,E(t,"onerror",e),t}function I(t){return t.sawRoot&&!t.closedRoot&&P(t,"Unclosed root tag"),t.state!==T.BEGIN&&t.state!==T.BEGIN_WHITESPACE&&t.state!==T.TEXT&&F(t,"Unexpected end"),L(t),t.c="",t.closed=!0,E(t,"onend"),r.call(t,t.strict,t.opt),t}function P(t,e){if("object"!=typeof t||!(t instanceof r))throw new Error("bad call to strictFail");t.strict&&F(t,e)}function B(t){t.strict||(t.tagName=t.tagName[t.looseCase]());var e=t.tags[t.tags.length-1]||t,n=t.tag={name:t.tagName,attributes:{}};t.opt.xmlns&&(n.ns=e.ns),t.attribList.length=0,S(t,"onopentagstart",n)}function O(t,e){var n=t.indexOf(":")<0?["",t]:t.split(":"),s=n[0],i=n[1];return e&&"xmlns"===t&&(s="xmlns",i=""),{prefix:s,local:i}}function D(t){if(t.strict||(t.attribName=t.attribName[t.looseCase]()),-1!==t.attribList.indexOf(t.attribName)||t.tag.attributes.hasOwnProperty(t.attribName))t.attribName=t.attribValue="";else{if(t.opt.xmlns){var e=O(t.attribName,!0),n=e.prefix,s=e.local;if("xmlns"===n)if("xml"===s&&t.attribValue!==d)P(t,"xml: prefix must be bound to "+d+"\nActual: "+t.attribValue);else if("xmlns"===s&&t.attribValue!==u)P(t,"xmlns: prefix must be bound to "+u+"\nActual: "+t.attribValue);else{var i=t.tag,r=t.tags[t.tags.length-1]||t;i.ns===r.ns&&(i.ns=Object.create(r.ns)),i.ns[s]=t.attribValue}t.attribList.push([t.attribName,t.attribValue])}else t.tag.attributes[t.attribName]=t.attribValue,S(t,"onattribute",{name:t.attribName,value:t.attribValue});t.attribName=t.attribValue=""}}function U(t,e){if(t.opt.xmlns){var n=t.tag,s=O(t.tagName);n.prefix=s.prefix,n.local=s.local,n.uri=n.ns[s.prefix]||"",n.prefix&&!n.uri&&(P(t,"Unbound namespace prefix: "+JSON.stringify(t.tagName)),n.uri=s.prefix);var i=t.tags[t.tags.length-1]||t;n.ns&&i.ns!==n.ns&&Object.keys(n.ns).forEach((function(e){S(t,"onopennamespace",{prefix:e,uri:n.ns[e]})}));for(var r=0,o=t.attribList.length;r<o;r++){var a=t.attribList[r],l=a[0],c=a[1],d=O(l,!0),u=d.prefix,m=d.local,p=""===u?"":n.ns[u]||"",f={name:l,value:c,prefix:u,local:m,uri:p};u&&"xmlns"!==u&&!p&&(P(t,"Unbound namespace prefix: "+JSON.stringify(u)),f.uri=u),t.tag.attributes[l]=f,S(t,"onattribute",f)}t.attribList.length=0}t.tag.isSelfClosing=!!e,t.sawRoot=!0,t.tags.push(t.tag),S(t,"onopentag",t.tag),e||(t.noscript||"script"!==t.tagName.toLowerCase()?t.state=T.TEXT:t.state=T.SCRIPT,t.tag=null,t.tagName=""),t.attribName=t.attribValue="",t.attribList.length=0}function j(t){if(!t.tagName)return P(t,"Weird empty close tag."),t.textNode+="</>",void(t.state=T.TEXT);if(t.script){if("script"!==t.tagName)return t.script+="</"+t.tagName+">",t.tagName="",void(t.state=T.SCRIPT);S(t,"onscript",t.script),t.script=""}var e=t.tags.length,n=t.tagName;t.strict||(n=n[t.looseCase]());for(var s=n;e--&&t.tags[e].name!==s;)P(t,"Unexpected close tag");if(e<0)return P(t,"Unmatched closing tag: "+t.tagName),t.textNode+="</"+t.tagName+">",void(t.state=T.TEXT);t.tagName=n;for(var i=t.tags.length;i-- >e;){var r=t.tag=t.tags.pop();t.tagName=t.tag.name,S(t,"onclosetag",t.tagName);var o={};for(var a in r.ns)o[a]=r.ns[a];var l=t.tags[t.tags.length-1]||t;t.opt.xmlns&&r.ns!==l.ns&&Object.keys(r.ns).forEach((function(e){var n=r.ns[e];S(t,"onclosenamespace",{prefix:e,uri:n})}))}0===e&&(t.closedRoot=!0),t.tagName=t.attribValue=t.attribName="",t.attribList.length=0,t.state=T.TEXT}function z(t){var e,n=t.entity,s=n.toLowerCase(),i="";return t.ENTITIES[n]?t.ENTITIES[n]:t.ENTITIES[s]?t.ENTITIES[s]:("#"===(n=s).charAt(0)&&("x"===n.charAt(1)?(n=n.slice(2),i=(e=parseInt(n,16)).toString(16)):(n=n.slice(1),i=(e=parseInt(n,10)).toString(10))),n=n.replace(/^0+/,""),isNaN(e)||i.toLowerCase()!==n?(P(t,"Invalid character entity"),"&"+t.entity+";"):String.fromCodePoint(e))}function M(t,e){"<"===e?(t.state=T.OPEN_WAKA,t.startTagPosition=t.position):v(e)||(P(t,"Non-whitespace before first tag."),t.textNode=e,t.state=T.TEXT)}function R(t,e){var n="";return e<t.length&&(n=t.charAt(e)),n}T=t.STATE,String.fromCodePoint||(C=String.fromCharCode,x=Math.floor,_=function(){var t,e,n=[],s=-1,i=arguments.length;if(!i)return"";for(var r="";++s<i;){var o=Number(arguments[s]);if(!isFinite(o)||o<0||o>1114111||x(o)!==o)throw RangeError("Invalid code point: "+o);o<=65535?n.push(o):(t=55296+((o-=65536)>>10),e=o%1024+56320,n.push(t,e)),(s+1===i||n.length>16384)&&(r+=C.apply(null,n),n.length=0)}return r},Object.defineProperty?Object.defineProperty(String,"fromCodePoint",{value:_,configurable:!0,writable:!0}):String.fromCodePoint=_)}(e)},42791:function(t,e,n){var s=n(65606);!function(t,e){"use strict";if(!t.setImmediate){var n,i,r,o,a,l=1,c={},d=!1,u=t.document,m=Object.getPrototypeOf&&Object.getPrototypeOf(t);m=m&&m.setTimeout?m:t,"[object process]"==={}.toString.call(t.process)?n=function(t){s.nextTick((function(){f(t)}))}:function(){if(t.postMessage&&!t.importScripts){var e=!0,n=t.onmessage;return t.onmessage=function(){e=!1},t.postMessage("","*"),t.onmessage=n,e}}()?(o="setImmediate$"+Math.random()+"$",a=function(e){e.source===t&&"string"==typeof e.data&&0===e.data.indexOf(o)&&f(+e.data.slice(o.length))},t.addEventListener?t.addEventListener("message",a,!1):t.attachEvent("onmessage",a),n=function(e){t.postMessage(o+e,"*")}):t.MessageChannel?((r=new MessageChannel).port1.onmessage=function(t){f(t.data)},n=function(t){r.port2.postMessage(t)}):u&&"onreadystatechange"in u.createElement("script")?(i=u.documentElement,n=function(t){var e=u.createElement("script");e.onreadystatechange=function(){f(t),e.onreadystatechange=null,i.removeChild(e),e=null},i.appendChild(e)}):n=function(t){setTimeout(f,0,t)},m.setImmediate=function(t){"function"!=typeof t&&(t=new Function(""+t));for(var e=new Array(arguments.length-1),s=0;s<e.length;s++)e[s]=arguments[s+1];var i={callback:t,args:e};return c[l]=i,n(l),l++},m.clearImmediate=p}function p(t){delete c[t]}function f(t){if(d)setTimeout(f,0,t);else{var e=c[t];if(e){d=!0;try{!function(t){var e=t.callback,n=t.args;switch(n.length){case 0:e();break;case 1:e(n[0]);break;case 2:e(n[0],n[1]);break;case 3:e(n[0],n[1],n[2]);break;default:e.apply(undefined,n)}}(e)}finally{p(t),d=!1}}}}}("undefined"==typeof self?void 0===n.g?this:n.g:self)},75270:t=>{function e(t,e){return null==t?e:t}t.exports=function(t){var n,s=e((t=t||{}).max,1),i=e(t.min,0),r=e(t.autostart,!0),o=e(t.ignoreSameProgress,!1),a=null,l=null,c=null,d=(n=e(t.historyTimeConstant,2.5),function(t,e,s){return t+s/(s+n)*(e-t)});function u(){m(i)}function m(t,e){if("number"!=typeof e&&(e=Date.now()),l!==e&&(!o||c!==t)){if(null===l||null===c)return c=t,void(l=e);var n=.001*(e-l),s=(t-c)/n;a=null===a?s:d(a,s,n),c=t,l=e}}return{start:u,reset:function(){a=null,l=null,c=null,r&&u()},report:m,estimate:function(t){if(null===c)return 1/0;if(c>=s)return 0;if(null===a)return 1/0;var e=(s-c)/a;return"number"==typeof t&&"number"==typeof l&&(e-=.001*(t-l)),Math.max(0,e)},rate:function(){return null===a?0:a}}}},97103:function(t,e,n){var s=void 0!==n.g&&n.g||"undefined"!=typeof self&&self||window,i=Function.prototype.apply;function r(t,e){this._id=t,this._clearFn=e}e.setTimeout=function(){return new r(i.call(setTimeout,s,arguments),clearTimeout)},e.setInterval=function(){return new r(i.call(setInterval,s,arguments),clearInterval)},e.clearTimeout=e.clearInterval=function(t){t&&t.close()},r.prototype.unref=r.prototype.ref=function(){},r.prototype.close=function(){this._clearFn.call(s,this._id)},e.enroll=function(t,e){clearTimeout(t._idleTimeoutId),t._idleTimeout=e},e.unenroll=function(t){clearTimeout(t._idleTimeoutId),t._idleTimeout=-1},e._unrefActive=e.active=function(t){clearTimeout(t._idleTimeoutId);var e=t._idleTimeout;e>=0&&(t._idleTimeoutId=setTimeout((function(){t._onTimeout&&t._onTimeout()}),e))},n(42791),e.setImmediate="undefined"!=typeof self&&self.setImmediate||void 0!==n.g&&n.g.setImmediate||this&&this.setImmediate,e.clearImmediate="undefined"!=typeof self&&self.clearImmediate||void 0!==n.g&&n.g.clearImmediate||this&&this.clearImmediate},83177:function(t,e){(function(){"use strict";e.stripBOM=function(t){return"\ufeff"===t[0]?t.substring(1):t}}).call(this)},56712:function(t,e,n){(function(){"use strict";var t,s,i,r,o,a={}.hasOwnProperty;t=n(59665),s=n(66465).defaults,r=function(t){return"string"==typeof t&&(t.indexOf("&")>=0||t.indexOf(">")>=0||t.indexOf("<")>=0)},o=function(t){return"<![CDATA["+i(t)+"]]>"},i=function(t){return t.replace("]]>","]]]]><![CDATA[>")},e.Builder=function(){function e(t){var e,n,i;for(e in this.options={},n=s[.2])a.call(n,e)&&(i=n[e],this.options[e]=i);for(e in t)a.call(t,e)&&(i=t[e],this.options[e]=i)}return e.prototype.buildObject=function(e){var n,i,l,c,d,u;return n=this.options.attrkey,i=this.options.charkey,1===Object.keys(e).length&&this.options.rootName===s[.2].rootName?e=e[d=Object.keys(e)[0]]:d=this.options.rootName,u=this,l=function(t,e){var s,c,d,m,p,f;if("object"!=typeof e)u.options.cdata&&r(e)?t.raw(o(e)):t.txt(e);else if(Array.isArray(e)){for(m in e)if(a.call(e,m))for(p in c=e[m])d=c[p],t=l(t.ele(p),d).up()}else for(p in e)if(a.call(e,p))if(c=e[p],p===n){if("object"==typeof c)for(s in c)f=c[s],t=t.att(s,f)}else if(p===i)t=u.options.cdata&&r(c)?t.raw(o(c)):t.txt(c);else if(Array.isArray(c))for(m in c)a.call(c,m)&&(t="string"==typeof(d=c[m])?u.options.cdata&&r(d)?t.ele(p).raw(o(d)).up():t.ele(p,d).up():l(t.ele(p),d).up());else"object"==typeof c?t=l(t.ele(p),c).up():"string"==typeof c&&u.options.cdata&&r(c)?t=t.ele(p).raw(o(c)).up():(null==c&&(c=""),t=t.ele(p,c.toString()).up());return t},c=t.create(d,this.options.xmldec,this.options.doctype,{headless:this.options.headless,allowSurrogateChars:this.options.allowSurrogateChars}),l(c,e).end(this.options.renderOpts)},e}()}).call(this)},66465:function(t,e){(function(){e.defaults={.1:{explicitCharkey:!1,trim:!0,normalize:!0,normalizeTags:!1,attrkey:"@",charkey:"#",explicitArray:!1,ignoreAttrs:!1,mergeAttrs:!1,explicitRoot:!1,validator:null,xmlns:!1,explicitChildren:!1,childkey:"@@",charsAsChildren:!1,includeWhiteChars:!1,async:!1,strict:!0,attrNameProcessors:null,attrValueProcessors:null,tagNameProcessors:null,valueProcessors:null,emptyTag:""},.2:{explicitCharkey:!1,trim:!1,normalize:!1,normalizeTags:!1,attrkey:"$",charkey:"_",explicitArray:!0,ignoreAttrs:!1,mergeAttrs:!1,explicitRoot:!0,validator:null,xmlns:!1,explicitChildren:!1,preserveChildrenOrder:!1,childkey:"$$",charsAsChildren:!1,includeWhiteChars:!1,async:!1,strict:!0,attrNameProcessors:null,attrValueProcessors:null,tagNameProcessors:null,valueProcessors:null,rootName:"root",xmldec:{version:"1.0",encoding:"UTF-8",standalone:!0},doctype:null,renderOpts:{pretty:!0,indent:" ",newline:"\n"},headless:!1,chunkSize:1e4,emptyTag:"",cdata:!1}}}).call(this)},11912:function(t,e,n){(function(){"use strict";var t,s,i,r,o,a,l,c,d,u=function(t,e){return function(){return t.apply(e,arguments)}},m={}.hasOwnProperty;c=n(64043),r=n(37007),t=n(83177),l=n(92114),d=n(97103).setImmediate,s=n(66465).defaults,o=function(t){return"object"==typeof t&&null!=t&&0===Object.keys(t).length},a=function(t,e,n){var s,i;for(s=0,i=t.length;s<i;s++)e=(0,t[s])(e,n);return e},i=function(t,e,n){var s;return(s=Object.create(null)).value=n,s.writable=!0,s.enumerable=!0,s.configurable=!0,Object.defineProperty(t,e,s)},e.Parser=function(n){function r(t){var n,i,r;if(this.parseStringPromise=u(this.parseStringPromise,this),this.parseString=u(this.parseString,this),this.reset=u(this.reset,this),this.assignOrPush=u(this.assignOrPush,this),this.processAsync=u(this.processAsync,this),!(this instanceof e.Parser))return new e.Parser(t);for(n in this.options={},i=s[.2])m.call(i,n)&&(r=i[n],this.options[n]=r);for(n in t)m.call(t,n)&&(r=t[n],this.options[n]=r);this.options.xmlns&&(this.options.xmlnskey=this.options.attrkey+"ns"),this.options.normalizeTags&&(this.options.tagNameProcessors||(this.options.tagNameProcessors=[]),this.options.tagNameProcessors.unshift(l.normalize)),this.reset()}return function(t,e){for(var n in e)m.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(r,n),r.prototype.processAsync=function(){var t,e;try{return this.remaining.length<=this.options.chunkSize?(t=this.remaining,this.remaining="",this.saxParser=this.saxParser.write(t),this.saxParser.close()):(t=this.remaining.substr(0,this.options.chunkSize),this.remaining=this.remaining.substr(this.options.chunkSize,this.remaining.length),this.saxParser=this.saxParser.write(t),d(this.processAsync))}catch(t){if(e=t,!this.saxParser.errThrown)return this.saxParser.errThrown=!0,this.emit(e)}},r.prototype.assignOrPush=function(t,e,n){return e in t?(t[e]instanceof Array||i(t,e,[t[e]]),t[e].push(n)):this.options.explicitArray?i(t,e,[n]):i(t,e,n)},r.prototype.reset=function(){var t,e,n,s,r;return this.removeAllListeners(),this.saxParser=c.parser(this.options.strict,{trim:!1,normalize:!1,xmlns:this.options.xmlns}),this.saxParser.errThrown=!1,this.saxParser.onerror=(r=this,function(t){if(r.saxParser.resume(),!r.saxParser.errThrown)return r.saxParser.errThrown=!0,r.emit("error",t)}),this.saxParser.onend=function(t){return function(){if(!t.saxParser.ended)return t.saxParser.ended=!0,t.emit("end",t.resultObject)}}(this),this.saxParser.ended=!1,this.EXPLICIT_CHARKEY=this.options.explicitCharkey,this.resultObject=null,s=[],t=this.options.attrkey,e=this.options.charkey,this.saxParser.onopentag=function(n){return function(r){var o,l,c,d,u;if((c={})[e]="",!n.options.ignoreAttrs)for(o in u=r.attributes)m.call(u,o)&&(t in c||n.options.mergeAttrs||(c[t]={}),l=n.options.attrValueProcessors?a(n.options.attrValueProcessors,r.attributes[o],o):r.attributes[o],d=n.options.attrNameProcessors?a(n.options.attrNameProcessors,o):o,n.options.mergeAttrs?n.assignOrPush(c,d,l):i(c[t],d,l));return c["#name"]=n.options.tagNameProcessors?a(n.options.tagNameProcessors,r.name):r.name,n.options.xmlns&&(c[n.options.xmlnskey]={uri:r.uri,local:r.local}),s.push(c)}}(this),this.saxParser.onclosetag=function(t){return function(){var n,r,l,c,d,u,p,f,g,h;if(u=s.pop(),d=u["#name"],t.options.explicitChildren&&t.options.preserveChildrenOrder||delete u["#name"],!0===u.cdata&&(n=u.cdata,delete u.cdata),g=s[s.length-1],u[e].match(/^\s*$/)&&!n?(r=u[e],delete u[e]):(t.options.trim&&(u[e]=u[e].trim()),t.options.normalize&&(u[e]=u[e].replace(/\s{2,}/g," ").trim()),u[e]=t.options.valueProcessors?a(t.options.valueProcessors,u[e],d):u[e],1===Object.keys(u).length&&e in u&&!t.EXPLICIT_CHARKEY&&(u=u[e])),o(u)&&(u="function"==typeof t.options.emptyTag?t.options.emptyTag():""!==t.options.emptyTag?t.options.emptyTag:r),null!=t.options.validator&&(h="/"+function(){var t,e,n;for(n=[],t=0,e=s.length;t<e;t++)c=s[t],n.push(c["#name"]);return n}().concat(d).join("/"),function(){var e;try{return u=t.options.validator(h,g&&g[d],u)}catch(n){return e=n,t.emit("error",e)}}()),t.options.explicitChildren&&!t.options.mergeAttrs&&"object"==typeof u)if(t.options.preserveChildrenOrder){if(g){for(l in g[t.options.childkey]=g[t.options.childkey]||[],p={},u)m.call(u,l)&&i(p,l,u[l]);g[t.options.childkey].push(p),delete u["#name"],1===Object.keys(u).length&&e in u&&!t.EXPLICIT_CHARKEY&&(u=u[e])}}else c={},t.options.attrkey in u&&(c[t.options.attrkey]=u[t.options.attrkey],delete u[t.options.attrkey]),!t.options.charsAsChildren&&t.options.charkey in u&&(c[t.options.charkey]=u[t.options.charkey],delete u[t.options.charkey]),Object.getOwnPropertyNames(u).length>0&&(c[t.options.childkey]=u),u=c;return s.length>0?t.assignOrPush(g,d,u):(t.options.explicitRoot&&(f=u,i(u={},d,f)),t.resultObject=u,t.saxParser.ended=!0,t.emit("end",t.resultObject))}}(this),n=function(t){return function(n){var i,r;if(r=s[s.length-1])return r[e]+=n,t.options.explicitChildren&&t.options.preserveChildrenOrder&&t.options.charsAsChildren&&(t.options.includeWhiteChars||""!==n.replace(/\\n/g,"").trim())&&(r[t.options.childkey]=r[t.options.childkey]||[],(i={"#name":"__text__"})[e]=n,t.options.normalize&&(i[e]=i[e].replace(/\s{2,}/g," ").trim()),r[t.options.childkey].push(i)),r}}(this),this.saxParser.ontext=n,this.saxParser.oncdata=function(t){var e;if(e=n(t))return e.cdata=!0}},r.prototype.parseString=function(e,n){var s;null!=n&&"function"==typeof n&&(this.on("end",(function(t){return this.reset(),n(null,t)})),this.on("error",(function(t){return this.reset(),n(t)})));try{return""===(e=e.toString()).trim()?(this.emit("end",null),!0):(e=t.stripBOM(e),this.options.async?(this.remaining=e,d(this.processAsync),this.saxParser):this.saxParser.write(e).close())}catch(t){if(s=t,!this.saxParser.errThrown&&!this.saxParser.ended)return this.emit("error",s),this.saxParser.errThrown=!0;if(this.saxParser.ended)throw s}},r.prototype.parseStringPromise=function(t){return new Promise((e=this,function(n,s){return e.parseString(t,(function(t,e){return t?s(t):n(e)}))}));var e},r}(r),e.parseString=function(t,n,s){var i,r;return null!=s?("function"==typeof s&&(i=s),"object"==typeof n&&(r=n)):("function"==typeof n&&(i=n),r={}),new e.Parser(r).parseString(t,i)},e.parseStringPromise=function(t,n){var s;return"object"==typeof n&&(s=n),new e.Parser(s).parseStringPromise(t)}}).call(this)},92114:function(t,e){(function(){"use strict";var t;t=new RegExp(/(?!xmlns)^.*:/),e.normalize=function(t){return t.toLowerCase()},e.firstCharLowerCase=function(t){return t.charAt(0).toLowerCase()+t.slice(1)},e.stripPrefix=function(e){return e.replace(t,"")},e.parseNumbers=function(t){return isNaN(t)||(t=t%1==0?parseInt(t,10):parseFloat(t)),t},e.parseBooleans=function(t){return/^(?:true|false)$/i.test(t)&&(t="true"===t.toLowerCase()),t}}).call(this)},38805:function(t,e,n){(function(){"use strict";var t,s,i,r,o={}.hasOwnProperty;s=n(66465),t=n(56712),i=n(11912),r=n(92114),e.defaults=s.defaults,e.processors=r,e.ValidationError=function(t){function e(t){this.message=t}return function(t,e){for(var n in e)o.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(e,Error),e}(),e.Builder=t.Builder,e.Parser=i.Parser,e.parseString=i.parseString,e.parseStringPromise=i.parseStringPromise}).call(this)},34923:function(t){(function(){t.exports={Disconnected:1,Preceding:2,Following:4,Contains:8,ContainedBy:16,ImplementationSpecific:32}}).call(this)},71737:function(t){(function(){t.exports={Element:1,Attribute:2,Text:3,CData:4,EntityReference:5,EntityDeclaration:6,ProcessingInstruction:7,Comment:8,Document:9,DocType:10,DocumentFragment:11,NotationDeclaration:12,Declaration:201,Raw:202,AttributeDeclaration:203,ElementDeclaration:204,Dummy:205}}).call(this)},49241:function(t){(function(){var e,n,s,i,r,o,a,l=[].slice,c={}.hasOwnProperty;e=function(){var t,e,n,s,i,o;if(o=arguments[0],i=2<=arguments.length?l.call(arguments,1):[],r(Object.assign))Object.assign.apply(null,arguments);else for(t=0,n=i.length;t<n;t++)if(null!=(s=i[t]))for(e in s)c.call(s,e)&&(o[e]=s[e]);return o},r=function(t){return!!t&&"[object Function]"===Object.prototype.toString.call(t)},o=function(t){var e;return!!t&&("function"==(e=typeof t)||"object"===e)},s=function(t){return r(Array.isArray)?Array.isArray(t):"[object Array]"===Object.prototype.toString.call(t)},i=function(t){var e;if(s(t))return!t.length;for(e in t)if(c.call(t,e))return!1;return!0},a=function(t){var e,n;return o(t)&&(n=Object.getPrototypeOf(t))&&(e=n.constructor)&&"function"==typeof e&&e instanceof e&&Function.prototype.toString.call(e)===Function.prototype.toString.call(Object)},n=function(t){return r(t.valueOf)?t.valueOf():t},t.exports.assign=e,t.exports.isFunction=r,t.exports.isObject=o,t.exports.isArray=s,t.exports.isEmpty=i,t.exports.isPlainObject=a,t.exports.getValue=n}).call(this)},88753:function(t){(function(){t.exports={None:0,OpenTag:1,InsideTag:2,CloseTag:3}}).call(this)},54238:function(t,e,n){(function(){var e;e=n(71737),n(10468),t.exports=function(){function t(t,n,s){if(this.parent=t,this.parent&&(this.options=this.parent.options,this.stringify=this.parent.stringify),null==n)throw new Error("Missing attribute name. "+this.debugInfo(n));this.name=this.stringify.name(n),this.value=this.stringify.attValue(s),this.type=e.Attribute,this.isId=!1,this.schemaTypeInfo=null}return Object.defineProperty(t.prototype,"nodeType",{get:function(){return this.type}}),Object.defineProperty(t.prototype,"ownerElement",{get:function(){return this.parent}}),Object.defineProperty(t.prototype,"textContent",{get:function(){return this.value},set:function(t){return this.value=t||""}}),Object.defineProperty(t.prototype,"namespaceURI",{get:function(){return""}}),Object.defineProperty(t.prototype,"prefix",{get:function(){return""}}),Object.defineProperty(t.prototype,"localName",{get:function(){return this.name}}),Object.defineProperty(t.prototype,"specified",{get:function(){return!0}}),t.prototype.clone=function(){return Object.create(this)},t.prototype.toString=function(t){return this.options.writer.attribute(this,this.options.writer.filterOptions(t))},t.prototype.debugInfo=function(t){return null==(t=t||this.name)?"parent: <"+this.parent.name+">":"attribute: {"+t+"}, parent: <"+this.parent.name+">"},t.prototype.isEqualNode=function(t){return t.namespaceURI===this.namespaceURI&&t.prefix===this.prefix&&t.localName===this.localName&&t.value===this.value},t}()}).call(this)},92691:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing CDATA text. "+this.debugInfo());this.name="#cdata-section",this.type=e.CData,this.value=this.stringify.cdata(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.cdata(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},17457:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(10468),t.exports=function(t){function e(t){e.__super__.constructor.call(this,t),this.value=""}return function(t,e){for(var n in e)s.call(e,n)&&(t[n]=e[n]);function i(){this.constructor=t}i.prototype=e.prototype,t.prototype=new i,t.__super__=e.prototype}(e,t),Object.defineProperty(e.prototype,"data",{get:function(){return this.value},set:function(t){return this.value=t||""}}),Object.defineProperty(e.prototype,"length",{get:function(){return this.value.length}}),Object.defineProperty(e.prototype,"textContent",{get:function(){return this.value},set:function(t){return this.value=t||""}}),e.prototype.clone=function(){return Object.create(this)},e.prototype.substringData=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.appendData=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.insertData=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.deleteData=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.replaceData=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.isEqualNode=function(t){return!!e.__super__.isEqualNode.apply(this,arguments).isEqualNode(t)&&t.data===this.data},e}(e)}).call(this)},32679:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing comment text. "+this.debugInfo());this.name="#comment",this.type=e.Comment,this.value=this.stringify.comment(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.comment(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},33074:function(t,e,n){(function(){var e,s;e=n(55660),s=n(92527),t.exports=function(){function t(){this.defaultParams={"canonical-form":!1,"cdata-sections":!1,comments:!1,"datatype-normalization":!1,"element-content-whitespace":!0,entities:!0,"error-handler":new e,infoset:!0,"validate-if-schema":!1,namespaces:!0,"namespace-declarations":!0,"normalize-characters":!1,"schema-location":"","schema-type":"","split-cdata-sections":!0,validate:!1,"well-formed":!0},this.params=Object.create(this.defaultParams)}return Object.defineProperty(t.prototype,"parameterNames",{get:function(){return new s(Object.keys(this.defaultParams))}}),t.prototype.getParameter=function(t){return this.params.hasOwnProperty(t)?this.params[t]:null},t.prototype.canSetParameter=function(t,e){return!0},t.prototype.setParameter=function(t,e){return null!=e?this.params[t]=e:delete this.params[t]},t}()}).call(this)},55660:function(t){(function(){t.exports=function(){function t(){}return t.prototype.handleError=function(t){throw new Error(t)},t}()}).call(this)},67260:function(t){(function(){t.exports=function(){function t(){}return t.prototype.hasFeature=function(t,e){return!0},t.prototype.createDocumentType=function(t,e,n){throw new Error("This DOM method is not implemented.")},t.prototype.createDocument=function(t,e,n){throw new Error("This DOM method is not implemented.")},t.prototype.createHTMLDocument=function(t){throw new Error("This DOM method is not implemented.")},t.prototype.getFeature=function(t,e){throw new Error("This DOM method is not implemented.")},t}()}).call(this)},92527:function(t){(function(){t.exports=function(){function t(t){this.arr=t||[]}return Object.defineProperty(t.prototype,"length",{get:function(){return this.arr.length}}),t.prototype.item=function(t){return this.arr[t]||null},t.prototype.contains=function(t){return-1!==this.arr.indexOf(t)},t}()}).call(this)},34111:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,i,r,o,a){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing DTD element name. "+this.debugInfo());if(null==i)throw new Error("Missing DTD attribute name. "+this.debugInfo(s));if(!r)throw new Error("Missing DTD attribute type. "+this.debugInfo(s));if(!o)throw new Error("Missing DTD attribute default. "+this.debugInfo(s));if(0!==o.indexOf("#")&&(o="#"+o),!o.match(/^(#REQUIRED|#IMPLIED|#FIXED|#DEFAULT)$/))throw new Error("Invalid default value type; expected: #REQUIRED, #IMPLIED, #FIXED or #DEFAULT. "+this.debugInfo(s));if(a&&!o.match(/^(#FIXED|#DEFAULT)$/))throw new Error("Default value only applies to #FIXED or #DEFAULT. "+this.debugInfo(s));this.elementName=this.stringify.name(s),this.type=e.AttributeDeclaration,this.attributeName=this.stringify.name(i),this.attributeType=this.stringify.dtdAttType(r),a&&(this.defaultValue=this.stringify.dtdAttDefault(a)),this.defaultValueType=o}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.toString=function(t){return this.options.writer.dtdAttList(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},67696:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,i){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing DTD element name. "+this.debugInfo());i||(i="(#PCDATA)"),Array.isArray(i)&&(i="("+i.join(",")+")"),this.name=this.stringify.name(s),this.type=e.ElementDeclaration,this.value=this.stringify.dtdElementValue(i)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.toString=function(t){return this.options.writer.dtdElement(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},5529:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(49241).isObject,s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,r,o){if(n.__super__.constructor.call(this,t),null==r)throw new Error("Missing DTD entity name. "+this.debugInfo(r));if(null==o)throw new Error("Missing DTD entity value. "+this.debugInfo(r));if(this.pe=!!s,this.name=this.stringify.name(r),this.type=e.EntityDeclaration,i(o)){if(!o.pubID&&!o.sysID)throw new Error("Public and/or system identifiers are required for an external entity. "+this.debugInfo(r));if(o.pubID&&!o.sysID)throw new Error("System identifier is required for a public external entity. "+this.debugInfo(r));if(this.internal=!1,null!=o.pubID&&(this.pubID=this.stringify.dtdPubID(o.pubID)),null!=o.sysID&&(this.sysID=this.stringify.dtdSysID(o.sysID)),null!=o.nData&&(this.nData=this.stringify.dtdNData(o.nData)),this.pe&&this.nData)throw new Error("Notation declaration is not allowed in a parameter entity. "+this.debugInfo(r))}else this.value=this.stringify.dtdEntityValue(o),this.internal=!0}return function(t,e){for(var n in e)r.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"publicId",{get:function(){return this.pubID}}),Object.defineProperty(n.prototype,"systemId",{get:function(){return this.sysID}}),Object.defineProperty(n.prototype,"notationName",{get:function(){return this.nData||null}}),Object.defineProperty(n.prototype,"inputEncoding",{get:function(){return null}}),Object.defineProperty(n.prototype,"xmlEncoding",{get:function(){return null}}),Object.defineProperty(n.prototype,"xmlVersion",{get:function(){return null}}),n.prototype.toString=function(t){return this.options.writer.dtdEntity(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},28012:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,i){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing DTD notation name. "+this.debugInfo(s));if(!i.pubID&&!i.sysID)throw new Error("Public or system identifiers are required for an external entity. "+this.debugInfo(s));this.name=this.stringify.name(s),this.type=e.NotationDeclaration,null!=i.pubID&&(this.pubID=this.stringify.dtdPubID(i.pubID)),null!=i.sysID&&(this.sysID=this.stringify.dtdSysID(i.sysID))}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"publicId",{get:function(){return this.pubID}}),Object.defineProperty(n.prototype,"systemId",{get:function(){return this.sysID}}),n.prototype.toString=function(t){return this.options.writer.dtdNotation(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},34130:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(49241).isObject,s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,r,o){var a;n.__super__.constructor.call(this,t),i(s)&&(s=(a=s).version,r=a.encoding,o=a.standalone),s||(s="1.0"),this.type=e.Declaration,this.version=this.stringify.xmlVersion(s),null!=r&&(this.encoding=this.stringify.xmlEncoding(r)),null!=o&&(this.standalone=this.stringify.xmlStandalone(o))}return function(t,e){for(var n in e)r.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.toString=function(t){return this.options.writer.declaration(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},96376:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d={}.hasOwnProperty;c=n(49241).isObject,l=n(10468),e=n(71737),s=n(34111),r=n(5529),i=n(67696),o=n(28012),a=n(24797),t.exports=function(t){function n(t,s,i){var r,o,a,l,d,u;if(n.__super__.constructor.call(this,t),this.type=e.DocType,t.children)for(o=0,a=(l=t.children).length;o<a;o++)if((r=l[o]).type===e.Element){this.name=r.name;break}this.documentObject=t,c(s)&&(s=(d=s).pubID,i=d.sysID),null==i&&(i=(u=[s,i])[0],s=u[1]),null!=s&&(this.pubID=this.stringify.dtdPubID(s)),null!=i&&(this.sysID=this.stringify.dtdSysID(i))}return function(t,e){for(var n in e)d.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"entities",{get:function(){var t,n,s,i,r;for(i={},n=0,s=(r=this.children).length;n<s;n++)(t=r[n]).type!==e.EntityDeclaration||t.pe||(i[t.name]=t);return new a(i)}}),Object.defineProperty(n.prototype,"notations",{get:function(){var t,n,s,i,r;for(i={},n=0,s=(r=this.children).length;n<s;n++)(t=r[n]).type===e.NotationDeclaration&&(i[t.name]=t);return new a(i)}}),Object.defineProperty(n.prototype,"publicId",{get:function(){return this.pubID}}),Object.defineProperty(n.prototype,"systemId",{get:function(){return this.sysID}}),Object.defineProperty(n.prototype,"internalSubset",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),n.prototype.element=function(t,e){var n;return n=new i(this,t,e),this.children.push(n),this},n.prototype.attList=function(t,e,n,i,r){var o;return o=new s(this,t,e,n,i,r),this.children.push(o),this},n.prototype.entity=function(t,e){var n;return n=new r(this,!1,t,e),this.children.push(n),this},n.prototype.pEntity=function(t,e){var n;return n=new r(this,!0,t,e),this.children.push(n),this},n.prototype.notation=function(t,e){var n;return n=new o(this,t,e),this.children.push(n),this},n.prototype.toString=function(t){return this.options.writer.docType(this,this.options.writer.filterOptions(t))},n.prototype.ele=function(t,e){return this.element(t,e)},n.prototype.att=function(t,e,n,s,i){return this.attList(t,e,n,s,i)},n.prototype.ent=function(t,e){return this.entity(t,e)},n.prototype.pent=function(t,e){return this.pEntity(t,e)},n.prototype.not=function(t,e){return this.notation(t,e)},n.prototype.up=function(){return this.root()||this.documentObject},n.prototype.isEqualNode=function(t){return!!n.__super__.isEqualNode.apply(this,arguments).isEqualNode(t)&&t.name===this.name&&t.publicId===this.publicId&&t.systemId===this.systemId},n}(l)}).call(this)},71933:function(t,e,n){(function(){var e,s,i,r,o,a,l,c={}.hasOwnProperty;l=n(49241).isPlainObject,i=n(67260),s=n(33074),r=n(10468),e=n(71737),a=n(43976),o=n(40382),t.exports=function(t){function n(t){n.__super__.constructor.call(this,null),this.name="#document",this.type=e.Document,this.documentURI=null,this.domConfig=new s,t||(t={}),t.writer||(t.writer=new o),this.options=t,this.stringify=new a(t)}return function(t,e){for(var n in e)c.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"implementation",{value:new i}),Object.defineProperty(n.prototype,"doctype",{get:function(){var t,n,s,i;for(n=0,s=(i=this.children).length;n<s;n++)if((t=i[n]).type===e.DocType)return t;return null}}),Object.defineProperty(n.prototype,"documentElement",{get:function(){return this.rootObject||null}}),Object.defineProperty(n.prototype,"inputEncoding",{get:function(){return null}}),Object.defineProperty(n.prototype,"strictErrorChecking",{get:function(){return!1}}),Object.defineProperty(n.prototype,"xmlEncoding",{get:function(){return 0!==this.children.length&&this.children[0].type===e.Declaration?this.children[0].encoding:null}}),Object.defineProperty(n.prototype,"xmlStandalone",{get:function(){return 0!==this.children.length&&this.children[0].type===e.Declaration&&"yes"===this.children[0].standalone}}),Object.defineProperty(n.prototype,"xmlVersion",{get:function(){return 0!==this.children.length&&this.children[0].type===e.Declaration?this.children[0].version:"1.0"}}),Object.defineProperty(n.prototype,"URL",{get:function(){return this.documentURI}}),Object.defineProperty(n.prototype,"origin",{get:function(){return null}}),Object.defineProperty(n.prototype,"compatMode",{get:function(){return null}}),Object.defineProperty(n.prototype,"characterSet",{get:function(){return null}}),Object.defineProperty(n.prototype,"contentType",{get:function(){return null}}),n.prototype.end=function(t){var e;return e={},t?l(t)&&(e=t,t=this.options.writer):t=this.options.writer,t.document(this,t.filterOptions(e))},n.prototype.toString=function(t){return this.options.writer.document(this,this.options.writer.filterOptions(t))},n.prototype.createElement=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createDocumentFragment=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createTextNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createComment=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createCDATASection=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createProcessingInstruction=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createAttribute=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createEntityReference=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.importNode=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createElementNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagNameNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementById=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.adoptNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.normalizeDocument=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.renameNode=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByClassName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createEvent=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createRange=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createNodeIterator=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createTreeWalker=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n}(r)}).call(this)},80400:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d,u,m,p,f,g,h,v,A,w,y,b,C,x,_,T={}.hasOwnProperty;_=n(49241),C=_.isObject,b=_.isFunction,x=_.isPlainObject,y=_.getValue,e=n(71737),p=n(71933),f=n(33906),r=n(92691),o=n(32679),h=n(1268),w=n(82535),g=n(85915),u=n(34130),m=n(96376),a=n(34111),c=n(5529),l=n(67696),d=n(28012),i=n(54238),A=n(43976),v=n(40382),s=n(88753),t.exports=function(){function t(t,n,s){var i;this.name="?xml",this.type=e.Document,t||(t={}),i={},t.writer?x(t.writer)&&(i=t.writer,t.writer=new v):t.writer=new v,this.options=t,this.writer=t.writer,this.writerOptions=this.writer.filterOptions(i),this.stringify=new A(t),this.onDataCallback=n||function(){},this.onEndCallback=s||function(){},this.currentNode=null,this.currentLevel=-1,this.openTags={},this.documentStarted=!1,this.documentCompleted=!1,this.root=null}return t.prototype.createChildNode=function(t){var n,s,i,r,o,a,l,c;switch(t.type){case e.CData:this.cdata(t.value);break;case e.Comment:this.comment(t.value);break;case e.Element:for(s in i={},l=t.attribs)T.call(l,s)&&(n=l[s],i[s]=n.value);this.node(t.name,i);break;case e.Dummy:this.dummy();break;case e.Raw:this.raw(t.value);break;case e.Text:this.text(t.value);break;case e.ProcessingInstruction:this.instruction(t.target,t.value);break;default:throw new Error("This XML node type is not supported in a JS object: "+t.constructor.name)}for(o=0,a=(c=t.children).length;o<a;o++)r=c[o],this.createChildNode(r),r.type===e.Element&&this.up();return this},t.prototype.dummy=function(){return this},t.prototype.node=function(t,e,n){var s;if(null==t)throw new Error("Missing node name.");if(this.root&&-1===this.currentLevel)throw new Error("Document can only have one root node. "+this.debugInfo(t));return this.openCurrent(),t=y(t),null==e&&(e={}),e=y(e),C(e)||(n=(s=[e,n])[0],e=s[1]),this.currentNode=new f(this,t,e),this.currentNode.children=!1,this.currentLevel++,this.openTags[this.currentLevel]=this.currentNode,null!=n&&this.text(n),this},t.prototype.element=function(t,n,s){var i,r,o,a,l,c;if(this.currentNode&&this.currentNode.type===e.DocType)this.dtdElement.apply(this,arguments);else if(Array.isArray(t)||C(t)||b(t))for(a=this.options.noValidation,this.options.noValidation=!0,(c=new p(this.options).element("TEMP_ROOT")).element(t),this.options.noValidation=a,r=0,o=(l=c.children).length;r<o;r++)i=l[r],this.createChildNode(i),i.type===e.Element&&this.up();else this.node(t,n,s);return this},t.prototype.attribute=function(t,e){var n,s;if(!this.currentNode||this.currentNode.children)throw new Error("att() can only be used immediately after an ele() call in callback mode. "+this.debugInfo(t));if(null!=t&&(t=y(t)),C(t))for(n in t)T.call(t,n)&&(s=t[n],this.attribute(n,s));else b(e)&&(e=e.apply()),this.options.keepNullAttributes&&null==e?this.currentNode.attribs[t]=new i(this,t,""):null!=e&&(this.currentNode.attribs[t]=new i(this,t,e));return this},t.prototype.text=function(t){var e;return this.openCurrent(),e=new w(this,t),this.onData(this.writer.text(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.cdata=function(t){var e;return this.openCurrent(),e=new r(this,t),this.onData(this.writer.cdata(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.comment=function(t){var e;return this.openCurrent(),e=new o(this,t),this.onData(this.writer.comment(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.raw=function(t){var e;return this.openCurrent(),e=new h(this,t),this.onData(this.writer.raw(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.instruction=function(t,e){var n,s,i,r,o;if(this.openCurrent(),null!=t&&(t=y(t)),null!=e&&(e=y(e)),Array.isArray(t))for(n=0,r=t.length;n<r;n++)s=t[n],this.instruction(s);else if(C(t))for(s in t)T.call(t,s)&&(i=t[s],this.instruction(s,i));else b(e)&&(e=e.apply()),o=new g(this,t,e),this.onData(this.writer.processingInstruction(o,this.writerOptions,this.currentLevel+1),this.currentLevel+1);return this},t.prototype.declaration=function(t,e,n){var s;if(this.openCurrent(),this.documentStarted)throw new Error("declaration() must be the first node.");return s=new u(this,t,e,n),this.onData(this.writer.declaration(s,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.doctype=function(t,e,n){if(this.openCurrent(),null==t)throw new Error("Missing root node name.");if(this.root)throw new Error("dtd() must come before the root node.");return this.currentNode=new m(this,e,n),this.currentNode.rootNodeName=t,this.currentNode.children=!1,this.currentLevel++,this.openTags[this.currentLevel]=this.currentNode,this},t.prototype.dtdElement=function(t,e){var n;return this.openCurrent(),n=new l(this,t,e),this.onData(this.writer.dtdElement(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.attList=function(t,e,n,s,i){var r;return this.openCurrent(),r=new a(this,t,e,n,s,i),this.onData(this.writer.dtdAttList(r,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.entity=function(t,e){var n;return this.openCurrent(),n=new c(this,!1,t,e),this.onData(this.writer.dtdEntity(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.pEntity=function(t,e){var n;return this.openCurrent(),n=new c(this,!0,t,e),this.onData(this.writer.dtdEntity(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.notation=function(t,e){var n;return this.openCurrent(),n=new d(this,t,e),this.onData(this.writer.dtdNotation(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.up=function(){if(this.currentLevel<0)throw new Error("The document node has no parent.");return this.currentNode?(this.currentNode.children?this.closeNode(this.currentNode):this.openNode(this.currentNode),this.currentNode=null):this.closeNode(this.openTags[this.currentLevel]),delete this.openTags[this.currentLevel],this.currentLevel--,this},t.prototype.end=function(){for(;this.currentLevel>=0;)this.up();return this.onEnd()},t.prototype.openCurrent=function(){if(this.currentNode)return this.currentNode.children=!0,this.openNode(this.currentNode)},t.prototype.openNode=function(t){var n,i,r,o;if(!t.isOpen){if(this.root||0!==this.currentLevel||t.type!==e.Element||(this.root=t),i="",t.type===e.Element){for(r in this.writerOptions.state=s.OpenTag,i=this.writer.indent(t,this.writerOptions,this.currentLevel)+"<"+t.name,o=t.attribs)T.call(o,r)&&(n=o[r],i+=this.writer.attribute(n,this.writerOptions,this.currentLevel));i+=(t.children?">":"/>")+this.writer.endline(t,this.writerOptions,this.currentLevel),this.writerOptions.state=s.InsideTag}else this.writerOptions.state=s.OpenTag,i=this.writer.indent(t,this.writerOptions,this.currentLevel)+"<!DOCTYPE "+t.rootNodeName,t.pubID&&t.sysID?i+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.sysID&&(i+=' SYSTEM "'+t.sysID+'"'),t.children?(i+=" [",this.writerOptions.state=s.InsideTag):(this.writerOptions.state=s.CloseTag,i+=">"),i+=this.writer.endline(t,this.writerOptions,this.currentLevel);return this.onData(i,this.currentLevel),t.isOpen=!0}},t.prototype.closeNode=function(t){var n;if(!t.isClosed)return"",this.writerOptions.state=s.CloseTag,n=t.type===e.Element?this.writer.indent(t,this.writerOptions,this.currentLevel)+"</"+t.name+">"+this.writer.endline(t,this.writerOptions,this.currentLevel):this.writer.indent(t,this.writerOptions,this.currentLevel)+"]>"+this.writer.endline(t,this.writerOptions,this.currentLevel),this.writerOptions.state=s.None,this.onData(n,this.currentLevel),t.isClosed=!0},t.prototype.onData=function(t,e){return this.documentStarted=!0,this.onDataCallback(t,e+1)},t.prototype.onEnd=function(){return this.documentCompleted=!0,this.onEndCallback()},t.prototype.debugInfo=function(t){return null==t?"":"node: <"+t+">"},t.prototype.ele=function(){return this.element.apply(this,arguments)},t.prototype.nod=function(t,e,n){return this.node(t,e,n)},t.prototype.txt=function(t){return this.text(t)},t.prototype.dat=function(t){return this.cdata(t)},t.prototype.com=function(t){return this.comment(t)},t.prototype.ins=function(t,e){return this.instruction(t,e)},t.prototype.dec=function(t,e,n){return this.declaration(t,e,n)},t.prototype.dtd=function(t,e,n){return this.doctype(t,e,n)},t.prototype.e=function(t,e,n){return this.element(t,e,n)},t.prototype.n=function(t,e,n){return this.node(t,e,n)},t.prototype.t=function(t){return this.text(t)},t.prototype.d=function(t){return this.cdata(t)},t.prototype.c=function(t){return this.comment(t)},t.prototype.r=function(t){return this.raw(t)},t.prototype.i=function(t,e){return this.instruction(t,e)},t.prototype.att=function(){return this.currentNode&&this.currentNode.type===e.DocType?this.attList.apply(this,arguments):this.attribute.apply(this,arguments)},t.prototype.a=function(){return this.currentNode&&this.currentNode.type===e.DocType?this.attList.apply(this,arguments):this.attribute.apply(this,arguments)},t.prototype.ent=function(t,e){return this.entity(t,e)},t.prototype.pent=function(t,e){return this.pEntity(t,e)},t.prototype.not=function(t,e){return this.notation(t,e)},t}()}).call(this)},21218:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t){n.__super__.constructor.call(this,t),this.type=e.Dummy}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return""},n}(s)}).call(this)},33906:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d={}.hasOwnProperty;c=n(49241),l=c.isObject,a=c.isFunction,o=c.getValue,r=n(10468),e=n(71737),s=n(54238),i=n(24797),t.exports=function(t){function n(t,s,i){var r,o,a,l;if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing element name. "+this.debugInfo());if(this.name=this.stringify.name(s),this.type=e.Element,this.attribs={},this.schemaTypeInfo=null,null!=i&&this.attribute(i),t.type===e.Document&&(this.isRoot=!0,this.documentObject=t,t.rootObject=this,t.children))for(o=0,a=(l=t.children).length;o<a;o++)if((r=l[o]).type===e.DocType){r.name=this.name;break}}return function(t,e){for(var n in e)d.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"tagName",{get:function(){return this.name}}),Object.defineProperty(n.prototype,"namespaceURI",{get:function(){return""}}),Object.defineProperty(n.prototype,"prefix",{get:function(){return""}}),Object.defineProperty(n.prototype,"localName",{get:function(){return this.name}}),Object.defineProperty(n.prototype,"id",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"className",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"classList",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"attributes",{get:function(){return this.attributeMap&&this.attributeMap.nodes||(this.attributeMap=new i(this.attribs)),this.attributeMap}}),n.prototype.clone=function(){var t,e,n,s;for(e in(n=Object.create(this)).isRoot&&(n.documentObject=null),n.attribs={},s=this.attribs)d.call(s,e)&&(t=s[e],n.attribs[e]=t.clone());return n.children=[],this.children.forEach((function(t){var e;return(e=t.clone()).parent=n,n.children.push(e)})),n},n.prototype.attribute=function(t,e){var n,i;if(null!=t&&(t=o(t)),l(t))for(n in t)d.call(t,n)&&(i=t[n],this.attribute(n,i));else a(e)&&(e=e.apply()),this.options.keepNullAttributes&&null==e?this.attribs[t]=new s(this,t,""):null!=e&&(this.attribs[t]=new s(this,t,e));return this},n.prototype.removeAttribute=function(t){var e,n,s;if(null==t)throw new Error("Missing attribute name. "+this.debugInfo());if(t=o(t),Array.isArray(t))for(n=0,s=t.length;n<s;n++)e=t[n],delete this.attribs[e];else delete this.attribs[t];return this},n.prototype.toString=function(t){return this.options.writer.element(this,this.options.writer.filterOptions(t))},n.prototype.att=function(t,e){return this.attribute(t,e)},n.prototype.a=function(t,e){return this.attribute(t,e)},n.prototype.getAttribute=function(t){return this.attribs.hasOwnProperty(t)?this.attribs[t].value:null},n.prototype.setAttribute=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getAttributeNode=function(t){return this.attribs.hasOwnProperty(t)?this.attribs[t]:null},n.prototype.setAttributeNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.removeAttributeNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setAttributeNS=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.removeAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getAttributeNodeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setAttributeNodeNS=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagNameNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.hasAttribute=function(t){return this.attribs.hasOwnProperty(t)},n.prototype.hasAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setIdAttribute=function(t,e){return this.attribs.hasOwnProperty(t)?this.attribs[t].isId:e},n.prototype.setIdAttributeNS=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setIdAttributeNode=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagNameNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByClassName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.isEqualNode=function(t){var e,s,i;if(!n.__super__.isEqualNode.apply(this,arguments).isEqualNode(t))return!1;if(t.namespaceURI!==this.namespaceURI)return!1;if(t.prefix!==this.prefix)return!1;if(t.localName!==this.localName)return!1;if(t.attribs.length!==this.attribs.length)return!1;for(e=s=0,i=this.attribs.length-1;0<=i?s<=i:s>=i;e=0<=i?++s:--s)if(!this.attribs[e].isEqualNode(t.attribs[e]))return!1;return!0},n}(r)}).call(this)},24797:function(t){(function(){t.exports=function(){function t(t){this.nodes=t}return Object.defineProperty(t.prototype,"length",{get:function(){return Object.keys(this.nodes).length||0}}),t.prototype.clone=function(){return this.nodes=null},t.prototype.getNamedItem=function(t){return this.nodes[t]},t.prototype.setNamedItem=function(t){var e;return e=this.nodes[t.nodeName],this.nodes[t.nodeName]=t,e||null},t.prototype.removeNamedItem=function(t){var e;return e=this.nodes[t],delete this.nodes[t],e||null},t.prototype.item=function(t){return this.nodes[Object.keys(this.nodes)[t]]||null},t.prototype.getNamedItemNS=function(t,e){throw new Error("This DOM method is not implemented.")},t.prototype.setNamedItemNS=function(t){throw new Error("This DOM method is not implemented.")},t.prototype.removeNamedItemNS=function(t,e){throw new Error("This DOM method is not implemented.")},t}()}).call(this)},10468:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d,u,m,p,f,g,h,v,A,w={}.hasOwnProperty;A=n(49241),v=A.isObject,h=A.isFunction,g=A.isEmpty,f=A.getValue,c=null,i=null,r=null,o=null,a=null,m=null,p=null,u=null,l=null,s=null,d=null,e=null,t.exports=function(){function t(t){this.parent=t,this.parent&&(this.options=this.parent.options,this.stringify=this.parent.stringify),this.value=null,this.children=[],this.baseURI=null,c||(c=n(33906),i=n(92691),r=n(32679),o=n(34130),a=n(96376),m=n(1268),p=n(82535),u=n(85915),l=n(21218),s=n(71737),d=n(16684),n(24797),e=n(34923))}return Object.defineProperty(t.prototype,"nodeName",{get:function(){return this.name}}),Object.defineProperty(t.prototype,"nodeType",{get:function(){return this.type}}),Object.defineProperty(t.prototype,"nodeValue",{get:function(){return this.value}}),Object.defineProperty(t.prototype,"parentNode",{get:function(){return this.parent}}),Object.defineProperty(t.prototype,"childNodes",{get:function(){return this.childNodeList&&this.childNodeList.nodes||(this.childNodeList=new d(this.children)),this.childNodeList}}),Object.defineProperty(t.prototype,"firstChild",{get:function(){return this.children[0]||null}}),Object.defineProperty(t.prototype,"lastChild",{get:function(){return this.children[this.children.length-1]||null}}),Object.defineProperty(t.prototype,"previousSibling",{get:function(){var t;return t=this.parent.children.indexOf(this),this.parent.children[t-1]||null}}),Object.defineProperty(t.prototype,"nextSibling",{get:function(){var t;return t=this.parent.children.indexOf(this),this.parent.children[t+1]||null}}),Object.defineProperty(t.prototype,"ownerDocument",{get:function(){return this.document()||null}}),Object.defineProperty(t.prototype,"textContent",{get:function(){var t,e,n,i,r;if(this.nodeType===s.Element||this.nodeType===s.DocumentFragment){for(r="",e=0,n=(i=this.children).length;e<n;e++)(t=i[e]).textContent&&(r+=t.textContent);return r}return null},set:function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),t.prototype.setParent=function(t){var e,n,s,i,r;for(this.parent=t,t&&(this.options=t.options,this.stringify=t.stringify),r=[],n=0,s=(i=this.children).length;n<s;n++)e=i[n],r.push(e.setParent(this));return r},t.prototype.element=function(t,e,n){var s,i,r,o,a,l,c,d,u,m,p;if(l=null,null===e&&null==n&&(e=(u=[{},null])[0],n=u[1]),null==e&&(e={}),e=f(e),v(e)||(n=(m=[e,n])[0],e=m[1]),null!=t&&(t=f(t)),Array.isArray(t))for(r=0,c=t.length;r<c;r++)i=t[r],l=this.element(i);else if(h(t))l=this.element(t.apply());else if(v(t)){for(a in t)if(w.call(t,a))if(p=t[a],h(p)&&(p=p.apply()),!this.options.ignoreDecorators&&this.stringify.convertAttKey&&0===a.indexOf(this.stringify.convertAttKey))l=this.attribute(a.substr(this.stringify.convertAttKey.length),p);else if(!this.options.separateArrayItems&&Array.isArray(p)&&g(p))l=this.dummy();else if(v(p)&&g(p))l=this.element(a);else if(this.options.keepNullNodes||null!=p)if(!this.options.separateArrayItems&&Array.isArray(p))for(o=0,d=p.length;o<d;o++)i=p[o],(s={})[a]=i,l=this.element(s);else v(p)?!this.options.ignoreDecorators&&this.stringify.convertTextKey&&0===a.indexOf(this.stringify.convertTextKey)?l=this.element(p):(l=this.element(a)).element(p):l=this.element(a,p);else l=this.dummy()}else l=this.options.keepNullNodes||null!==n?!this.options.ignoreDecorators&&this.stringify.convertTextKey&&0===t.indexOf(this.stringify.convertTextKey)?this.text(n):!this.options.ignoreDecorators&&this.stringify.convertCDataKey&&0===t.indexOf(this.stringify.convertCDataKey)?this.cdata(n):!this.options.ignoreDecorators&&this.stringify.convertCommentKey&&0===t.indexOf(this.stringify.convertCommentKey)?this.comment(n):!this.options.ignoreDecorators&&this.stringify.convertRawKey&&0===t.indexOf(this.stringify.convertRawKey)?this.raw(n):!this.options.ignoreDecorators&&this.stringify.convertPIKey&&0===t.indexOf(this.stringify.convertPIKey)?this.instruction(t.substr(this.stringify.convertPIKey.length),n):this.node(t,e,n):this.dummy();if(null==l)throw new Error("Could not create any elements with: "+t+". "+this.debugInfo());return l},t.prototype.insertBefore=function(t,e,n){var s,i,r,o,a;if(null!=t?t.type:void 0)return o=e,(r=t).setParent(this),o?(i=children.indexOf(o),a=children.splice(i),children.push(r),Array.prototype.push.apply(children,a)):children.push(r),r;if(this.isRoot)throw new Error("Cannot insert elements at root level. "+this.debugInfo(t));return i=this.parent.children.indexOf(this),a=this.parent.children.splice(i),s=this.parent.element(t,e,n),Array.prototype.push.apply(this.parent.children,a),s},t.prototype.insertAfter=function(t,e,n){var s,i,r;if(this.isRoot)throw new Error("Cannot insert elements at root level. "+this.debugInfo(t));return i=this.parent.children.indexOf(this),r=this.parent.children.splice(i+1),s=this.parent.element(t,e,n),Array.prototype.push.apply(this.parent.children,r),s},t.prototype.remove=function(){var t;if(this.isRoot)throw new Error("Cannot remove the root element. "+this.debugInfo());return t=this.parent.children.indexOf(this),[].splice.apply(this.parent.children,[t,t-t+1].concat([])),this.parent},t.prototype.node=function(t,e,n){var s,i;return null!=t&&(t=f(t)),e||(e={}),e=f(e),v(e)||(n=(i=[e,n])[0],e=i[1]),s=new c(this,t,e),null!=n&&s.text(n),this.children.push(s),s},t.prototype.text=function(t){var e;return v(t)&&this.element(t),e=new p(this,t),this.children.push(e),this},t.prototype.cdata=function(t){var e;return e=new i(this,t),this.children.push(e),this},t.prototype.comment=function(t){var e;return e=new r(this,t),this.children.push(e),this},t.prototype.commentBefore=function(t){var e,n;return e=this.parent.children.indexOf(this),n=this.parent.children.splice(e),this.parent.comment(t),Array.prototype.push.apply(this.parent.children,n),this},t.prototype.commentAfter=function(t){var e,n;return e=this.parent.children.indexOf(this),n=this.parent.children.splice(e+1),this.parent.comment(t),Array.prototype.push.apply(this.parent.children,n),this},t.prototype.raw=function(t){var e;return e=new m(this,t),this.children.push(e),this},t.prototype.dummy=function(){return new l(this)},t.prototype.instruction=function(t,e){var n,s,i,r,o;if(null!=t&&(t=f(t)),null!=e&&(e=f(e)),Array.isArray(t))for(r=0,o=t.length;r<o;r++)n=t[r],this.instruction(n);else if(v(t))for(n in t)w.call(t,n)&&(s=t[n],this.instruction(n,s));else h(e)&&(e=e.apply()),i=new u(this,t,e),this.children.push(i);return this},t.prototype.instructionBefore=function(t,e){var n,s;return n=this.parent.children.indexOf(this),s=this.parent.children.splice(n),this.parent.instruction(t,e),Array.prototype.push.apply(this.parent.children,s),this},t.prototype.instructionAfter=function(t,e){var n,s;return n=this.parent.children.indexOf(this),s=this.parent.children.splice(n+1),this.parent.instruction(t,e),Array.prototype.push.apply(this.parent.children,s),this},t.prototype.declaration=function(t,e,n){var i,r;return i=this.document(),r=new o(i,t,e,n),0===i.children.length?i.children.unshift(r):i.children[0].type===s.Declaration?i.children[0]=r:i.children.unshift(r),i.root()||i},t.prototype.dtd=function(t,e){var n,i,r,o,l,c,d,u,m;for(n=this.document(),i=new a(n,t,e),r=o=0,c=(u=n.children).length;o<c;r=++o)if(u[r].type===s.DocType)return n.children[r]=i,i;for(r=l=0,d=(m=n.children).length;l<d;r=++l)if(m[r].isRoot)return n.children.splice(r,0,i),i;return n.children.push(i),i},t.prototype.up=function(){if(this.isRoot)throw new Error("The root node has no parent. Use doc() if you need to get the document object.");return this.parent},t.prototype.root=function(){var t;for(t=this;t;){if(t.type===s.Document)return t.rootObject;if(t.isRoot)return t;t=t.parent}},t.prototype.document=function(){var t;for(t=this;t;){if(t.type===s.Document)return t;t=t.parent}},t.prototype.end=function(t){return this.document().end(t)},t.prototype.prev=function(){var t;if((t=this.parent.children.indexOf(this))<1)throw new Error("Already at the first node. "+this.debugInfo());return this.parent.children[t-1]},t.prototype.next=function(){var t;if(-1===(t=this.parent.children.indexOf(this))||t===this.parent.children.length-1)throw new Error("Already at the last node. "+this.debugInfo());return this.parent.children[t+1]},t.prototype.importDocument=function(t){var e;return(e=t.root().clone()).parent=this,e.isRoot=!1,this.children.push(e),this},t.prototype.debugInfo=function(t){var e,n;return null!=(t=t||this.name)||(null!=(e=this.parent)?e.name:void 0)?null==t?"parent: <"+this.parent.name+">":(null!=(n=this.parent)?n.name:void 0)?"node: <"+t+">, parent: <"+this.parent.name+">":"node: <"+t+">":""},t.prototype.ele=function(t,e,n){return this.element(t,e,n)},t.prototype.nod=function(t,e,n){return this.node(t,e,n)},t.prototype.txt=function(t){return this.text(t)},t.prototype.dat=function(t){return this.cdata(t)},t.prototype.com=function(t){return this.comment(t)},t.prototype.ins=function(t,e){return this.instruction(t,e)},t.prototype.doc=function(){return this.document()},t.prototype.dec=function(t,e,n){return this.declaration(t,e,n)},t.prototype.e=function(t,e,n){return this.element(t,e,n)},t.prototype.n=function(t,e,n){return this.node(t,e,n)},t.prototype.t=function(t){return this.text(t)},t.prototype.d=function(t){return this.cdata(t)},t.prototype.c=function(t){return this.comment(t)},t.prototype.r=function(t){return this.raw(t)},t.prototype.i=function(t,e){return this.instruction(t,e)},t.prototype.u=function(){return this.up()},t.prototype.importXMLBuilder=function(t){return this.importDocument(t)},t.prototype.replaceChild=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.removeChild=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.appendChild=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.hasChildNodes=function(){return 0!==this.children.length},t.prototype.cloneNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.normalize=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.isSupported=function(t,e){return!0},t.prototype.hasAttributes=function(){return 0!==this.attribs.length},t.prototype.compareDocumentPosition=function(t){var n,s;return(n=this)===t?0:this.document()!==t.document()?(s=e.Disconnected|e.ImplementationSpecific,Math.random()<.5?s|=e.Preceding:s|=e.Following,s):n.isAncestor(t)?e.Contains|e.Preceding:n.isDescendant(t)?e.Contains|e.Following:n.isPreceding(t)?e.Preceding:e.Following},t.prototype.isSameNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.lookupPrefix=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.isDefaultNamespace=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.lookupNamespaceURI=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.isEqualNode=function(t){var e,n,s;if(t.nodeType!==this.nodeType)return!1;if(t.children.length!==this.children.length)return!1;for(e=n=0,s=this.children.length-1;0<=s?n<=s:n>=s;e=0<=s?++n:--n)if(!this.children[e].isEqualNode(t.children[e]))return!1;return!0},t.prototype.getFeature=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.setUserData=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.getUserData=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.contains=function(t){return!!t&&(t===this||this.isDescendant(t))},t.prototype.isDescendant=function(t){var e,n,s,i;for(n=0,s=(i=this.children).length;n<s;n++){if(t===(e=i[n]))return!0;if(e.isDescendant(t))return!0}return!1},t.prototype.isAncestor=function(t){return t.isDescendant(this)},t.prototype.isPreceding=function(t){var e,n;return e=this.treePosition(t),n=this.treePosition(this),-1!==e&&-1!==n&&e<n},t.prototype.isFollowing=function(t){var e,n;return e=this.treePosition(t),n=this.treePosition(this),-1!==e&&-1!==n&&e>n},t.prototype.treePosition=function(t){var e,n;return n=0,e=!1,this.foreachTreeNode(this.document(),(function(s){if(n++,!e&&s===t)return e=!0})),e?n:-1},t.prototype.foreachTreeNode=function(t,e){var n,s,i,r,o;for(t||(t=this.document()),s=0,i=(r=t.children).length;s<i;s++){if(o=e(n=r[s]))return o;if(o=this.foreachTreeNode(n,e))return o}},t}()}).call(this)},16684:function(t){(function(){t.exports=function(){function t(t){this.nodes=t}return Object.defineProperty(t.prototype,"length",{get:function(){return this.nodes.length||0}}),t.prototype.clone=function(){return this.nodes=null},t.prototype.item=function(t){return this.nodes[t]||null},t}()}).call(this)},85915:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s,i){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing instruction target. "+this.debugInfo());this.type=e.ProcessingInstruction,this.target=this.stringify.insTarget(s),this.name=this.target,i&&(this.value=this.stringify.insValue(i))}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.processingInstruction(this,this.options.writer.filterOptions(t))},n.prototype.isEqualNode=function(t){return!!n.__super__.isEqualNode.apply(this,arguments).isEqualNode(t)&&t.target===this.target},n}(s)}).call(this)},1268:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(10468),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing raw text. "+this.debugInfo());this.type=e.Raw,this.value=this.stringify.raw(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.raw(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},96775:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;e=n(71737),i=n(6286),s=n(88753),t.exports=function(t){function n(t,e){this.stream=t,n.__super__.constructor.call(this,e)}return function(t,e){for(var n in e)r.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.endline=function(t,e,i){return t.isLastRootNode&&e.state===s.CloseTag?"":n.__super__.endline.call(this,t,e,i)},n.prototype.document=function(t,e){var n,s,i,r,o,a,l,c,d;for(s=i=0,o=(l=t.children).length;i<o;s=++i)(n=l[s]).isLastRootNode=s===t.children.length-1;for(e=this.filterOptions(e),d=[],r=0,a=(c=t.children).length;r<a;r++)n=c[r],d.push(this.writeChildNode(n,e,0));return d},n.prototype.attribute=function(t,e,s){return this.stream.write(n.__super__.attribute.call(this,t,e,s))},n.prototype.cdata=function(t,e,s){return this.stream.write(n.__super__.cdata.call(this,t,e,s))},n.prototype.comment=function(t,e,s){return this.stream.write(n.__super__.comment.call(this,t,e,s))},n.prototype.declaration=function(t,e,s){return this.stream.write(n.__super__.declaration.call(this,t,e,s))},n.prototype.docType=function(t,e,n){var i,r,o,a;if(n||(n=0),this.openNode(t,e,n),e.state=s.OpenTag,this.stream.write(this.indent(t,e,n)),this.stream.write("<!DOCTYPE "+t.root().name),t.pubID&&t.sysID?this.stream.write(' PUBLIC "'+t.pubID+'" "'+t.sysID+'"'):t.sysID&&this.stream.write(' SYSTEM "'+t.sysID+'"'),t.children.length>0){for(this.stream.write(" ["),this.stream.write(this.endline(t,e,n)),e.state=s.InsideTag,r=0,o=(a=t.children).length;r<o;r++)i=a[r],this.writeChildNode(i,e,n+1);e.state=s.CloseTag,this.stream.write("]")}return e.state=s.CloseTag,this.stream.write(e.spaceBeforeSlash+">"),this.stream.write(this.endline(t,e,n)),e.state=s.None,this.closeNode(t,e,n)},n.prototype.element=function(t,n,i){var o,a,l,c,d,u,m,p,f;for(m in i||(i=0),this.openNode(t,n,i),n.state=s.OpenTag,this.stream.write(this.indent(t,n,i)+"<"+t.name),p=t.attribs)r.call(p,m)&&(o=p[m],this.attribute(o,n,i));if(c=0===(l=t.children.length)?null:t.children[0],0===l||t.children.every((function(t){return(t.type===e.Text||t.type===e.Raw)&&""===t.value})))n.allowEmpty?(this.stream.write(">"),n.state=s.CloseTag,this.stream.write("</"+t.name+">")):(n.state=s.CloseTag,this.stream.write(n.spaceBeforeSlash+"/>"));else if(!n.pretty||1!==l||c.type!==e.Text&&c.type!==e.Raw||null==c.value){for(this.stream.write(">"+this.endline(t,n,i)),n.state=s.InsideTag,d=0,u=(f=t.children).length;d<u;d++)a=f[d],this.writeChildNode(a,n,i+1);n.state=s.CloseTag,this.stream.write(this.indent(t,n,i)+"</"+t.name+">")}else this.stream.write(">"),n.state=s.InsideTag,n.suppressPrettyCount++,this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,n.state=s.CloseTag,this.stream.write("</"+t.name+">");return this.stream.write(this.endline(t,n,i)),n.state=s.None,this.closeNode(t,n,i)},n.prototype.processingInstruction=function(t,e,s){return this.stream.write(n.__super__.processingInstruction.call(this,t,e,s))},n.prototype.raw=function(t,e,s){return this.stream.write(n.__super__.raw.call(this,t,e,s))},n.prototype.text=function(t,e,s){return this.stream.write(n.__super__.text.call(this,t,e,s))},n.prototype.dtdAttList=function(t,e,s){return this.stream.write(n.__super__.dtdAttList.call(this,t,e,s))},n.prototype.dtdElement=function(t,e,s){return this.stream.write(n.__super__.dtdElement.call(this,t,e,s))},n.prototype.dtdEntity=function(t,e,s){return this.stream.write(n.__super__.dtdEntity.call(this,t,e,s))},n.prototype.dtdNotation=function(t,e,s){return this.stream.write(n.__super__.dtdNotation.call(this,t,e,s))},n}(i)}).call(this)},40382:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(6286),t.exports=function(t){function e(t){e.__super__.constructor.call(this,t)}return function(t,e){for(var n in e)s.call(e,n)&&(t[n]=e[n]);function i(){this.constructor=t}i.prototype=e.prototype,t.prototype=new i,t.__super__=e.prototype}(e,t),e.prototype.document=function(t,e){var n,s,i,r,o;for(e=this.filterOptions(e),r="",s=0,i=(o=t.children).length;s<i;s++)n=o[s],r+=this.writeChildNode(n,e,0);return e.pretty&&r.slice(-e.newline.length)===e.newline&&(r=r.slice(0,-e.newline.length)),r},e}(e)}).call(this)},43976:function(t){(function(){var e=function(t,e){return function(){return t.apply(e,arguments)}},n={}.hasOwnProperty;t.exports=function(){function t(t){var s,i,r;for(s in this.assertLegalName=e(this.assertLegalName,this),this.assertLegalChar=e(this.assertLegalChar,this),t||(t={}),this.options=t,this.options.version||(this.options.version="1.0"),i=t.stringify||{})n.call(i,s)&&(r=i[s],this[s]=r)}return t.prototype.name=function(t){return this.options.noValidation?t:this.assertLegalName(""+t||"")},t.prototype.text=function(t){return this.options.noValidation?t:this.assertLegalChar(this.textEscape(""+t||""))},t.prototype.cdata=function(t){return this.options.noValidation?t:(t=(t=""+t||"").replace("]]>","]]]]><![CDATA[>"),this.assertLegalChar(t))},t.prototype.comment=function(t){if(this.options.noValidation)return t;if((t=""+t||"").match(/--/))throw new Error("Comment text cannot contain double-hypen: "+t);return this.assertLegalChar(t)},t.prototype.raw=function(t){return this.options.noValidation?t:""+t||""},t.prototype.attValue=function(t){return this.options.noValidation?t:this.assertLegalChar(this.attEscape(t=""+t||""))},t.prototype.insTarget=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.insValue=function(t){if(this.options.noValidation)return t;if((t=""+t||"").match(/\?>/))throw new Error("Invalid processing instruction value: "+t);return this.assertLegalChar(t)},t.prototype.xmlVersion=function(t){if(this.options.noValidation)return t;if(!(t=""+t||"").match(/1\.[0-9]+/))throw new Error("Invalid version number: "+t);return t},t.prototype.xmlEncoding=function(t){if(this.options.noValidation)return t;if(!(t=""+t||"").match(/^[A-Za-z](?:[A-Za-z0-9._-])*$/))throw new Error("Invalid encoding: "+t);return this.assertLegalChar(t)},t.prototype.xmlStandalone=function(t){return this.options.noValidation?t:t?"yes":"no"},t.prototype.dtdPubID=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdSysID=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdElementValue=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdAttType=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdAttDefault=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdEntityValue=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdNData=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.convertAttKey="@",t.prototype.convertPIKey="?",t.prototype.convertTextKey="#text",t.prototype.convertCDataKey="#cdata",t.prototype.convertCommentKey="#comment",t.prototype.convertRawKey="#raw",t.prototype.assertLegalChar=function(t){var e,n;if(this.options.noValidation)return t;if(e="","1.0"===this.options.version){if(e=/[\0-\x08\x0B\f\x0E-\x1F\uFFFE\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]/,n=t.match(e))throw new Error("Invalid character in string: "+t+" at index "+n.index)}else if("1.1"===this.options.version&&(e=/[\0\uFFFE\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]/,n=t.match(e)))throw new Error("Invalid character in string: "+t+" at index "+n.index);return t},t.prototype.assertLegalName=function(t){var e;if(this.options.noValidation)return t;if(this.assertLegalChar(t),e=/^([:A-Z_a-z\xC0-\xD6\xD8-\xF6\xF8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]|[\uD800-\uDB7F][\uDC00-\uDFFF])([\x2D\.0-:A-Z_a-z\xB7\xC0-\xD6\xD8-\xF6\xF8-\u037D\u037F-\u1FFF\u200C\u200D\u203F\u2040\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]|[\uD800-\uDB7F][\uDC00-\uDFFF])*$/,!t.match(e))throw new Error("Invalid character in name");return t},t.prototype.textEscape=function(t){var e;return this.options.noValidation?t:(e=this.options.noDoubleEncoding?/(?!&\S+;)&/g:/&/g,t.replace(e,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/\r/g,"&#xD;"))},t.prototype.attEscape=function(t){var e;return this.options.noValidation?t:(e=this.options.noDoubleEncoding?/(?!&\S+;)&/g:/&/g,t.replace(e,"&amp;").replace(/</g,"&lt;").replace(/"/g,"&quot;").replace(/\t/g,"&#x9;").replace(/\n/g,"&#xA;").replace(/\r/g,"&#xD;"))},t}()}).call(this)},82535:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing element text. "+this.debugInfo());this.name="#text",this.type=e.Text,this.value=this.stringify.text(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"isElementContentWhitespace",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"wholeText",{get:function(){var t,e,n;for(n="",e=this.previousSibling;e;)n=e.data+n,e=e.previousSibling;for(n+=this.data,t=this.nextSibling;t;)n+=t.data,t=t.nextSibling;return n}}),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.text(this,this.options.writer.filterOptions(t))},n.prototype.splitText=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.replaceWholeText=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n}(s)}).call(this)},6286:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(49241).assign,e=n(71737),n(34130),n(96376),n(92691),n(32679),n(33906),n(1268),n(82535),n(85915),n(21218),n(34111),n(67696),n(5529),n(28012),s=n(88753),t.exports=function(){function t(t){var e,n,s;for(e in t||(t={}),this.options=t,n=t.writer||{})r.call(n,e)&&(s=n[e],this["_"+e]=this[e],this[e]=s)}return t.prototype.filterOptions=function(t){var e,n,r,o,a,l,c,d;return t||(t={}),t=i({},this.options,t),(e={writer:this}).pretty=t.pretty||!1,e.allowEmpty=t.allowEmpty||!1,e.indent=null!=(n=t.indent)?n:" ",e.newline=null!=(r=t.newline)?r:"\n",e.offset=null!=(o=t.offset)?o:0,e.dontPrettyTextNodes=null!=(a=null!=(l=t.dontPrettyTextNodes)?l:t.dontprettytextnodes)?a:0,e.spaceBeforeSlash=null!=(c=null!=(d=t.spaceBeforeSlash)?d:t.spacebeforeslash)?c:"",!0===e.spaceBeforeSlash&&(e.spaceBeforeSlash=" "),e.suppressPrettyCount=0,e.user={},e.state=s.None,e},t.prototype.indent=function(t,e,n){var s;return!e.pretty||e.suppressPrettyCount?"":e.pretty&&(s=(n||0)+e.offset+1)>0?new Array(s).join(e.indent):""},t.prototype.endline=function(t,e,n){return!e.pretty||e.suppressPrettyCount?"":e.newline},t.prototype.attribute=function(t,e,n){var s;return this.openAttribute(t,e,n),s=" "+t.name+'="'+t.value+'"',this.closeAttribute(t,e,n),s},t.prototype.cdata=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<![CDATA[",e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+="]]>"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.comment=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"\x3c!-- ",e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+=" --\x3e"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.declaration=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<?xml",e.state=s.InsideTag,i+=' version="'+t.version+'"',null!=t.encoding&&(i+=' encoding="'+t.encoding+'"'),null!=t.standalone&&(i+=' standalone="'+t.standalone+'"'),e.state=s.CloseTag,i+=e.spaceBeforeSlash+"?>",i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.docType=function(t,e,n){var i,r,o,a,l;if(n||(n=0),this.openNode(t,e,n),e.state=s.OpenTag,a=this.indent(t,e,n),a+="<!DOCTYPE "+t.root().name,t.pubID&&t.sysID?a+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.sysID&&(a+=' SYSTEM "'+t.sysID+'"'),t.children.length>0){for(a+=" [",a+=this.endline(t,e,n),e.state=s.InsideTag,r=0,o=(l=t.children).length;r<o;r++)i=l[r],a+=this.writeChildNode(i,e,n+1);e.state=s.CloseTag,a+="]"}return e.state=s.CloseTag,a+=e.spaceBeforeSlash+">",a+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),a},t.prototype.element=function(t,n,i){var o,a,l,c,d,u,m,p,f,g,h,v,A,w;for(f in i||(i=0),g=!1,h="",this.openNode(t,n,i),n.state=s.OpenTag,h+=this.indent(t,n,i)+"<"+t.name,v=t.attribs)r.call(v,f)&&(o=v[f],h+=this.attribute(o,n,i));if(c=0===(l=t.children.length)?null:t.children[0],0===l||t.children.every((function(t){return(t.type===e.Text||t.type===e.Raw)&&""===t.value})))n.allowEmpty?(h+=">",n.state=s.CloseTag,h+="</"+t.name+">"+this.endline(t,n,i)):(n.state=s.CloseTag,h+=n.spaceBeforeSlash+"/>"+this.endline(t,n,i));else if(!n.pretty||1!==l||c.type!==e.Text&&c.type!==e.Raw||null==c.value){if(n.dontPrettyTextNodes)for(d=0,m=(A=t.children).length;d<m;d++)if(((a=A[d]).type===e.Text||a.type===e.Raw)&&null!=a.value){n.suppressPrettyCount++,g=!0;break}for(h+=">"+this.endline(t,n,i),n.state=s.InsideTag,u=0,p=(w=t.children).length;u<p;u++)a=w[u],h+=this.writeChildNode(a,n,i+1);n.state=s.CloseTag,h+=this.indent(t,n,i)+"</"+t.name+">",g&&n.suppressPrettyCount--,h+=this.endline(t,n,i),n.state=s.None}else h+=">",n.state=s.InsideTag,n.suppressPrettyCount++,g=!0,h+=this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,g=!1,n.state=s.CloseTag,h+="</"+t.name+">"+this.endline(t,n,i);return this.closeNode(t,n,i),h},t.prototype.writeChildNode=function(t,n,s){switch(t.type){case e.CData:return this.cdata(t,n,s);case e.Comment:return this.comment(t,n,s);case e.Element:return this.element(t,n,s);case e.Raw:return this.raw(t,n,s);case e.Text:return this.text(t,n,s);case e.ProcessingInstruction:return this.processingInstruction(t,n,s);case e.Dummy:return"";case e.Declaration:return this.declaration(t,n,s);case e.DocType:return this.docType(t,n,s);case e.AttributeDeclaration:return this.dtdAttList(t,n,s);case e.ElementDeclaration:return this.dtdElement(t,n,s);case e.EntityDeclaration:return this.dtdEntity(t,n,s);case e.NotationDeclaration:return this.dtdNotation(t,n,s);default:throw new Error("Unknown XML node type: "+t.constructor.name)}},t.prototype.processingInstruction=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<?",e.state=s.InsideTag,i+=t.target,t.value&&(i+=" "+t.value),e.state=s.CloseTag,i+=e.spaceBeforeSlash+"?>",i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.raw=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n),e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.text=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n),e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdAttList=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!ATTLIST",e.state=s.InsideTag,i+=" "+t.elementName+" "+t.attributeName+" "+t.attributeType,"#DEFAULT"!==t.defaultValueType&&(i+=" "+t.defaultValueType),t.defaultValue&&(i+=' "'+t.defaultValue+'"'),e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdElement=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!ELEMENT",e.state=s.InsideTag,i+=" "+t.name+" "+t.value,e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdEntity=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!ENTITY",e.state=s.InsideTag,t.pe&&(i+=" %"),i+=" "+t.name,t.value?i+=' "'+t.value+'"':(t.pubID&&t.sysID?i+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.sysID&&(i+=' SYSTEM "'+t.sysID+'"'),t.nData&&(i+=" NDATA "+t.nData)),e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdNotation=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!NOTATION",e.state=s.InsideTag,i+=" "+t.name,t.pubID&&t.sysID?i+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.pubID?i+=' PUBLIC "'+t.pubID+'"':t.sysID&&(i+=' SYSTEM "'+t.sysID+'"'),e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.openNode=function(t,e,n){},t.prototype.closeNode=function(t,e,n){},t.prototype.openAttribute=function(t,e,n){},t.prototype.closeAttribute=function(t,e,n){},t}()}).call(this)},59665:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d,u;u=n(49241),c=u.assign,d=u.isFunction,i=n(67260),r=n(71933),o=n(80400),l=n(40382),a=n(96775),e=n(71737),s=n(88753),t.exports.create=function(t,e,n,s){var i,o;if(null==t)throw new Error("Root element needs a name.");return s=c({},e,n,s),o=(i=new r(s)).element(t),s.headless||(i.declaration(s),null==s.pubID&&null==s.sysID||i.dtd(s)),o},t.exports.begin=function(t,e,n){var s;return d(t)&&(e=(s=[t,e])[0],n=s[1],t={}),e?new o(t,e,n):new r(t)},t.exports.stringWriter=function(t){return new l(t)},t.exports.streamWriter=function(t,e){return new a(t,e)},t.exports.implementation=new i,t.exports.nodeType=e,t.exports.writerState=s}).call(this)},63710:t=>{"use strict";t.exports="data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27%20style=%27fill-opacity:1;fill:%23ffffff%27/%3e%3c/svg%3e"},57273:t=>{"use strict";t.exports="data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27/%3e%3c/svg%3e"},42634:()=>{},63779:()=>{},99580:()=>{},59169:()=>{},86833:()=>{},35810:(t,e,n)=>{"use strict";n.d(e,{Al:()=>z,By:()=>w,H4:()=>U,PY:()=>D,Q$:()=>j,R3:()=>k,Ss:()=>oe,VL:()=>T,ZH:()=>P,aX:()=>y,bP:()=>I,bh:()=>R,hY:()=>v,lJ:()=>O,m1:()=>le,m9:()=>h,pt:()=>S,qK:()=>A,v7:()=>g,vb:()=>E,vd:()=>B,zI:()=>F});var s=n(92457),i=n(53529),r=n(53334),o=n(43627),a=n(71089),l=n(66656),c=n(66037);const d=null===(u=(0,s.HW)())?(0,i.YK)().setApp("files").build():(0,i.YK)().setApp("files").setUid(u.uid).build();var u;class m{_entries=[];registerEntry(t){this.validateEntry(t),this._entries.push(t)}unregisterEntry(t){const e="string"==typeof t?this.getEntryIndex(t):this.getEntryIndex(t.id);-1!==e?this._entries.splice(e,1):d.warn("Entry not found, nothing removed",{entry:t,entries:this.getEntries()})}getEntries(t){return t?this._entries.filter((e=>"function"!=typeof e.enabled||e.enabled(t))):this._entries}getEntryIndex(t){return this._entries.findIndex((e=>e.id===t))}validateEntry(t){if(!t.id||!t.displayName||!t.iconSvgInline&&!t.iconClass||!t.handler)throw new Error("Invalid entry");if("string"!=typeof t.id||"string"!=typeof t.displayName)throw new Error("Invalid id or displayName property");if(t.iconClass&&"string"!=typeof t.iconClass||t.iconSvgInline&&"string"!=typeof t.iconSvgInline)throw new Error("Invalid icon provided");if(void 0!==t.enabled&&"function"!=typeof t.enabled)throw new Error("Invalid enabled property");if("function"!=typeof t.handler)throw new Error("Invalid handler property");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order property");if(-1!==this.getEntryIndex(t.id))throw new Error("Duplicate entry")}}const p=["B","KB","MB","GB","TB","PB"],f=["B","KiB","MiB","GiB","TiB","PiB"];function g(t,e=!1,n=!1,s=!1){n=n&&!s,"string"==typeof t&&(t=Number(t));let i=t>0?Math.floor(Math.log(t)/Math.log(s?1e3:1024)):0;i=Math.min((n?f.length:p.length)-1,i);const o=n?f[i]:p[i];let a=(t/Math.pow(s?1e3:1024,i)).toFixed(1);return!0===e&&0===i?("0.0"!==a?"< 1 ":"0 ")+(n?f[1]:p[1]):(a=i<2?parseFloat(a).toFixed(0):parseFloat(a).toLocaleString((0,r.lO)()),a+" "+o)}var h=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(h||{});class v{_action;constructor(t){this.validateAction(t),this._action=t}get id(){return this._action.id}get displayName(){return this._action.displayName}get title(){return this._action.title}get iconSvgInline(){return this._action.iconSvgInline}get enabled(){return this._action.enabled}get exec(){return this._action.exec}get execBatch(){return this._action.execBatch}get order(){return this._action.order}get parent(){return this._action.parent}get default(){return this._action.default}get inline(){return this._action.inline}get renderInline(){return this._action.renderInline}validateAction(t){if(!t.id||"string"!=typeof t.id)throw new Error("Invalid id");if(!t.displayName||"function"!=typeof t.displayName)throw new Error("Invalid displayName function");if("title"in t&&"function"!=typeof t.title)throw new Error("Invalid title function");if(!t.iconSvgInline||"function"!=typeof t.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!t.exec||"function"!=typeof t.exec)throw new Error("Invalid exec function");if("enabled"in t&&"function"!=typeof t.enabled)throw new Error("Invalid enabled function");if("execBatch"in t&&"function"!=typeof t.execBatch)throw new Error("Invalid execBatch function");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order");if("parent"in t&&"string"!=typeof t.parent)throw new Error("Invalid parent");if(t.default&&!Object.values(h).includes(t.default))throw new Error("Invalid default");if("inline"in t&&"function"!=typeof t.inline)throw new Error("Invalid inline function");if("renderInline"in t&&"function"!=typeof t.renderInline)throw new Error("Invalid renderInline function")}}const A=function(){return typeof window._nc_fileactions>"u"&&(window._nc_fileactions=[],d.debug("FileActions initialized")),window._nc_fileactions},w=function(){return typeof window._nc_filelistheader>"u"&&(window._nc_filelistheader=[],d.debug("FileListHeaders initialized")),window._nc_filelistheader};var y=(t=>(t[t.NONE=0]="NONE",t[t.CREATE=4]="CREATE",t[t.READ=1]="READ",t[t.UPDATE=2]="UPDATE",t[t.DELETE=8]="DELETE",t[t.SHARE=16]="SHARE",t[t.ALL=31]="ALL",t))(y||{});const b=["d:getcontentlength","d:getcontenttype","d:getetag","d:getlastmodified","d:quota-available-bytes","d:resourcetype","nc:has-preview","nc:is-encrypted","nc:mount-type","oc:comments-unread","oc:favorite","oc:fileid","oc:owner-display-name","oc:owner-id","oc:permissions","oc:size"],C={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},x=function(){return typeof window._nc_dav_properties>"u"&&(window._nc_dav_properties=[...b]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")},_=function(){return typeof window._nc_dav_namespaces>"u"&&(window._nc_dav_namespaces={...C}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")},T=function(){return`<?xml version="1.0"?>\n\t\t<d:propfind ${_()}>\n\t\t\t<d:prop>\n\t\t\t\t${x()}\n\t\t\t</d:prop>\n\t\t</d:propfind>`},k=function(t){return`<?xml version="1.0" encoding="UTF-8"?>\n<d:searchrequest ${_()}\n\txmlns:ns="https://github.com/icewind1991/SearchDAV/ns">\n\t<d:basicsearch>\n\t\t<d:select>\n\t\t\t<d:prop>\n\t\t\t\t${x()}\n\t\t\t</d:prop>\n\t\t</d:select>\n\t\t<d:from>\n\t\t\t<d:scope>\n\t\t\t\t<d:href>/files/${(0,s.HW)()?.uid}/</d:href>\n\t\t\t\t<d:depth>infinity</d:depth>\n\t\t\t</d:scope>\n\t\t</d:from>\n\t\t<d:where>\n\t\t\t<d:and>\n\t\t\t\t<d:or>\n\t\t\t\t\t<d:not>\n\t\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t\t<d:getcontenttype/>\n\t\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t\t<d:literal>httpd/unix-directory</d:literal>\n\t\t\t\t\t\t</d:eq>\n\t\t\t\t\t</d:not>\n\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t<oc:size/>\n\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t<d:literal>0</d:literal>\n\t\t\t\t\t</d:eq>\n\t\t\t\t</d:or>\n\t\t\t\t<d:gt>\n\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t\t</d:prop>\n\t\t\t\t\t<d:literal>${t}</d:literal>\n\t\t\t\t</d:gt>\n\t\t\t</d:and>\n\t\t</d:where>\n\t\t<d:orderby>\n\t\t\t<d:order>\n\t\t\t\t<d:prop>\n\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t</d:prop>\n\t\t\t\t<d:descending/>\n\t\t\t</d:order>\n\t\t</d:orderby>\n\t\t<d:limit>\n\t\t\t<d:nresults>100</d:nresults>\n\t\t\t<ns:firstresult>0</ns:firstresult>\n\t\t</d:limit>\n\t</d:basicsearch>\n</d:searchrequest>`},E=function(t=""){let e=y.NONE;return t&&((t.includes("C")||t.includes("K"))&&(e|=y.CREATE),t.includes("G")&&(e|=y.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=y.UPDATE),t.includes("D")&&(e|=y.DELETE),t.includes("R")&&(e|=y.SHARE)),e};var S=(t=>(t.Folder="folder",t.File="file",t))(S||{});const L=function(t,e){return null!==t.match(e)},N=(t,e)=>{if(t.id&&"number"!=typeof t.id)throw new Error("Invalid id type of value");if(!t.source)throw new Error("Missing mandatory source");try{new URL(t.source)}catch{throw new Error("Invalid source format, source must be a valid URL")}if(!t.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(t.mtime&&!(t.mtime instanceof Date))throw new Error("Invalid mtime type");if(t.crtime&&!(t.crtime instanceof Date))throw new Error("Invalid crtime type");if(!t.mime||"string"!=typeof t.mime||!t.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in t&&"number"!=typeof t.size&&void 0!==t.size)throw new Error("Invalid size type");if("permissions"in t&&void 0!==t.permissions&&!("number"==typeof t.permissions&&t.permissions>=y.NONE&&t.permissions<=y.ALL))throw new Error("Invalid permissions");if(t.owner&&null!==t.owner&&"string"!=typeof t.owner)throw new Error("Invalid owner type");if(t.attributes&&"object"!=typeof t.attributes)throw new Error("Invalid attributes type");if(t.root&&"string"!=typeof t.root)throw new Error("Invalid root type");if(t.root&&!t.root.startsWith("/"))throw new Error("Root must start with a leading slash");if(t.root&&!t.source.includes(t.root))throw new Error("Root must be part of the source");if(t.root&&L(t.source,e)){const n=t.source.match(e)[0];if(!t.source.includes((0,o.join)(n,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(F).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var F=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(F||{});class I{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;constructor(t,e){N(t,e||this._knownDavService),this._data=t;const n={set:(t,e,n)=>(this.updateMtime(),Reflect.set(t,e,n)),deleteProperty:(t,e)=>(this.updateMtime(),Reflect.deleteProperty(t,e))};this._attributes=new Proxy(t.attributes||{},n),delete this._data.attributes,e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,a.O0)(this.source.slice(t.length))}get basename(){return(0,o.basename)(this.source)}get extension(){return(0,o.extname)(this.source)}get dirname(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),n=this.root.replace(/\/$/,"");return(0,o.dirname)(t.slice(e+n.length)||"/")}const t=new URL(this.source);return(0,o.dirname)(t.pathname)}get mime(){return this._data.mime}get mtime(){return this._data.mtime}get crtime(){return this._data.crtime}get size(){return this._data.size}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:y.NONE:y.READ}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return L(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,o.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),n=this.root.replace(/\/$/,"");return t.slice(e+n.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id||this.attributes?.fileid}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){N({...this._data,source:t},this._knownDavService),this._data.source=t,this.updateMtime()}rename(t){if(t.includes("/"))throw new Error("Invalid basename");this.move((0,o.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}}class P extends I{get type(){return S.File}}class B extends I{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return S.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const O=`/files/${(0,s.HW)()?.uid}`,D=(0,l.dC)("dav"),U=function(t=D,e={}){const n=(0,c.UU)(t,{headers:e});function i(t){n.setHeaders({...e,"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})}return(0,s.zo)(i),i((0,s.do)()),(0,c.Gu)().patch("fetch",((t,e)=>{const n=e.headers;return n?.method&&(e.method=n.method,delete n.method),fetch(t,e)})),n},j=async(t,e="/",n=O)=>(await t.getDirectoryContents(`${n}${e}`,{details:!0,data:`<?xml version="1.0"?>\n\t\t<oc:filter-files ${_()}>\n\t\t\t<d:prop>\n\t\t\t\t${x()}\n\t\t\t</d:prop>\n\t\t\t<oc:filter-rules>\n\t\t\t\t<oc:favorite>1</oc:favorite>\n\t\t\t</oc:filter-rules>\n\t\t</oc:filter-files>`,headers:{method:"REPORT"},includeSelf:!0})).data.filter((t=>t.filename!==e)).map((t=>z(t,n))),z=function(t,e=O,n=D){const i=(0,s.HW)()?.uid;if(!i)throw new Error("No user id found");const r=t.props,o=E(r?.permissions),a=(r?.["owner-id"]||i).toString(),l={id:r?.fileid||0,source:`${n}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime||"application/octet-stream",size:r?.size||Number.parseInt(r.getcontentlength||"0"),permissions:o,owner:a,root:e,attributes:{...t,...r,hasPreview:r?.["has-preview"]}};return delete l.attributes?.props,"file"===t.type?new P(l):new B(l)};class M{_views=[];_currentView=null;register(t){if(this._views.find((e=>e.id===t.id)))throw new Error(`View id ${t.id} is already registered`);this._views.push(t)}remove(t){const e=this._views.findIndex((e=>e.id===t));-1!==e&&this._views.splice(e,1)}get views(){return this._views}setActive(t){this._currentView=t}get active(){return this._currentView}}const R=function(){return typeof window._nc_navigation>"u"&&(window._nc_navigation=new M,d.debug("Navigation service initialized")),window._nc_navigation};class V{_column;constructor(t){$(t),this._column=t}get id(){return this._column.id}get title(){return this._column.title}get render(){return this._column.render}get sort(){return this._column.sort}get summary(){return this._column.summary}}const $=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("A column id is required");if(!t.title||"string"!=typeof t.title)throw new Error("A column title is required");if(!t.render||"function"!=typeof t.render)throw new Error("A render function is required");if(t.sort&&"function"!=typeof t.sort)throw new Error("Column sortFunction must be a function");if(t.summary&&"function"!=typeof t.summary)throw new Error("Column summary must be a function");return!0};var q={},H={};!function(t){const e=":A-Za-z_\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",n="["+e+"]["+e+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",s=new RegExp("^"+n+"$");t.isExist=function(t){return typeof t<"u"},t.isEmptyObject=function(t){return 0===Object.keys(t).length},t.merge=function(t,e,n){if(e){const s=Object.keys(e),i=s.length;for(let r=0;r<i;r++)t[s[r]]="strict"===n?[e[s[r]]]:e[s[r]]}},t.getValue=function(e){return t.isExist(e)?e:""},t.isName=function(t){const e=s.exec(t);return!(null===e||typeof e>"u")},t.getAllMatches=function(t,e){const n=[];let s=e.exec(t);for(;s;){const i=[];i.startIndex=e.lastIndex-s[0].length;const r=s.length;for(let t=0;t<r;t++)i.push(s[t]);n.push(i),s=e.exec(t)}return n},t.nameRegexp=n}(H);const W=H,G={allowBooleanAttributes:!1,unpairedTags:[]};function Y(t){return" "===t||"\t"===t||"\n"===t||"\r"===t}function K(t,e){const n=e;for(;e<t.length;e++)if("?"==t[e]||" "==t[e]){const s=t.substr(n,e-n);if(e>5&&"xml"===s)return st("InvalidXml","XML declaration allowed only at the start of the document.",ot(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}continue}return e}function Q(t,e){if(t.length>e+5&&"-"===t[e+1]&&"-"===t[e+2]){for(e+=3;e<t.length;e++)if("-"===t[e]&&"-"===t[e+1]&&">"===t[e+2]){e+=2;break}}else if(t.length>e+8&&"D"===t[e+1]&&"O"===t[e+2]&&"C"===t[e+3]&&"T"===t[e+4]&&"Y"===t[e+5]&&"P"===t[e+6]&&"E"===t[e+7]){let n=1;for(e+=8;e<t.length;e++)if("<"===t[e])n++;else if(">"===t[e]&&(n--,0===n))break}else if(t.length>e+9&&"["===t[e+1]&&"C"===t[e+2]&&"D"===t[e+3]&&"A"===t[e+4]&&"T"===t[e+5]&&"A"===t[e+6]&&"["===t[e+7])for(e+=8;e<t.length;e++)if("]"===t[e]&&"]"===t[e+1]&&">"===t[e+2]){e+=2;break}return e}q.validate=function(t,e){e=Object.assign({},G,e);const n=[];let s=!1,i=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let r=0;r<t.length;r++)if("<"===t[r]&&"?"===t[r+1]){if(r+=2,r=K(t,r),r.err)return r}else{if("<"!==t[r]){if(Y(t[r]))continue;return st("InvalidChar","char '"+t[r]+"' is not expected.",ot(t,r))}{let o=r;if(r++,"!"===t[r]){r=Q(t,r);continue}{let a=!1;"/"===t[r]&&(a=!0,r++);let l="";for(;r<t.length&&">"!==t[r]&&" "!==t[r]&&"\t"!==t[r]&&"\n"!==t[r]&&"\r"!==t[r];r++)l+=t[r];if(l=l.trim(),"/"===l[l.length-1]&&(l=l.substring(0,l.length-1),r--),!rt(l)){let e;return e=0===l.trim().length?"Invalid space after '<'.":"Tag '"+l+"' is an invalid name.",st("InvalidTag",e,ot(t,r))}const c=Z(t,r);if(!1===c)return st("InvalidAttr","Attributes for '"+l+"' have open quote.",ot(t,r));let d=c.value;if(r=c.index,"/"===d[d.length-1]){const n=r-d.length;d=d.substring(0,d.length-1);const i=et(d,e);if(!0!==i)return st(i.err.code,i.err.msg,ot(t,n+i.err.line));s=!0}else if(a){if(!c.tagClosed)return st("InvalidTag","Closing tag '"+l+"' doesn't have proper closing.",ot(t,r));if(d.trim().length>0)return st("InvalidTag","Closing tag '"+l+"' can't have attributes or invalid starting.",ot(t,o));{const e=n.pop();if(l!==e.tagName){let n=ot(t,e.tagStartPos);return st("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+n.line+", col "+n.col+") instead of closing tag '"+l+"'.",ot(t,o))}0==n.length&&(i=!0)}}else{const a=et(d,e);if(!0!==a)return st(a.err.code,a.err.msg,ot(t,r-d.length+a.err.line));if(!0===i)return st("InvalidXml","Multiple possible root nodes found.",ot(t,r));-1!==e.unpairedTags.indexOf(l)||n.push({tagName:l,tagStartPos:o}),s=!0}for(r++;r<t.length;r++)if("<"===t[r]){if("!"===t[r+1]){r++,r=Q(t,r);continue}if("?"!==t[r+1])break;if(r=K(t,++r),r.err)return r}else if("&"===t[r]){const e=nt(t,r);if(-1==e)return st("InvalidChar","char '&' is not expected.",ot(t,r));r=e}else if(!0===i&&!Y(t[r]))return st("InvalidXml","Extra text at the end",ot(t,r));"<"===t[r]&&r--}}}return s?1==n.length?st("InvalidTag","Unclosed tag '"+n[0].tagName+"'.",ot(t,n[0].tagStartPos)):!(n.length>0)||st("InvalidXml","Invalid '"+JSON.stringify(n.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):st("InvalidXml","Start tag expected.",1)};const X='"',J="'";function Z(t,e){let n="",s="",i=!1;for(;e<t.length;e++){if(t[e]===X||t[e]===J)""===s?s=t[e]:s!==t[e]||(s="");else if(">"===t[e]&&""===s){i=!0;break}n+=t[e]}return""===s&&{value:n,index:e,tagClosed:i}}const tt=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function et(t,e){const n=W.getAllMatches(t,tt),s={};for(let t=0;t<n.length;t++){if(0===n[t][1].length)return st("InvalidAttr","Attribute '"+n[t][2]+"' has no space in starting.",at(n[t]));if(void 0!==n[t][3]&&void 0===n[t][4])return st("InvalidAttr","Attribute '"+n[t][2]+"' is without value.",at(n[t]));if(void 0===n[t][3]&&!e.allowBooleanAttributes)return st("InvalidAttr","boolean attribute '"+n[t][2]+"' is not allowed.",at(n[t]));const i=n[t][2];if(!it(i))return st("InvalidAttr","Attribute '"+i+"' is an invalid name.",at(n[t]));if(s.hasOwnProperty(i))return st("InvalidAttr","Attribute '"+i+"' is repeated.",at(n[t]));s[i]=1}return!0}function nt(t,e){if(";"===t[++e])return-1;if("#"===t[e])return function(t,e){let n=/\d/;for("x"===t[e]&&(e++,n=/[\da-fA-F]/);e<t.length;e++){if(";"===t[e])return e;if(!t[e].match(n))break}return-1}(t,++e);let n=0;for(;e<t.length;e++,n++)if(!(t[e].match(/\w/)&&n<20)){if(";"===t[e])break;return-1}return e}function st(t,e,n){return{err:{code:t,msg:e,line:n.line||n,col:n.col}}}function it(t){return W.isName(t)}function rt(t){return W.isName(t)}function ot(t,e){const n=t.substring(0,e).split(/\r?\n/);return{line:n.length,col:n[n.length-1].length+1}}function at(t){return t.startIndex+t[1].length}var lt={};const ct={preserveOrder:!1,attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,removeNSPrefix:!1,allowBooleanAttributes:!1,parseTagValue:!0,parseAttributeValue:!1,trimValues:!0,cdataPropName:!1,numberParseOptions:{hex:!0,leadingZeros:!0,eNotation:!0},tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},stopNodes:[],alwaysCreateTextNode:!1,isArray:()=>!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(t,e,n){return t}};lt.buildOptions=function(t){return Object.assign({},ct,t)},lt.defaultOptions=ct;const dt=H;function ut(t,e){let n="";for(;e<t.length&&"'"!==t[e]&&'"'!==t[e];e++)n+=t[e];if(n=n.trim(),-1!==n.indexOf(" "))throw new Error("External entites are not supported");const s=t[e++];let i="";for(;e<t.length&&t[e]!==s;e++)i+=t[e];return[n,i,e]}function mt(t,e){return"!"===t[e+1]&&"-"===t[e+2]&&"-"===t[e+3]}function pt(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"N"===t[e+3]&&"T"===t[e+4]&&"I"===t[e+5]&&"T"===t[e+6]&&"Y"===t[e+7]}function ft(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"L"===t[e+3]&&"E"===t[e+4]&&"M"===t[e+5]&&"E"===t[e+6]&&"N"===t[e+7]&&"T"===t[e+8]}function gt(t,e){return"!"===t[e+1]&&"A"===t[e+2]&&"T"===t[e+3]&&"T"===t[e+4]&&"L"===t[e+5]&&"I"===t[e+6]&&"S"===t[e+7]&&"T"===t[e+8]}function ht(t,e){return"!"===t[e+1]&&"N"===t[e+2]&&"O"===t[e+3]&&"T"===t[e+4]&&"A"===t[e+5]&&"T"===t[e+6]&&"I"===t[e+7]&&"O"===t[e+8]&&"N"===t[e+9]}function vt(t){if(dt.isName(t))return t;throw new Error(`Invalid entity name ${t}`)}const At=/^[-+]?0x[a-fA-F0-9]+$/,wt=/^([\-\+])?(0*)(\.[0-9]+([eE]\-?[0-9]+)?|[0-9]+(\.[0-9]+([eE]\-?[0-9]+)?)?)$/;!Number.parseInt&&window.parseInt&&(Number.parseInt=window.parseInt),!Number.parseFloat&&window.parseFloat&&(Number.parseFloat=window.parseFloat);const yt={hex:!0,leadingZeros:!0,decimalPoint:".",eNotation:!0};const bt=H,Ct=class{constructor(t){this.tagname=t,this.child=[],this[":@"]={}}add(t,e){"__proto__"===t&&(t="#__proto__"),this.child.push({[t]:e})}addChild(t){"__proto__"===t.tagname&&(t.tagname="#__proto__"),t[":@"]&&Object.keys(t[":@"]).length>0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},xt=function(t,e){const n={};if("O"!==t[e+3]||"C"!==t[e+4]||"T"!==t[e+5]||"Y"!==t[e+6]||"P"!==t[e+7]||"E"!==t[e+8])throw new Error("Invalid Tag instead of DOCTYPE");{e+=9;let s=1,i=!1,r=!1,o="";for(;e<t.length;e++)if("<"!==t[e]||r)if(">"===t[e]){if(r?"-"===t[e-1]&&"-"===t[e-2]&&(r=!1,s--):s--,0===s)break}else"["===t[e]?i=!0:o+=t[e];else{if(i&&pt(t,e))e+=7,[entityName,val,e]=ut(t,e+1),-1===val.indexOf("&")&&(n[vt(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(i&&ft(t,e))e+=8;else if(i&&gt(t,e))e+=8;else if(i&&ht(t,e))e+=9;else{if(!mt)throw new Error("Invalid DOCTYPE");r=!0}s++,o=""}if(0!==s)throw new Error("Unclosed DOCTYPE")}return{entities:n,i:e}},_t=function(t,e={}){if(e=Object.assign({},yt,e),!t||"string"!=typeof t)return t;let n=t.trim();if(void 0!==e.skipLike&&e.skipLike.test(n))return t;if(e.hex&&At.test(n))return Number.parseInt(n,16);{const s=wt.exec(n);if(s){const i=s[1],r=s[2];let o=function(t){return t&&-1!==t.indexOf(".")&&("."===(t=t.replace(/0+$/,""))?t="0":"."===t[0]?t="0"+t:"."===t[t.length-1]&&(t=t.substr(0,t.length-1))),t}(s[3]);const a=s[4]||s[6];if(!e.leadingZeros&&r.length>0&&i&&"."!==n[2])return t;if(!e.leadingZeros&&r.length>0&&!i&&"."!==n[1])return t;{const s=Number(n),l=""+s;return-1!==l.search(/[eE]/)||a?e.eNotation?s:t:-1!==n.indexOf(".")?"0"===l&&""===o||l===o||i&&l==="-"+o?s:t:r?o===l||i+o===l?s:t:n===l||n===i+l?s:t}}return t}};function Tt(t){const e=Object.keys(t);for(let n=0;n<e.length;n++){const s=e[n];this.lastEntities[s]={regex:new RegExp("&"+s+";","g"),val:t[s]}}}function kt(t,e,n,s,i,r,o){if(void 0!==t&&(this.options.trimValues&&!s&&(t=t.trim()),t.length>0)){o||(t=this.replaceEntitiesValue(t));const s=this.options.tagValueProcessor(e,t,n,i,r);return null==s?t:typeof s!=typeof t||s!==t?s:this.options.trimValues||t.trim()===t?jt(t,this.options.parseTagValue,this.options.numberParseOptions):t}}function Et(t){if(this.options.removeNSPrefix){const e=t.split(":"),n="/"===t.charAt(0)?"/":"";if("xmlns"===e[0])return"";2===e.length&&(t=n+e[1])}return t}const St=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function Lt(t,e,n){if(!this.options.ignoreAttributes&&"string"==typeof t){const n=bt.getAllMatches(t,St),s=n.length,i={};for(let t=0;t<s;t++){const s=this.resolveNameSpace(n[t][1]);let r=n[t][4],o=this.options.attributeNamePrefix+s;if(s.length)if(this.options.transformAttributeName&&(o=this.options.transformAttributeName(o)),"__proto__"===o&&(o="#__proto__"),void 0!==r){this.options.trimValues&&(r=r.trim()),r=this.replaceEntitiesValue(r);const t=this.options.attributeValueProcessor(s,r,e);i[o]=null==t?r:typeof t!=typeof r||t!==r?t:jt(r,this.options.parseAttributeValue,this.options.numberParseOptions)}else this.options.allowBooleanAttributes&&(i[o]=!0)}if(!Object.keys(i).length)return;if(this.options.attributesGroupName){const t={};return t[this.options.attributesGroupName]=i,t}return i}}const Nt=function(t){t=t.replace(/\r\n?/g,"\n");const e=new Ct("!xml");let n=e,s="",i="";for(let r=0;r<t.length;r++)if("<"===t[r])if("/"===t[r+1]){const e=Ot(t,">",r,"Closing Tag is not closed.");let o=t.substring(r+2,e).trim();if(this.options.removeNSPrefix){const t=o.indexOf(":");-1!==t&&(o=o.substr(t+1))}this.options.transformTagName&&(o=this.options.transformTagName(o)),n&&(s=this.saveTextToParentTag(s,n,i));const a=i.substring(i.lastIndexOf(".")+1);if(o&&-1!==this.options.unpairedTags.indexOf(o))throw new Error(`Unpaired tag can not be used as closing tag: </${o}>`);let l=0;a&&-1!==this.options.unpairedTags.indexOf(a)?(l=i.lastIndexOf(".",i.lastIndexOf(".")-1),this.tagsNodeStack.pop()):l=i.lastIndexOf("."),i=i.substring(0,l),n=this.tagsNodeStack.pop(),s="",r=e}else if("?"===t[r+1]){let e=Dt(t,r,!1,"?>");if(!e)throw new Error("Pi Tag is not closed.");if(s=this.saveTextToParentTag(s,n,i),!(this.options.ignoreDeclaration&&"?xml"===e.tagName||this.options.ignorePiTags)){const t=new Ct(e.tagName);t.add(this.options.textNodeName,""),e.tagName!==e.tagExp&&e.attrExpPresent&&(t[":@"]=this.buildAttributesMap(e.tagExp,i,e.tagName)),this.addChild(n,t,i)}r=e.closeIndex+1}else if("!--"===t.substr(r+1,3)){const e=Ot(t,"--\x3e",r+4,"Comment is not closed.");if(this.options.commentPropName){const o=t.substring(r+4,e-2);s=this.saveTextToParentTag(s,n,i),n.add(this.options.commentPropName,[{[this.options.textNodeName]:o}])}r=e}else if("!D"===t.substr(r+1,2)){const e=xt(t,r);this.docTypeEntities=e.entities,r=e.i}else if("!["===t.substr(r+1,2)){const e=Ot(t,"]]>",r,"CDATA is not closed.")-2,o=t.substring(r+9,e);s=this.saveTextToParentTag(s,n,i);let a=this.parseTextData(o,n.tagname,i,!0,!1,!0,!0);null==a&&(a=""),this.options.cdataPropName?n.add(this.options.cdataPropName,[{[this.options.textNodeName]:o}]):n.add(this.options.textNodeName,a),r=e+2}else{let o=Dt(t,r,this.options.removeNSPrefix),a=o.tagName;const l=o.rawTagName;let c=o.tagExp,d=o.attrExpPresent,u=o.closeIndex;this.options.transformTagName&&(a=this.options.transformTagName(a)),n&&s&&"!xml"!==n.tagname&&(s=this.saveTextToParentTag(s,n,i,!1));const m=n;if(m&&-1!==this.options.unpairedTags.indexOf(m.tagname)&&(n=this.tagsNodeStack.pop(),i=i.substring(0,i.lastIndexOf("."))),a!==e.tagname&&(i+=i?"."+a:a),this.isItStopNode(this.options.stopNodes,i,a)){let e="";if(c.length>0&&c.lastIndexOf("/")===c.length-1)r=o.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(a))r=o.closeIndex;else{const n=this.readStopNodeData(t,l,u+1);if(!n)throw new Error(`Unexpected end of ${l}`);r=n.i,e=n.tagContent}const s=new Ct(a);a!==c&&d&&(s[":@"]=this.buildAttributesMap(c,i,a)),e&&(e=this.parseTextData(e,a,i,!0,d,!0,!0)),i=i.substr(0,i.lastIndexOf(".")),s.add(this.options.textNodeName,e),this.addChild(n,s,i)}else{if(c.length>0&&c.lastIndexOf("/")===c.length-1){"/"===a[a.length-1]?(a=a.substr(0,a.length-1),i=i.substr(0,i.length-1),c=a):c=c.substr(0,c.length-1),this.options.transformTagName&&(a=this.options.transformTagName(a));const t=new Ct(a);a!==c&&d&&(t[":@"]=this.buildAttributesMap(c,i,a)),this.addChild(n,t,i),i=i.substr(0,i.lastIndexOf("."))}else{const t=new Ct(a);this.tagsNodeStack.push(n),a!==c&&d&&(t[":@"]=this.buildAttributesMap(c,i,a)),this.addChild(n,t,i),n=t}s="",r=u}}else s+=t[r];return e.child};function Ft(t,e,n){const s=this.options.updateTag(e.tagname,n,e[":@"]);!1===s||("string"==typeof s&&(e.tagname=s),t.addChild(e))}const It=function(t){if(this.options.processEntities){for(let e in this.docTypeEntities){const n=this.docTypeEntities[e];t=t.replace(n.regx,n.val)}for(let e in this.lastEntities){const n=this.lastEntities[e];t=t.replace(n.regex,n.val)}if(this.options.htmlEntities)for(let e in this.htmlEntities){const n=this.htmlEntities[e];t=t.replace(n.regex,n.val)}t=t.replace(this.ampEntity.regex,this.ampEntity.val)}return t};function Pt(t,e,n,s){return t&&(void 0===s&&(s=0===Object.keys(e.child).length),void 0!==(t=this.parseTextData(t,e.tagname,n,!1,!!e[":@"]&&0!==Object.keys(e[":@"]).length,s))&&""!==t&&e.add(this.options.textNodeName,t),t=""),t}function Bt(t,e,n){const s="*."+n;for(const n in t){const i=t[n];if(s===i||e===i)return!0}return!1}function Ot(t,e,n,s){const i=t.indexOf(e,n);if(-1===i)throw new Error(s);return i+e.length-1}function Dt(t,e,n,s=">"){const i=function(t,e,n=">"){let s,i="";for(let r=e;r<t.length;r++){let e=t[r];if(s)e===s&&(s="");else if('"'===e||"'"===e)s=e;else if(e===n[0]){if(!n[1])return{data:i,index:r};if(t[r+1]===n[1])return{data:i,index:r}}else"\t"===e&&(e=" ");i+=e}}(t,e+1,s);if(!i)return;let r=i.data;const o=i.index,a=r.search(/\s/);let l=r,c=!0;-1!==a&&(l=r.substring(0,a),r=r.substring(a+1).trimStart());const d=l;if(n){const t=l.indexOf(":");-1!==t&&(l=l.substr(t+1),c=l!==i.data.substr(t+1))}return{tagName:l,tagExp:r,closeIndex:o,attrExpPresent:c,rawTagName:d}}function Ut(t,e,n){const s=n;let i=1;for(;n<t.length;n++)if("<"===t[n])if("/"===t[n+1]){const r=Ot(t,">",n,`${e} is not closed`);if(t.substring(n+2,r).trim()===e&&(i--,0===i))return{tagContent:t.substring(s,n),i:r};n=r}else if("?"===t[n+1])n=Ot(t,"?>",n+1,"StopNode is not closed.");else if("!--"===t.substr(n+1,3))n=Ot(t,"--\x3e",n+3,"StopNode is not closed.");else if("!["===t.substr(n+1,2))n=Ot(t,"]]>",n,"StopNode is not closed.")-2;else{const s=Dt(t,n,">");s&&((s&&s.tagName)===e&&"/"!==s.tagExp[s.tagExp.length-1]&&i++,n=s.closeIndex)}}function jt(t,e,n){if(e&&"string"==typeof t){const e=t.trim();return"true"===e||"false"!==e&&_t(t,n)}return bt.isExist(t)?t:""}var zt={};function Mt(t,e,n){let s;const i={};for(let r=0;r<t.length;r++){const o=t[r],a=Rt(o);let l="";if(l=void 0===n?a:n+"."+a,a===e.textNodeName)void 0===s?s=o[a]:s+=""+o[a];else{if(void 0===a)continue;if(o[a]){let t=Mt(o[a],e,l);const n=$t(t,e);o[":@"]?Vt(t,o[":@"],l,e):1!==Object.keys(t).length||void 0===t[e.textNodeName]||e.alwaysCreateTextNode?0===Object.keys(t).length&&(e.alwaysCreateTextNode?t[e.textNodeName]="":t=""):t=t[e.textNodeName],void 0!==i[a]&&i.hasOwnProperty(a)?(Array.isArray(i[a])||(i[a]=[i[a]]),i[a].push(t)):e.isArray(a,l,n)?i[a]=[t]:i[a]=t}}}return"string"==typeof s?s.length>0&&(i[e.textNodeName]=s):void 0!==s&&(i[e.textNodeName]=s),i}function Rt(t){const e=Object.keys(t);for(let t=0;t<e.length;t++){const n=e[t];if(":@"!==n)return n}}function Vt(t,e,n,s){if(e){const i=Object.keys(e),r=i.length;for(let o=0;o<r;o++){const r=i[o];s.isArray(r,n+"."+r,!0,!0)?t[r]=[e[r]]:t[r]=e[r]}}}function $t(t,e){const{textNodeName:n}=e,s=Object.keys(t).length;return!(0!==s&&(1!==s||!t[n]&&"boolean"!=typeof t[n]&&0!==t[n]))}zt.prettify=function(t,e){return Mt(t,e)};const{buildOptions:qt}=lt,Ht=class{constructor(t){this.options=t,this.currentNode=null,this.tagsNodeStack=[],this.docTypeEntities={},this.lastEntities={apos:{regex:/&(apos|#39|#x27);/g,val:"'"},gt:{regex:/&(gt|#62|#x3E);/g,val:">"},lt:{regex:/&(lt|#60|#x3C);/g,val:"<"},quot:{regex:/&(quot|#34|#x22);/g,val:'"'}},this.ampEntity={regex:/&(amp|#38|#x26);/g,val:"&"},this.htmlEntities={space:{regex:/&(nbsp|#160);/g,val:" "},cent:{regex:/&(cent|#162);/g,val:"¢"},pound:{regex:/&(pound|#163);/g,val:"£"},yen:{regex:/&(yen|#165);/g,val:"¥"},euro:{regex:/&(euro|#8364);/g,val:"€"},copyright:{regex:/&(copy|#169);/g,val:"©"},reg:{regex:/&(reg|#174);/g,val:"®"},inr:{regex:/&(inr|#8377);/g,val:"₹"}},this.addExternalEntities=Tt,this.parseXml=Nt,this.parseTextData=kt,this.resolveNameSpace=Et,this.buildAttributesMap=Lt,this.isItStopNode=Bt,this.replaceEntitiesValue=It,this.readStopNodeData=Ut,this.saveTextToParentTag=Pt,this.addChild=Ft}},{prettify:Wt}=zt,Gt=q;function Yt(t,e,n,s){let i="",r=!1;for(let o=0;o<t.length;o++){const a=t[o],l=Kt(a);if(void 0===l)continue;let c="";if(c=0===n.length?l:`${n}.${l}`,l===e.textNodeName){let t=a[l];Xt(c,e)||(t=e.tagValueProcessor(l,t),t=Jt(t,e)),r&&(i+=s),i+=t,r=!1;continue}if(l===e.cdataPropName){r&&(i+=s),i+=`<![CDATA[${a[l][0][e.textNodeName]}]]>`,r=!1;continue}if(l===e.commentPropName){i+=s+`\x3c!--${a[l][0][e.textNodeName]}--\x3e`,r=!0;continue}if("?"===l[0]){const t=Qt(a[":@"],e),n="?xml"===l?"":s;let o=a[l][0][e.textNodeName];o=0!==o.length?" "+o:"",i+=n+`<${l}${o}${t}?>`,r=!0;continue}let d=s;""!==d&&(d+=e.indentBy);const u=s+`<${l}${Qt(a[":@"],e)}`,m=Yt(a[l],e,c,d);-1!==e.unpairedTags.indexOf(l)?e.suppressUnpairedNode?i+=u+">":i+=u+"/>":m&&0!==m.length||!e.suppressEmptyNode?m&&m.endsWith(">")?i+=u+`>${m}${s}</${l}>`:(i+=u+">",m&&""!==s&&(m.includes("/>")||m.includes("</"))?i+=s+e.indentBy+m+s:i+=m,i+=`</${l}>`):i+=u+"/>",r=!0}return i}function Kt(t){const e=Object.keys(t);for(let n=0;n<e.length;n++){const s=e[n];if(t.hasOwnProperty(s)&&":@"!==s)return s}}function Qt(t,e){let n="";if(t&&!e.ignoreAttributes)for(let s in t){if(!t.hasOwnProperty(s))continue;let i=e.attributeValueProcessor(s,t[s]);i=Jt(i,e),!0===i&&e.suppressBooleanAttributes?n+=` ${s.substr(e.attributeNamePrefix.length)}`:n+=` ${s.substr(e.attributeNamePrefix.length)}="${i}"`}return n}function Xt(t,e){let n=(t=t.substr(0,t.length-e.textNodeName.length-1)).substr(t.lastIndexOf(".")+1);for(let s in e.stopNodes)if(e.stopNodes[s]===t||e.stopNodes[s]==="*."+n)return!0;return!1}function Jt(t,e){if(t&&t.length>0&&e.processEntities)for(let n=0;n<e.entities.length;n++){const s=e.entities[n];t=t.replace(s.regex,s.val)}return t}const Zt=function(t,e){let n="";return e.format&&e.indentBy.length>0&&(n="\n"),Yt(t,e,"",n)},te={attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,cdataPropName:!1,format:!1,indentBy:" ",suppressEmptyNode:!1,suppressUnpairedNode:!0,suppressBooleanAttributes:!0,tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},preserveOrder:!1,commentPropName:!1,unpairedTags:[],entities:[{regex:new RegExp("&","g"),val:"&amp;"},{regex:new RegExp(">","g"),val:"&gt;"},{regex:new RegExp("<","g"),val:"&lt;"},{regex:new RegExp("'","g"),val:"&apos;"},{regex:new RegExp('"',"g"),val:"&quot;"}],processEntities:!0,stopNodes:[],oneListGroup:!1};function ee(t){this.options=Object.assign({},te,t),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=ie),this.processTextOrObjNode=ne,this.options.format?(this.indentate=se,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function ne(t,e,n){const s=this.j2x(t,n+1);return void 0!==t[this.options.textNodeName]&&1===Object.keys(t).length?this.buildTextValNode(t[this.options.textNodeName],e,s.attrStr,n):this.buildObjectNode(s.val,e,s.attrStr,n)}function se(t){return this.options.indentBy.repeat(t)}function ie(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}ee.prototype.build=function(t){return this.options.preserveOrder?Zt(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0).val)},ee.prototype.j2x=function(t,e){let n="",s="";for(let i in t)if(Object.prototype.hasOwnProperty.call(t,i))if(typeof t[i]>"u")this.isAttribute(i)&&(s+="");else if(null===t[i])this.isAttribute(i)?s+="":"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar;else if(t[i]instanceof Date)s+=this.buildTextValNode(t[i],i,"",e);else if("object"!=typeof t[i]){const r=this.isAttribute(i);if(r)n+=this.buildAttrPairStr(r,""+t[i]);else if(i===this.options.textNodeName){let e=this.options.tagValueProcessor(i,""+t[i]);s+=this.replaceEntitiesValue(e)}else s+=this.buildTextValNode(t[i],i,"",e)}else if(Array.isArray(t[i])){const n=t[i].length;let r="";for(let o=0;o<n;o++){const n=t[i][o];typeof n>"u"||(null===n?"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar:"object"==typeof n?this.options.oneListGroup?r+=this.j2x(n,e+1).val:r+=this.processTextOrObjNode(n,i,e):r+=this.buildTextValNode(n,i,"",e))}this.options.oneListGroup&&(r=this.buildObjectNode(r,i,"",e)),s+=r}else if(this.options.attributesGroupName&&i===this.options.attributesGroupName){const e=Object.keys(t[i]),s=e.length;for(let r=0;r<s;r++)n+=this.buildAttrPairStr(e[r],""+t[i][e[r]])}else s+=this.processTextOrObjNode(t[i],i,e);return{attrStr:n,val:s}},ee.prototype.buildAttrPairStr=function(t,e){return e=this.options.attributeValueProcessor(t,""+e),e=this.replaceEntitiesValue(e),this.options.suppressBooleanAttributes&&"true"===e?" "+t:" "+t+'="'+e+'"'},ee.prototype.buildObjectNode=function(t,e,n,s){if(""===t)return"?"===e[0]?this.indentate(s)+"<"+e+n+"?"+this.tagEndChar:this.indentate(s)+"<"+e+n+this.closeTag(e)+this.tagEndChar;{let i="</"+e+this.tagEndChar,r="";return"?"===e[0]&&(r="?",i=""),!n&&""!==n||-1!==t.indexOf("<")?!1!==this.options.commentPropName&&e===this.options.commentPropName&&0===r.length?this.indentate(s)+`\x3c!--${t}--\x3e`+this.newLine:this.indentate(s)+"<"+e+n+r+this.tagEndChar+t+this.indentate(s)+i:this.indentate(s)+"<"+e+n+r+">"+t+i}},ee.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`></${t}`,e},ee.prototype.buildTextValNode=function(t,e,n,s){if(!1!==this.options.cdataPropName&&e===this.options.cdataPropName)return this.indentate(s)+`<![CDATA[${t}]]>`+this.newLine;if(!1!==this.options.commentPropName&&e===this.options.commentPropName)return this.indentate(s)+`\x3c!--${t}--\x3e`+this.newLine;if("?"===e[0])return this.indentate(s)+"<"+e+n+"?"+this.tagEndChar;{let i=this.options.tagValueProcessor(e,t);return i=this.replaceEntitiesValue(i),""===i?this.indentate(s)+"<"+e+n+this.closeTag(e)+this.tagEndChar:this.indentate(s)+"<"+e+n+">"+i+"</"+e+this.tagEndChar}},ee.prototype.replaceEntitiesValue=function(t){if(t&&t.length>0&&this.options.processEntities)for(let e=0;e<this.options.entities.length;e++){const n=this.options.entities[e];t=t.replace(n.regex,n.val)}return t};var re={XMLParser:class{constructor(t){this.externalEntities={},this.options=qt(t)}parse(t,e){if("string"!=typeof t){if(!t.toString)throw new Error("XML data is accepted in String or Bytes[] form.");t=t.toString()}if(e){!0===e&&(e={});const n=Gt.validate(t,e);if(!0!==n)throw Error(`${n.err.msg}:${n.err.line}:${n.err.col}`)}const n=new Ht(this.options);n.addExternalEntities(this.externalEntities);const s=n.parseXml(t);return this.options.preserveOrder||void 0===s?s:Wt(s,this.options)}addEntity(t,e){if(-1!==e.indexOf("&"))throw new Error("Entity value can't have '&'");if(-1!==t.indexOf("&")||-1!==t.indexOf(";"))throw new Error("An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'");if("&"===e)throw new Error("An entity with value '&' is not permitted");this.externalEntities[t]=e}},XMLValidator:q,XMLBuilder:ee};class oe{_view;constructor(t){ae(t),this._view=t}get id(){return this._view.id}get name(){return this._view.name}get caption(){return this._view.caption}get emptyTitle(){return this._view.emptyTitle}get emptyCaption(){return this._view.emptyCaption}get getContents(){return this._view.getContents}get icon(){return this._view.icon}set icon(t){this._view.icon=t}get order(){return this._view.order}set order(t){this._view.order=t}get params(){return this._view.params}set params(t){this._view.params=t}get columns(){return this._view.columns}get emptyView(){return this._view.emptyView}get parent(){return this._view.parent}get sticky(){return this._view.sticky}get expanded(){return this._view.expanded}set expanded(t){this._view.expanded=t}get defaultSortKey(){return this._view.defaultSortKey}}const ae=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("View id is required and must be a string");if(!t.name||"string"!=typeof t.name)throw new Error("View name is required and must be a string");if(t.columns&&t.columns.length>0&&(!t.caption||"string"!=typeof t.caption))throw new Error("View caption is required for top-level views and must be a string");if(!t.getContents||"function"!=typeof t.getContents)throw new Error("View getContents is required and must be a function");if(!t.icon||"string"!=typeof t.icon||!function(t){if("string"!=typeof t)throw new TypeError(`Expected a \`string\`, got \`${typeof t}\``);if(0===(t=t.trim()).length||!0!==re.XMLValidator.validate(t))return!1;let e;const n=new re.XMLParser;try{e=n.parse(t)}catch{return!1}return!(!e||!("svg"in e))}(t.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in t)||"number"!=typeof t.order)throw new Error("View order is required and must be a number");if(t.columns&&t.columns.forEach((t=>{if(!(t instanceof V))throw new Error("View columns must be an array of Column. Invalid column found")})),t.emptyView&&"function"!=typeof t.emptyView)throw new Error("View emptyView must be a function");if(t.parent&&"string"!=typeof t.parent)throw new Error("View parent must be a string");if("sticky"in t&&"boolean"!=typeof t.sticky)throw new Error("View sticky must be a boolean");if("expanded"in t&&"boolean"!=typeof t.expanded)throw new Error("View expanded must be a boolean");if(t.defaultSortKey&&"string"!=typeof t.defaultSortKey)throw new Error("View defaultSortKey must be a string");return!0},le=function(t){return(typeof window._nc_newfilemenu>"u"&&(window._nc_newfilemenu=new m,d.debug("NewFileMenu initialized")),window._nc_newfilemenu).getEntries(t).sort(((t,e)=>void 0!==t.order&&void 0!==e.order&&t.order!==e.order?t.order-e.order:t.displayName.localeCompare(e.displayName,void 0,{numeric:!0,sensitivity:"base"})))}},41261:(t,e,n)=>{"use strict";n.d(e,{U:()=>at,a:()=>it,c:()=>W,g:()=>ct,h:()=>ut,l:()=>Y,n:()=>J,o:()=>dt,t:()=>rt});var s=n(85072),i=n.n(s),r=n(97825),o=n.n(r),a=n(77659),l=n.n(a),c=n(55056),d=n.n(c),u=n(10540),m=n.n(u),p=n(41113),f=n.n(p),g=n(30521),h={};h.styleTagTransform=f(),h.setAttributes=d(),h.insert=l().bind(null,"head"),h.domAPI=o(),h.insertStyleElement=m(),i()(g.A,h),g.A&&g.A.locals&&g.A.locals;var v=n(53110),A=n(71089),w=n(35810),y=n(88164),b=n(92457),C=n(26287);class x extends Error{constructor(t){super(t||"Promise was canceled"),this.name="CancelError"}get isCanceled(){return!0}}const _=Object.freeze({pending:Symbol("pending"),canceled:Symbol("canceled"),resolved:Symbol("resolved"),rejected:Symbol("rejected")});class T{static fn(t){return(...e)=>new T(((n,s,i)=>{e.push(i),t(...e).then(n,s)}))}#t=[];#e=!0;#n=_.pending;#s;#i;constructor(t){this.#s=new Promise(((e,n)=>{this.#i=n;const s=t=>{if(this.#n!==_.pending)throw new Error(`The \`onCancel\` handler was attached after the promise ${this.#n.description}.`);this.#t.push(t)};Object.defineProperties(s,{shouldReject:{get:()=>this.#e,set:t=>{this.#e=t}}}),t((t=>{this.#n===_.canceled&&s.shouldReject||(e(t),this.#r(_.resolved))}),(t=>{this.#n===_.canceled&&s.shouldReject||(n(t),this.#r(_.rejected))}),s)}))}then(t,e){return this.#s.then(t,e)}catch(t){return this.#s.catch(t)}finally(t){return this.#s.finally(t)}cancel(t){if(this.#n===_.pending){if(this.#r(_.canceled),this.#t.length>0)try{for(const t of this.#t)t()}catch(t){return void this.#i(t)}this.#e&&this.#i(new x(t))}}get isCanceled(){return this.#n===_.canceled}#r(t){this.#n===_.pending&&(this.#n=t)}}Object.setPrototypeOf(T.prototype,Promise.prototype);var k=n(9052);class E extends Error{constructor(t){super(t),this.name="TimeoutError"}}class S extends Error{constructor(t){super(),this.name="AbortError",this.message=t}}const L=t=>void 0===globalThis.DOMException?new S(t):new DOMException(t),N=t=>{const e=void 0===t.reason?L("This operation was aborted."):t.reason;return e instanceof Error?e:L(e)};class F{#o=[];enqueue(t,e){const n={priority:(e={priority:0,...e}).priority,run:t};if(this.size&&this.#o[this.size-1].priority>=e.priority)return void this.#o.push(n);const s=function(t,e,n){let s=0,i=t.length;for(;i>0;){const n=Math.trunc(i/2);let o=s+n;r=t[o],e.priority-r.priority<=0?(s=++o,i-=n+1):i=n}var r;return s}(this.#o,n);this.#o.splice(s,0,n)}dequeue(){const t=this.#o.shift();return t?.run}filter(t){return this.#o.filter((e=>e.priority===t.priority)).map((t=>t.run))}get size(){return this.#o.length}}class I extends k{#a;#l;#c=0;#d;#u;#m=0;#p;#f;#o;#g;#h=0;#v;#A;#w;timeout;constructor(t){if(super(),!("number"==typeof(t={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:F,...t}).intervalCap&&t.intervalCap>=1))throw new TypeError(`Expected \`intervalCap\` to be a number from 1 and up, got \`${t.intervalCap?.toString()??""}\` (${typeof t.intervalCap})`);if(void 0===t.interval||!(Number.isFinite(t.interval)&&t.interval>=0))throw new TypeError(`Expected \`interval\` to be a finite number >= 0, got \`${t.interval?.toString()??""}\` (${typeof t.interval})`);this.#a=t.carryoverConcurrencyCount,this.#l=t.intervalCap===Number.POSITIVE_INFINITY||0===t.interval,this.#d=t.intervalCap,this.#u=t.interval,this.#o=new t.queueClass,this.#g=t.queueClass,this.concurrency=t.concurrency,this.timeout=t.timeout,this.#w=!0===t.throwOnTimeout,this.#A=!1===t.autoStart}get#y(){return this.#l||this.#c<this.#d}get#b(){return this.#h<this.#v}#C(){this.#h--,this.#x(),this.emit("next")}#_(){this.#T(),this.#k(),this.#f=void 0}get#E(){const t=Date.now();if(void 0===this.#p){const e=this.#m-t;if(!(e<0))return void 0===this.#f&&(this.#f=setTimeout((()=>{this.#_()}),e)),!0;this.#c=this.#a?this.#h:0}return!1}#x(){if(0===this.#o.size)return this.#p&&clearInterval(this.#p),this.#p=void 0,this.emit("empty"),0===this.#h&&this.emit("idle"),!1;if(!this.#A){const t=!this.#E;if(this.#y&&this.#b){const e=this.#o.dequeue();return!!e&&(this.emit("active"),e(),t&&this.#k(),!0)}}return!1}#k(){this.#l||void 0!==this.#p||(this.#p=setInterval((()=>{this.#T()}),this.#u),this.#m=Date.now()+this.#u)}#T(){0===this.#c&&0===this.#h&&this.#p&&(clearInterval(this.#p),this.#p=void 0),this.#c=this.#a?this.#h:0,this.#S()}#S(){for(;this.#x(););}get concurrency(){return this.#v}set concurrency(t){if(!("number"==typeof t&&t>=1))throw new TypeError(`Expected \`concurrency\` to be a number from 1 and up, got \`${t}\` (${typeof t})`);this.#v=t,this.#S()}async#L(t){return new Promise(((e,n)=>{t.addEventListener("abort",(()=>{n(t.reason)}),{once:!0})}))}async add(t,e={}){return e={timeout:this.timeout,throwOnTimeout:this.#w,...e},new Promise(((n,s)=>{this.#o.enqueue((async()=>{this.#h++,this.#c++;try{e.signal?.throwIfAborted();let s=t({signal:e.signal});e.timeout&&(s=function(t,e){const{milliseconds:n,fallback:s,message:i,customTimers:r={setTimeout,clearTimeout}}=e;let o;const a=new Promise(((a,l)=>{if("number"!=typeof n||1!==Math.sign(n))throw new TypeError(`Expected \`milliseconds\` to be a positive number, got \`${n}\``);if(e.signal){const{signal:t}=e;t.aborted&&l(N(t)),t.addEventListener("abort",(()=>{l(N(t))}))}if(n===Number.POSITIVE_INFINITY)return void t.then(a,l);const c=new E;o=r.setTimeout.call(void 0,(()=>{if(s)try{a(s())}catch(t){l(t)}else"function"==typeof t.cancel&&t.cancel(),!1===i?a():i instanceof Error?l(i):(c.message=i??`Promise timed out after ${n} milliseconds`,l(c))}),n),(async()=>{try{a(await t)}catch(t){l(t)}})()})).finally((()=>{a.clear()}));return a.clear=()=>{r.clearTimeout.call(void 0,o),o=void 0},a}(Promise.resolve(s),{milliseconds:e.timeout})),e.signal&&(s=Promise.race([s,this.#L(e.signal)]));const i=await s;n(i),this.emit("completed",i)}catch(t){if(t instanceof E&&!e.throwOnTimeout)return void n();s(t),this.emit("error",t)}finally{this.#C()}}),e),this.emit("add"),this.#x()}))}async addAll(t,e){return Promise.all(t.map((async t=>this.add(t,e))))}start(){return this.#A?(this.#A=!1,this.#S(),this):this}pause(){this.#A=!0}clear(){this.#o=new this.#g}async onEmpty(){0!==this.#o.size&&await this.#N("empty")}async onSizeLessThan(t){this.#o.size<t||await this.#N("next",(()=>this.#o.size<t))}async onIdle(){0===this.#h&&0===this.#o.size||await this.#N("idle")}async#N(t,e){return new Promise((n=>{const s=()=>{e&&!e()||(this.off(t,s),n())};this.on(t,s)}))}get size(){return this.#o.size}sizeBy(t){return this.#o.filter(t).length}get pending(){return this.#h}get isPaused(){return this.#A}}var P=n(53529),B=n(85168),O=n(75270),D=n(85471),U=n(63420),j=n(24764),z=n(9518),M=n(6695),R=n(95101),V=n(11195);const $=async function(t,e,n,s=(()=>{}),i=void 0,r={}){let o;return o=e instanceof Blob?e:await e(),i&&(r.Destination=i),r["Content-Type"]||(r["Content-Type"]="application/octet-stream"),await C.A.request({method:"PUT",url:t,data:o,signal:n,onUploadProgress:s,headers:r})},q=function(t,e,n){return 0===e&&t.size<=n?Promise.resolve(new Blob([t],{type:t.type||"application/octet-stream"})):Promise.resolve(new Blob([t.slice(e,e+n)],{type:"application/octet-stream"}))},H=function(t=void 0){const e=window.OC?.appConfig?.files?.max_chunk_size;if(e<=0)return 0;if(!Number(e))return 10485760;const n=Math.max(Number(e),5242880);return void 0===t?n:Math.max(n,Math.ceil(t/1e4))};var W=(t=>(t[t.INITIALIZED=0]="INITIALIZED",t[t.UPLOADING=1]="UPLOADING",t[t.ASSEMBLING=2]="ASSEMBLING",t[t.FINISHED=3]="FINISHED",t[t.CANCELLED=4]="CANCELLED",t[t.FAILED=5]="FAILED",t))(W||{});let G=class{_source;_file;_isChunked;_chunks;_size;_uploaded=0;_startTime=0;_status=0;_controller;_response=null;constructor(t,e=!1,n,s){const i=Math.min(H()>0?Math.ceil(n/H()):1,1e4);this._source=t,this._isChunked=e&&H()>0&&i>1,this._chunks=this._isChunked?i:1,this._size=n,this._file=s,this._controller=new AbortController}get source(){return this._source}get file(){return this._file}get isChunked(){return this._isChunked}get chunks(){return this._chunks}get size(){return this._size}get startTime(){return this._startTime}set response(t){this._response=t}get response(){return this._response}get uploaded(){return this._uploaded}set uploaded(t){if(t>=this._size)return this._status=this._isChunked?2:3,void(this._uploaded=this._size);this._status=1,this._uploaded=t,0===this._startTime&&(this._startTime=(new Date).getTime())}get status(){return this._status}set status(t){this._status=t}get signal(){return this._controller.signal}cancel(){this._controller.abort(),this._status=4}};const Y=null===(K=(0,b.HW)())?(0,P.YK)().setApp("uploader").build():(0,P.YK)().setApp("uploader").setUid(K.uid).build();var K,Q=(t=>(t[t.IDLE=0]="IDLE",t[t.UPLOADING=1]="UPLOADING",t[t.PAUSED=2]="PAUSED",t))(Q||{});class X{_destinationFolder;_isPublic;_uploadQueue=[];_jobQueue=new I({concurrency:3});_queueSize=0;_queueProgress=0;_queueStatus=0;_notifiers=[];constructor(t=!1,e){if(this._isPublic=t,!e){const t=(0,b.HW)()?.uid,n=(0,y.dC)(`dav/files/${t}`);if(!t)throw new Error("User is not logged in");e=new w.vd({id:0,owner:t,permissions:w.aX.ALL,root:`/files/${t}`,source:n})}this.destination=e,Y.debug("Upload workspace initialized",{destination:this.destination,root:this.root,isPublic:t,maxChunksSize:H()})}get destination(){return this._destinationFolder}set destination(t){if(!t)throw new Error("Invalid destination folder");Y.debug("Destination set",{folder:t}),this._destinationFolder=t}get root(){return this._destinationFolder.source}get queue(){return this._uploadQueue}reset(){this._uploadQueue.splice(0,this._uploadQueue.length),this._jobQueue.clear(),this._queueSize=0,this._queueProgress=0,this._queueStatus=0}pause(){this._jobQueue.pause(),this._queueStatus=2}start(){this._jobQueue.start(),this._queueStatus=1,this.updateStats()}get info(){return{size:this._queueSize,progress:this._queueProgress,status:this._queueStatus}}updateStats(){const t=this._uploadQueue.map((t=>t.size)).reduce(((t,e)=>t+e),0),e=this._uploadQueue.map((t=>t.uploaded)).reduce(((t,e)=>t+e),0);this._queueSize=t,this._queueProgress=e,2!==this._queueStatus&&(this._queueStatus=this._jobQueue.size>0?1:0)}addNotifier(t){this._notifiers.push(t)}upload(t,e,n){const s=`${n||this.root}/${t.replace(/^\//,"")}`,{origin:i}=new URL(s),r=i+(0,A.O0)(s.slice(i.length));Y.debug(`Uploading ${e.name} to ${r}`);const o=H(e.size),a=0===o||e.size<o||this._isPublic,l=new G(s,!a,e.size,e);return this._uploadQueue.push(l),this.updateStats(),new T((async(t,n,s)=>{if(s(l.cancel),a){Y.debug("Initializing regular upload",{file:e,upload:l});const s=await q(e,0,l.size),i=async()=>{try{l.response=await $(r,s,l.signal,(t=>{l.uploaded=l.uploaded+t.bytes,this.updateStats()}),void 0,{"X-OC-Mtime":e.lastModified/1e3,"Content-Type":e.type}),l.uploaded=l.size,this.updateStats(),Y.debug(`Successfully uploaded ${e.name}`,{file:e,upload:l}),t(l)}catch(t){if(t instanceof v.k3)return l.status=W.FAILED,void n("Upload has been cancelled");t?.response&&(l.response=t.response),l.status=W.FAILED,Y.error(`Failed uploading ${e.name}`,{error:t,file:e,upload:l}),n("Failed uploading the file")}this._notifiers.forEach((t=>{try{t(l)}catch{}}))};this._jobQueue.add(i),this.updateStats()}else{Y.debug("Initializing chunked upload",{file:e,upload:l});const s=await async function(t){const e=`${(0,y.dC)(`dav/uploads/${(0,b.HW)()?.uid}`)}/web-file-upload-${[...Array(16)].map((()=>Math.floor(16*Math.random()).toString(16))).join("")}`,n=t?{Destination:t}:void 0;return await C.A.request({method:"MKCOL",url:e,headers:n}),e}(r),i=[];for(let t=0;t<l.chunks;t++){const n=t*o,a=Math.min(n+o,l.size),c=()=>q(e,n,o),d=()=>$(`${s}/${t+1}`,c,l.signal,(()=>this.updateStats()),r,{"X-OC-Mtime":e.lastModified/1e3,"OC-Total-Length":e.size,"Content-Type":"application/octet-stream"}).then((()=>{l.uploaded=l.uploaded+o})).catch((e=>{throw 507===e?.response?.status?(Y.error("Upload failed, not enough space on the server or quota exceeded. Cancelling the remaining chunks",{error:e,upload:l}),l.cancel(),l.status=W.FAILED,e):(e instanceof v.k3||(Y.error(`Chunk ${t+1} ${n} - ${a} uploading failed`,{error:e,upload:l}),l.cancel(),l.status=W.FAILED),e)}));i.push(this._jobQueue.add(d))}try{await Promise.all(i),this.updateStats(),l.response=await C.A.request({method:"MOVE",url:`${s}/.file`,headers:{"X-OC-Mtime":e.lastModified/1e3,"OC-Total-Length":e.size,Destination:r}}),this.updateStats(),l.status=W.FINISHED,Y.debug(`Successfully uploaded ${e.name}`,{file:e,upload:l}),t(l)}catch(t){t instanceof v.k3?(l.status=W.FAILED,n("Upload has been cancelled")):(l.status=W.FAILED,n("Failed assembling the chunks together")),C.A.request({method:"DELETE",url:`${s}`})}this._notifiers.forEach((t=>{try{t(l)}catch{}}))}return this._jobQueue.onIdle().then((()=>this.reset())),l}))}}function J(t,e,n,s,i,r,o,a){var l,c="function"==typeof t?t.options:t;if(e&&(c.render=e,c.staticRenderFns=n,c._compiled=!0),s&&(c.functional=!0),r&&(c._scopeId="data-v-"+r),o?(l=function(t){!(t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)&&typeof __VUE_SSR_CONTEXT__<"u"&&(t=__VUE_SSR_CONTEXT__),i&&i.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(o)},c._ssrRegister=l):i&&(l=a?function(){i.call(this,(c.functional?this.parent:this).$root.$options.shadowRoot)}:i),l)if(c.functional){c._injectStyles=l;var d=c.render;c.render=function(t,e){return l.call(e),d(t,e)}}else{var u=c.beforeCreate;c.beforeCreate=u?[].concat(u,l):[l]}return{exports:t,options:c}}const Z=J({name:"CancelIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon cancel-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M12 2C17.5 2 22 6.5 22 12S17.5 22 12 22 2 17.5 2 12 6.5 2 12 2M12 4C10.1 4 8.4 4.6 7.1 5.7L18.3 16.9C19.3 15.5 20 13.8 20 12C20 7.6 16.4 4 12 4M16.9 18.3L5.7 7.1C4.6 8.4 4 10.1 4 12C4 16.4 7.6 20 12 20C13.9 20 15.6 19.4 16.9 18.3Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null,null).exports,tt=J({name:"PlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon plus-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M19,13H13V19H11V13H5V11H11V5H13V11H19V13Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null,null).exports,et=J({name:"UploadIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon upload-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M9,16V10H5L12,3L19,10H15V16H9M5,20V18H19V20H5Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null,null).exports,nt=(0,V.$)().detectLocale();[{locale:"af",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)","Content-Type":"text/plain; charset=UTF-8",Language:"af","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: af\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ar",json:{charset:"utf-8",headers:{"Last-Translator":"Ali <alimahwer@yahoo.com>, 2024","Language-Team":"Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)","Content-Type":"text/plain; charset=UTF-8",Language:"ar","Plural-Forms":"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nAli <alimahwer@yahoo.com>, 2024\n"},msgstr:["Last-Translator: Ali <alimahwer@yahoo.com>, 2024\nLanguage-Team: Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar\nPlural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} ملف متعارض","{count} ملف متعارض","{count} ملفان متعارضان","{count} ملف متعارض","{count} ملفات متعارضة","{count} ملفات متعارضة"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} ملف متعارض في n {dirname}","{count} ملف متعارض في n {dirname}","{count} ملفان متعارضان في n {dirname}","{count} ملف متعارض في n {dirname}","{count} ملفات متعارضة في n {dirname}","{count} ملفات متعارضة في n {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} ثانية متبقية"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} متبقية"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["باقٍ بضعُ ثوانٍ"]},Cancel:{msgid:"Cancel",msgstr:["إلغاء"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["إلغِ العملية بالكامل"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["إلغاء عمليات رفع الملفات"]},Continue:{msgid:"Continue",msgstr:["إستمر"]},"estimating time left":{msgid:"estimating time left",msgstr:["تقدير الوقت المتبقي"]},"Existing version":{msgid:"Existing version",msgstr:["الإصدار الحالي"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["إذا اخترت الإبقاء على النسختين معاً، فإن الملف المنسوخ سيتم إلحاق رقم تسلسلي في نهاية اسمه."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["تاريخ آخر تعديل غير معلوم"]},New:{msgid:"New",msgstr:["جديد"]},"New version":{msgid:"New version",msgstr:["نسخة جديدة"]},paused:{msgid:"paused",msgstr:["مُجمَّد"]},"Preview image":{msgid:"Preview image",msgstr:["معاينة الصورة"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["حدِّد كل صناديق الخيارات"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["حدِّد كل الملفات الموجودة"]},"Select all new files":{msgid:"Select all new files",msgstr:["حدِّد كل الملفات الجديدة"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف"]},"Unknown size":{msgid:"Unknown size",msgstr:["حجم غير معلوم"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["تمَّ إلغاء الرفع"]},"Upload files":{msgid:"Upload files",msgstr:["رفع ملفات"]},"Upload progress":{msgid:"Upload progress",msgstr:["تقدُّم الرفع "]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["عند تحديد مجلد وارد، أي ملفات متعارضة بداخله ستتم الكتابة فوقها."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["أيُّ الملفات ترغب في الإبقاء عليها؟"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["يجب أن تختار نسخة واحدة على الأقل من كل ملف للاستمرار."]}}}}},{locale:"ar_SA",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)","Content-Type":"text/plain; charset=UTF-8",Language:"ar_SA","Plural-Forms":"nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar_SA\nPlural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ast",json:{charset:"utf-8",headers:{"Last-Translator":"enolp <enolp@softastur.org>, 2023","Language-Team":"Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)","Content-Type":"text/plain; charset=UTF-8",Language:"ast","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nenolp <enolp@softastur.org>, 2023\n"},msgstr:["Last-Translator: enolp <enolp@softastur.org>, 2023\nLanguage-Team: Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ast\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} ficheru en coflictu","{count} ficheros en coflictu"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} ficheru en coflictu en {dirname}","{count} ficheros en coflictu en {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Queden {seconds} segundos"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Tiempu que queda: {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["queden unos segundos"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Encaboxar les xubes"]},Continue:{msgid:"Continue",msgstr:["Siguir"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando'l tiempu que falta"]},"Existing version":{msgid:"Existing version",msgstr:["Versión esistente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Si seleiciones dambes versiones, el ficheru copiáu va tener un númberu amestáu al so nome."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["La data de la última modificación ye desconocida"]},New:{msgid:"New",msgstr:["Nuevu"]},"New version":{msgid:"New version",msgstr:["Versión nueva"]},paused:{msgid:"paused",msgstr:["en posa"]},"Preview image":{msgid:"Preview image",msgstr:["Previsualizar la imaxe"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Marcar toles caxelles"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleicionar tolos ficheros esistentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleicionar tolos ficheros nuevos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Saltar esti ficheru","Saltar {count} ficheros"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamañu desconocíu"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Encaboxóse la xuba"]},"Upload files":{msgid:"Upload files",msgstr:["Xubir ficheros"]},"Upload progress":{msgid:"Upload progress",msgstr:["Xuba en cursu"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["¿Qué ficheros quies caltener?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Tienes de seleicionar polo menos una versión de cada ficheru pa siguir."]}}}}},{locale:"az",json:{charset:"utf-8",headers:{"Last-Translator":"Rashad Aliyev <microphprashad@gmail.com>, 2023","Language-Team":"Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)","Content-Type":"text/plain; charset=UTF-8",Language:"az","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nRashad Aliyev <microphprashad@gmail.com>, 2023\n"},msgstr:["Last-Translator: Rashad Aliyev <microphprashad@gmail.com>, 2023\nLanguage-Team: Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: az\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} saniyə qalıb"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} qalıb"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["bir neçə saniyə qalıb"]},Add:{msgid:"Add",msgstr:["Əlavə et"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Yükləməni imtina et"]},"estimating time left":{msgid:"estimating time left",msgstr:["Təxmini qalan vaxt"]},paused:{msgid:"paused",msgstr:["pauzadadır"]},"Upload files":{msgid:"Upload files",msgstr:["Faylları yüklə"]}}}}},{locale:"be",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)","Content-Type":"text/plain; charset=UTF-8",Language:"be","Plural-Forms":"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: be\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"bg_BG",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)","Content-Type":"text/plain; charset=UTF-8",Language:"bg_BG","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bg_BG\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"bn_BD",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)","Content-Type":"text/plain; charset=UTF-8",Language:"bn_BD","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bn_BD\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"br",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Breton (https://www.transifex.com/nextcloud/teams/64236/br/)","Content-Type":"text/plain; charset=UTF-8",Language:"br","Plural-Forms":"nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Breton (https://www.transifex.com/nextcloud/teams/64236/br/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: br\nPlural-Forms: nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"bs",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)","Content-Type":"text/plain; charset=UTF-8",Language:"bs","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bs\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ca",json:{charset:"utf-8",headers:{"Last-Translator":"Toni Hermoso Pulido <toniher@softcatala.cat>, 2022","Language-Team":"Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)","Content-Type":"text/plain; charset=UTF-8",Language:"ca","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMarc Riera <marcriera@softcatala.org>, 2022\nToni Hermoso Pulido <toniher@softcatala.cat>, 2022\n"},msgstr:["Last-Translator: Toni Hermoso Pulido <toniher@softcatala.cat>, 2022\nLanguage-Team: Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ca\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Queden {seconds} segons"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["Queden {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Queden uns segons"]},Add:{msgid:"Add",msgstr:["Afegeix"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancel·la les pujades"]},"estimating time left":{msgid:"estimating time left",msgstr:["S'està estimant el temps restant"]},paused:{msgid:"paused",msgstr:["En pausa"]},"Upload files":{msgid:"Upload files",msgstr:["Puja els fitxers"]}}}}},{locale:"cs",json:{charset:"utf-8",headers:{"Last-Translator":"Pavel Borecki <pavel.borecki@gmail.com>, 2022","Language-Team":"Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)","Content-Type":"text/plain; charset=UTF-8",Language:"cs","Plural-Forms":"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nPavel Borecki <pavel.borecki@gmail.com>, 2022\n"},msgstr:["Last-Translator: Pavel Borecki <pavel.borecki@gmail.com>, 2022\nLanguage-Team: Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["zbývá {seconds}"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["zbývá {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["zbývá několik sekund"]},Add:{msgid:"Add",msgstr:["Přidat"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Zrušit nahrávání"]},"estimating time left":{msgid:"estimating time left",msgstr:["odhadovaný zbývající čas"]},paused:{msgid:"paused",msgstr:["pozastaveno"]}}}}},{locale:"cs_CZ",json:{charset:"utf-8",headers:{"Last-Translator":"Michal Šmahel <ceskyDJ@seznam.cz>, 2024","Language-Team":"Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)","Content-Type":"text/plain; charset=UTF-8",Language:"cs_CZ","Plural-Forms":"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMichal Šmahel <ceskyDJ@seznam.cz>, 2024\n"},msgstr:["Last-Translator: Michal Šmahel <ceskyDJ@seznam.cz>, 2024\nLanguage-Team: Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs_CZ\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} kolize souborů","{count} kolize souborů","{count} kolizí souborů","{count} kolize souborů"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} kolize souboru v {dirname}","{count} kolize souboru v {dirname}","{count} kolizí souborů v {dirname}","{count} kolize souboru v {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["zbývá {seconds}"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["zbývá {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["zbývá několik sekund"]},Cancel:{msgid:"Cancel",msgstr:["Zrušit"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Zrušit celou operaci"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Zrušit nahrávání"]},Continue:{msgid:"Continue",msgstr:["Pokračovat"]},"estimating time left":{msgid:"estimating time left",msgstr:["odhaduje se zbývající čas"]},"Existing version":{msgid:"Existing version",msgstr:["Existující verze"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Pokud vyberete obě verze, zkopírovaný soubor bude mít k názvu přidáno číslo."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Neznámé datum poslední úpravy"]},New:{msgid:"New",msgstr:["Nové"]},"New version":{msgid:"New version",msgstr:["Nová verze"]},paused:{msgid:"paused",msgstr:["pozastaveno"]},"Preview image":{msgid:"Preview image",msgstr:["Náhled obrázku"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Označit všechny zaškrtávací kolonky"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Vybrat veškeré stávající soubory"]},"Select all new files":{msgid:"Select all new files",msgstr:["Vybrat veškeré nové soubory"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Přeskočit tento soubor","Přeskočit {count} soubory","Přeskočit {count} souborů","Přeskočit {count} soubory"]},"Unknown size":{msgid:"Unknown size",msgstr:["Neznámá velikost"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Nahrávání zrušeno"]},"Upload files":{msgid:"Upload files",msgstr:["Nahrát soubory"]},"Upload progress":{msgid:"Upload progress",msgstr:["Postup v nahrávání"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Po výběru příchozí složky budou rovněž přepsány všechny v ní obsažené konfliktní soubory"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Které soubory si přejete ponechat?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Aby bylo možné pokračovat, je třeba vybrat alespoň jednu verzi od každého souboru."]}}}}},{locale:"cy_GB",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)","Content-Type":"text/plain; charset=UTF-8",Language:"cy_GB","Plural-Forms":"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cy_GB\nPlural-Forms: nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"da",json:{charset:"utf-8",headers:{"Last-Translator":"Martin Bonde <Martin@maboni.dk>, 2024","Language-Team":"Danish (https://app.transifex.com/nextcloud/teams/64236/da/)","Content-Type":"text/plain; charset=UTF-8",Language:"da","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMartin Bonde <Martin@maboni.dk>, 2024\n"},msgstr:["Last-Translator: Martin Bonde <Martin@maboni.dk>, 2024\nLanguage-Team: Danish (https://app.transifex.com/nextcloud/teams/64236/da/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: da\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} fil konflikt","{count} filer i konflikt"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} fil konflikt i {dirname}","{count} filer i konflikt i {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{sekunder} sekunder tilbage"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{tid} tilbage"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["et par sekunder tilbage"]},Cancel:{msgid:"Cancel",msgstr:["Annuller"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Annuller hele handlingen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Annuller uploads"]},Continue:{msgid:"Continue",msgstr:["Fortsæt"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimering af resterende tid"]},"Existing version":{msgid:"Existing version",msgstr:["Eksisterende version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Hvis du vælger begge versioner vil den kopierede fil få et nummer tilføjet til sit navn."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Sidste modifikationsdato ukendt"]},New:{msgid:"New",msgstr:["Ny"]},"New version":{msgid:"New version",msgstr:["Ny version"]},paused:{msgid:"paused",msgstr:["pauset"]},"Preview image":{msgid:"Preview image",msgstr:["Forhåndsvisning af billede"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Vælg alle felter"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Vælg alle eksisterende filer"]},"Select all new files":{msgid:"Select all new files",msgstr:["Vælg alle nye filer"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Spring denne fil over","Spring {count} filer over"]},"Unknown size":{msgid:"Unknown size",msgstr:["Ukendt størrelse"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Upload annulleret"]},"Upload files":{msgid:"Upload files",msgstr:["Upload filer"]},"Upload progress":{msgid:"Upload progress",msgstr:["Upload fremskridt"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Når en indgående mappe er valgt, vil alle modstridende filer i den også blive overskrevet."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hvilke filer ønsker du at beholde?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du skal vælge mindst én version af hver fil for at fortsætte."]}}}}},{locale:"de",json:{charset:"utf-8",headers:{"Last-Translator":"Mario Siegmann <mario_siegmann@web.de>, 2024","Language-Team":"German (https://app.transifex.com/nextcloud/teams/64236/de/)","Content-Type":"text/plain; charset=UTF-8",Language:"de","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n"},msgstr:["Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (https://app.transifex.com/nextcloud/teams/64236/de/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} Datei-Konflikt","{count} Datei-Konflikte"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} Datei-Konflikt in {dirname}","{count} Datei-Konflikte in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} Sekunden verbleibend"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} verbleibend"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["noch ein paar Sekunden"]},Cancel:{msgid:"Cancel",msgstr:["Abbrechen"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Den gesamten Vorgang abbrechen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Hochladen abbrechen"]},Continue:{msgid:"Continue",msgstr:["Fortsetzen"]},"estimating time left":{msgid:"estimating time left",msgstr:["Geschätzte verbleibende Zeit"]},"Existing version":{msgid:"Existing version",msgstr:["Vorhandene Version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Wenn du beide Versionen auswählst, wird der kopierten Datei eine Nummer zum Namen hinzugefügt."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Datum der letzten Änderung unbekannt"]},New:{msgid:"New",msgstr:["Neu"]},"New version":{msgid:"New version",msgstr:["Neue Version"]},paused:{msgid:"paused",msgstr:["Pausiert"]},"Preview image":{msgid:"Preview image",msgstr:["Vorschaubild"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Alle Kontrollkästchen aktivieren"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Alle vorhandenen Dateien auswählen"]},"Select all new files":{msgid:"Select all new files",msgstr:["Alle neuen Dateien auswählen"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Diese Datei überspringen","{count} Dateien überspringen"]},"Unknown size":{msgid:"Unknown size",msgstr:["Unbekannte Größe"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Hochladen abgebrochen"]},"Upload files":{msgid:"Upload files",msgstr:["Dateien hochladen"]},"Upload progress":{msgid:"Upload progress",msgstr:["Fortschritt beim Hochladen"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Welche Dateien möchtest du behalten?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du musst mindestens eine Version jeder Datei auswählen, um fortzufahren."]}}}}},{locale:"de_DE",json:{charset:"utf-8",headers:{"Last-Translator":"Mario Siegmann <mario_siegmann@web.de>, 2024","Language-Team":"German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)","Content-Type":"text/plain; charset=UTF-8",Language:"de_DE","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n"},msgstr:["Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de_DE\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} Datei-Konflikt","{count} Datei-Konflikte"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} Datei-Konflikt in {dirname}","{count} Datei-Konflikte in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} Sekunden verbleiben"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} verbleibend"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["ein paar Sekunden verbleiben"]},Cancel:{msgid:"Cancel",msgstr:["Abbrechen"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Den gesamten Vorgang abbrechen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Hochladen abbrechen"]},Continue:{msgid:"Continue",msgstr:["Fortsetzen"]},"estimating time left":{msgid:"estimating time left",msgstr:["Geschätzte verbleibende Zeit"]},"Existing version":{msgid:"Existing version",msgstr:["Vorhandene Version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Wenn Sie beide Versionen auswählen, wird der kopierten Datei eine Nummer zum Namen hinzugefügt."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Datum der letzten Änderung unbekannt"]},New:{msgid:"New",msgstr:["Neu"]},"New version":{msgid:"New version",msgstr:["Neue Version"]},paused:{msgid:"paused",msgstr:["Pausiert"]},"Preview image":{msgid:"Preview image",msgstr:["Vorschaubild"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Alle Kontrollkästchen aktivieren"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Alle vorhandenen Dateien auswählen"]},"Select all new files":{msgid:"Select all new files",msgstr:["Alle neuen Dateien auswählen"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["{count} Datei überspringen","{count} Dateien überspringen"]},"Unknown size":{msgid:"Unknown size",msgstr:["Unbekannte Größe"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Hochladen abgebrochen"]},"Upload files":{msgid:"Upload files",msgstr:["Dateien hochladen"]},"Upload progress":{msgid:"Upload progress",msgstr:["Fortschritt beim Hochladen"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Welche Dateien möchten Sie behalten?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Sie müssen mindestens eine Version jeder Datei auswählen, um fortzufahren."]}}}}},{locale:"el",json:{charset:"utf-8",headers:{"Last-Translator":"Nik Pap, 2022","Language-Team":"Greek (https://www.transifex.com/nextcloud/teams/64236/el/)","Content-Type":"text/plain; charset=UTF-8",Language:"el","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nNik Pap, 2022\n"},msgstr:["Last-Translator: Nik Pap, 2022\nLanguage-Team: Greek (https://www.transifex.com/nextcloud/teams/64236/el/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["απομένουν {seconds} δευτερόλεπτα"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["απομένουν {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["απομένουν λίγα δευτερόλεπτα"]},Add:{msgid:"Add",msgstr:["Προσθήκη"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Ακύρωση μεταφορτώσεων"]},"estimating time left":{msgid:"estimating time left",msgstr:["εκτίμηση του χρόνου που απομένει"]},paused:{msgid:"paused",msgstr:["σε παύση"]},"Upload files":{msgid:"Upload files",msgstr:["Μεταφόρτωση αρχείων"]}}}}},{locale:"el_GR",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)","Content-Type":"text/plain; charset=UTF-8",Language:"el_GR","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el_GR\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"en_GB",json:{charset:"utf-8",headers:{"Last-Translator":"Andi Chandler <andi@gowling.com>, 2023","Language-Team":"English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)","Content-Type":"text/plain; charset=UTF-8",Language:"en_GB","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nAndi Chandler <andi@gowling.com>, 2023\n"},msgstr:["Last-Translator: Andi Chandler <andi@gowling.com>, 2023\nLanguage-Team: English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: en_GB\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} file conflict","{count} files conflict"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} file conflict in {dirname}","{count} file conflicts in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} seconds left"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} left"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["a few seconds left"]},Add:{msgid:"Add",msgstr:["Add"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancel uploads"]},Continue:{msgid:"Continue",msgstr:["Continue"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimating time left"]},"Existing version":{msgid:"Existing version",msgstr:["Existing version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["If you select both versions, the copied file will have a number added to its name."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Last modified date unknown"]},"New version":{msgid:"New version",msgstr:["New version"]},paused:{msgid:"paused",msgstr:["paused"]},"Preview image":{msgid:"Preview image",msgstr:["Preview image"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Select all checkboxes"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Select all existing files"]},"Select all new files":{msgid:"Select all new files",msgstr:["Select all new files"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Skip this file","Skip {count} files"]},"Unknown size":{msgid:"Unknown size",msgstr:["Unknown size"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Upload cancelled"]},"Upload files":{msgid:"Upload files",msgstr:["Upload files"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Which files do you want to keep?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["You need to select at least one version of each file to continue."]}}}}},{locale:"eo",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)","Content-Type":"text/plain; charset=UTF-8",Language:"eo","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eo\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es",json:{charset:"utf-8",headers:{"Last-Translator":"Julio C. Ortega, 2024","Language-Team":"Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)","Content-Type":"text/plain; charset=UTF-8",Language:"es","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nFranciscoFJ <dev-ooo@satel-sa.com>, 2023\nNext Cloud <nextcloud.translator.es@cgj.es>, 2023\nJulio C. Ortega, 2024\n"},msgstr:["Last-Translator: Julio C. Ortega, 2024\nLanguage-Team: Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} archivo en conflicto","{count} archivos en conflicto","{count} archivos en conflicto"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} archivo en conflicto en {dirname}","{count} archivos en conflicto en {dirname}","{count} archivos en conflicto en {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan unos segundos"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar subidas"]},Continue:{msgid:"Continue",msgstr:["Continuar"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},"Existing version":{msgid:"Existing version",msgstr:["Versión existente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Si selecciona ambas versiones, al archivo copiado se le añadirá un número en el nombre."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Última fecha de modificación desconocida"]},New:{msgid:"New",msgstr:["Nuevo"]},"New version":{msgid:"New version",msgstr:["Nueva versión"]},paused:{msgid:"paused",msgstr:["pausado"]},"Preview image":{msgid:"Preview image",msgstr:["Previsualizar imagen"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Seleccionar todas las casillas de verificación"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleccionar todos los archivos existentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleccionar todos los archivos nuevos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Saltar este archivo","Saltar {count} archivos","Saltar {count} archivos"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamaño desconocido"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Subida cancelada"]},"Upload files":{msgid:"Upload files",msgstr:["Subir archivos"]},"Upload progress":{msgid:"Upload progress",msgstr:["Progreso de la subida"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["¿Qué archivos desea conservar?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Debe seleccionar al menos una versión de cada archivo para continuar."]}}}}},{locale:"es_419",json:{charset:"utf-8",headers:{"Last-Translator":"ALEJANDRO CASTRO, 2022","Language-Team":"Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_419","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nALEJANDRO CASTRO, 2022\n"},msgstr:["Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_419\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{tiempo} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan pocos segundos"]},Add:{msgid:"Add",msgstr:["agregar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar subidas"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Subir archivos"]}}}}},{locale:"es_AR",json:{charset:"utf-8",headers:{"Last-Translator":"Matias Iglesias, 2022","Language-Team":"Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_AR","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMatias Iglesias, 2022\n"},msgstr:["Last-Translator: Matias Iglesias, 2022\nLanguage-Team: Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_AR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan unos segundos"]},Add:{msgid:"Add",msgstr:["Añadir"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar subidas"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Subir archivos"]}}}}},{locale:"es_CL",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_CL","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CL\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_CO",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_CO","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_CR",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_CR","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_DO",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_DO","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_DO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_EC",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_EC","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_EC\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_GT",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_GT","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_GT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_HN",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_HN","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_HN\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_MX",json:{charset:"utf-8",headers:{"Last-Translator":"ALEJANDRO CASTRO, 2022","Language-Team":"Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_MX","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nLuis Francisco Castro, 2022\nALEJANDRO CASTRO, 2022\n"},msgstr:["Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_MX\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{tiempo} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan pocos segundos"]},Add:{msgid:"Add",msgstr:["agregar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["cancelar las cargas"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},paused:{msgid:"paused",msgstr:["en pausa"]},"Upload files":{msgid:"Upload files",msgstr:["cargar archivos"]}}}}},{locale:"es_NI",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_NI","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_NI\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PA",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PA","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PA\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PE",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PE","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PE\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PR",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PR","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PY",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PY","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_SV",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_SV","Plural-Forms":"nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_SV\nPlural-Forms: nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_UY",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_UY","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_UY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"et_EE",json:{charset:"utf-8",headers:{"Last-Translator":"Taavo Roos, 2023","Language-Team":"Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)","Content-Type":"text/plain; charset=UTF-8",Language:"et_EE","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMait R, 2022\nTaavo Roos, 2023\n"},msgstr:["Last-Translator: Taavo Roos, 2023\nLanguage-Team: Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: et_EE\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} jäänud sekundid"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} aega jäänud"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["jäänud mõni sekund"]},Add:{msgid:"Add",msgstr:["Lisa"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Tühista üleslaadimine"]},"estimating time left":{msgid:"estimating time left",msgstr:["hinnanguline järelejäänud aeg"]},paused:{msgid:"paused",msgstr:["pausil"]},"Upload files":{msgid:"Upload files",msgstr:["Lae failid üles"]}}}}},{locale:"eu",json:{charset:"utf-8",headers:{"Last-Translator":"Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022","Language-Team":"Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)","Content-Type":"text/plain; charset=UTF-8",Language:"eu","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nUnai Tolosa Pontesta <utolosa002@gmail.com>, 2022\n"},msgstr:["Last-Translator: Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022\nLanguage-Team: Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eu\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundo geratzen dira"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} geratzen da"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["segundo batzuk geratzen dira"]},Add:{msgid:"Add",msgstr:["Gehitu"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Ezeztatu igoerak"]},"estimating time left":{msgid:"estimating time left",msgstr:["kalkulatutako geratzen den denbora"]},paused:{msgid:"paused",msgstr:["geldituta"]},"Upload files":{msgid:"Upload files",msgstr:["Igo fitxategiak"]}}}}},{locale:"fa",json:{charset:"utf-8",headers:{"Last-Translator":"Fatemeh Komeily, 2023","Language-Team":"Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)","Content-Type":"text/plain; charset=UTF-8",Language:"fa","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nFatemeh Komeily, 2023\n"},msgstr:["Last-Translator: Fatemeh Komeily, 2023\nLanguage-Team: Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fa\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["ثانیه های باقی مانده"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["باقی مانده"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["چند ثانیه مانده"]},Add:{msgid:"Add",msgstr:["اضافه کردن"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["کنسل کردن فایل های اپلود شده"]},"estimating time left":{msgid:"estimating time left",msgstr:["تخمین زمان باقی مانده"]},paused:{msgid:"paused",msgstr:["مکث کردن"]},"Upload files":{msgid:"Upload files",msgstr:["بارگذاری فایل ها"]}}}}},{locale:"fi_FI",json:{charset:"utf-8",headers:{"Last-Translator":"Jiri Grönroos <jiri.gronroos@iki.fi>, 2022","Language-Team":"Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)","Content-Type":"text/plain; charset=UTF-8",Language:"fi_FI","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJiri Grönroos <jiri.gronroos@iki.fi>, 2022\n"},msgstr:["Last-Translator: Jiri Grönroos <jiri.gronroos@iki.fi>, 2022\nLanguage-Team: Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fi_FI\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekuntia jäljellä"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} jäljellä"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["muutama sekunti jäljellä"]},Add:{msgid:"Add",msgstr:["Lisää"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Peruuta lähetykset"]},"estimating time left":{msgid:"estimating time left",msgstr:["arvioidaan jäljellä olevaa aikaa"]},paused:{msgid:"paused",msgstr:["keskeytetty"]},"Upload files":{msgid:"Upload files",msgstr:["Lähetä tiedostoja"]}}}}},{locale:"fo",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)","Content-Type":"text/plain; charset=UTF-8",Language:"fo","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fo\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"fr",json:{charset:"utf-8",headers:{"Last-Translator":"jed boulahya, 2024","Language-Team":"French (https://app.transifex.com/nextcloud/teams/64236/fr/)","Content-Type":"text/plain; charset=UTF-8",Language:"fr","Plural-Forms":"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nBenoit Pruneau, 2024\njed boulahya, 2024\n"},msgstr:["Last-Translator: jed boulahya, 2024\nLanguage-Team: French (https://app.transifex.com/nextcloud/teams/64236/fr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fr\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} fichier en conflit","{count} fichiers en conflit","{count} fichiers en conflit"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} fichier en conflit dans {dirname}","{count} fichiers en conflit dans {dirname}","{count} fichiers en conflit dans {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} secondes restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} restant"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quelques secondes restantes"]},Cancel:{msgid:"Cancel",msgstr:["Annuler"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Annuler l'opération entière"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Annuler les envois"]},Continue:{msgid:"Continue",msgstr:["Continuer"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimation du temps restant"]},"Existing version":{msgid:"Existing version",msgstr:["Version existante"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Si vous sélectionnez les deux versions, le fichier copié aura un numéro ajouté àname."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Date de la dernière modification est inconnue"]},New:{msgid:"New",msgstr:["Nouveau"]},"New version":{msgid:"New version",msgstr:["Nouvelle version"]},paused:{msgid:"paused",msgstr:["en pause"]},"Preview image":{msgid:"Preview image",msgstr:["Aperçu de l'image"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Sélectionner toutes les cases à cocher"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Sélectionner tous les fichiers existants"]},"Select all new files":{msgid:"Select all new files",msgstr:["Sélectionner tous les nouveaux fichiers"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Ignorer ce fichier","Ignorer {count} fichiers","Ignorer {count} fichiers"]},"Unknown size":{msgid:"Unknown size",msgstr:["Taille inconnue"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:[" annulé"]},"Upload files":{msgid:"Upload files",msgstr:["Téléchargement des fichiers"]},"Upload progress":{msgid:"Upload progress",msgstr:["Progression du téléchargement"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Lorsqu'un dossier entrant est sélectionné, tous les fichiers en conflit qu'il contient seront également écrasés."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Quels fichiers souhaitez-vous conserver ?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Vous devez sélectionner au moins une version de chaque fichier pour continuer."]}}}}},{locale:"gd",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)","Content-Type":"text/plain; charset=UTF-8",Language:"gd","Plural-Forms":"nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gd\nPlural-Forms: nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"gl",json:{charset:"utf-8",headers:{"Last-Translator":"Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023","Language-Team":"Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)","Content-Type":"text/plain; charset=UTF-8",Language:"gl","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nNacho <nacho.vfranco@gmail.com>, 2023\nMiguel Anxo Bouzada <mbouzada@gmail.com>, 2023\n"},msgstr:["Last-Translator: Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023\nLanguage-Team: Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gl\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} conflito de ficheiros","{count} conflitos de ficheiros"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} conflito de ficheiros en {dirname}","{count} conflitos de ficheiros en {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["faltan {seconds} segundos"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["falta {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["faltan uns segundos"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar envíos"]},Continue:{msgid:"Continue",msgstr:["Continuar"]},"estimating time left":{msgid:"estimating time left",msgstr:["calculando canto tempo falta"]},"Existing version":{msgid:"Existing version",msgstr:["Versión existente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Se selecciona ambas as versións, o ficheiro copiado terá un número engadido ao seu nome."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Data da última modificación descoñecida"]},New:{msgid:"New",msgstr:["Nova"]},"New version":{msgid:"New version",msgstr:["Nova versión"]},paused:{msgid:"paused",msgstr:["detido"]},"Preview image":{msgid:"Preview image",msgstr:["Vista previa da imaxe"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Marcar todas as caixas de selección"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleccionar todos os ficheiros existentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleccionar todos os ficheiros novos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Omita este ficheiro","Omitir {count} ficheiros"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamaño descoñecido"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Envío cancelado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar ficheiros"]},"Upload progress":{msgid:"Upload progress",msgstr:["Progreso do envío"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Que ficheiros quere conservar?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Debe seleccionar polo menos unha versión de cada ficheiro para continuar."]}}}}},{locale:"he",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)","Content-Type":"text/plain; charset=UTF-8",Language:"he","Plural-Forms":"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: he\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hi_IN",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)","Content-Type":"text/plain; charset=UTF-8",Language:"hi_IN","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hi_IN\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hr",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)","Content-Type":"text/plain; charset=UTF-8",Language:"hr","Plural-Forms":"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hr\nPlural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hsb",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)","Content-Type":"text/plain; charset=UTF-8",Language:"hsb","Plural-Forms":"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hsb\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hu",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)","Content-Type":"text/plain; charset=UTF-8",Language:"hu","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hu_HU",json:{charset:"utf-8",headers:{"Last-Translator":"Balázs Úr, 2022","Language-Team":"Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)","Content-Type":"text/plain; charset=UTF-8",Language:"hu_HU","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nBalázs Meskó <meskobalazs@mailbox.org>, 2022\nBalázs Úr, 2022\n"},msgstr:["Last-Translator: Balázs Úr, 2022\nLanguage-Team: Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu_HU\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{} másodperc van hátra"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} van hátra"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["pár másodperc van hátra"]},Add:{msgid:"Add",msgstr:["Hozzáadás"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Feltöltések megszakítása"]},"estimating time left":{msgid:"estimating time left",msgstr:["hátralévő idő becslése"]},paused:{msgid:"paused",msgstr:["szüneteltetve"]},"Upload files":{msgid:"Upload files",msgstr:["Fájlok feltöltése"]}}}}},{locale:"hy",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)","Content-Type":"text/plain; charset=UTF-8",Language:"hy","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hy\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ia",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)","Content-Type":"text/plain; charset=UTF-8",Language:"ia","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ia\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"id",json:{charset:"utf-8",headers:{"Last-Translator":"Linerly <linerly@proton.me>, 2023","Language-Team":"Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)","Content-Type":"text/plain; charset=UTF-8",Language:"id","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nEmpty Slot Filler, 2023\nLinerly <linerly@proton.me>, 2023\n"},msgstr:["Last-Translator: Linerly <linerly@proton.me>, 2023\nLanguage-Team: Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: id\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} berkas berkonflik"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} berkas berkonflik dalam {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} detik tersisa"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} tersisa"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["tinggal sebentar lagi"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Batalkan unggahan"]},Continue:{msgid:"Continue",msgstr:["Lanjutkan"]},"estimating time left":{msgid:"estimating time left",msgstr:["memperkirakan waktu yang tersisa"]},"Existing version":{msgid:"Existing version",msgstr:["Versi yang ada"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Jika Anda memilih kedua versi, nama berkas yang disalin akan ditambahi angka."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Tanggal perubahan terakhir tidak diketahui"]},New:{msgid:"New",msgstr:["Baru"]},"New version":{msgid:"New version",msgstr:["Versi baru"]},paused:{msgid:"paused",msgstr:["dijeda"]},"Preview image":{msgid:"Preview image",msgstr:["Gambar pratinjau"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Pilih semua kotak centang"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Pilih semua berkas yang ada"]},"Select all new files":{msgid:"Select all new files",msgstr:["Pilih semua berkas baru"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Lewati {count} berkas"]},"Unknown size":{msgid:"Unknown size",msgstr:["Ukuran tidak diketahui"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Unggahan dibatalkan"]},"Upload files":{msgid:"Upload files",msgstr:["Unggah berkas"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Berkas mana yang Anda ingin tetap simpan?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Anda harus memilih setidaknya satu versi dari masing-masing berkas untuk melanjutkan."]}}}}},{locale:"ig",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)","Content-Type":"text/plain; charset=UTF-8",Language:"ig","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ig\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"is",json:{charset:"utf-8",headers:{"Last-Translator":"Sveinn í Felli <sv1@fellsnet.is>, 2023","Language-Team":"Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)","Content-Type":"text/plain; charset=UTF-8",Language:"is","Plural-Forms":"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nSveinn í Felli <sv1@fellsnet.is>, 2023\n"},msgstr:["Last-Translator: Sveinn í Felli <sv1@fellsnet.is>, 2023\nLanguage-Team: Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: is\nPlural-Forms: nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} árekstur skráa","{count} árekstrar skráa"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} árekstur skráa í {dirname}","{count} árekstrar skráa í {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekúndur eftir"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} eftir"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["nokkrar sekúndur eftir"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Hætta við innsendingar"]},Continue:{msgid:"Continue",msgstr:["Halda áfram"]},"estimating time left":{msgid:"estimating time left",msgstr:["áætla tíma sem eftir er"]},"Existing version":{msgid:"Existing version",msgstr:["Fyrirliggjandi útgáfa"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Ef þú velur báðar útgáfur, þá mun verða bætt tölustaf aftan við heiti afrituðu skrárinnar."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Síðasta breytingadagsetning er óþekkt"]},New:{msgid:"New",msgstr:["Nýtt"]},"New version":{msgid:"New version",msgstr:["Ný útgáfa"]},paused:{msgid:"paused",msgstr:["í bið"]},"Preview image":{msgid:"Preview image",msgstr:["Forskoðun myndar"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Velja gátreiti"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Velja allar fyrirliggjandi skrár"]},"Select all new files":{msgid:"Select all new files",msgstr:["Velja allar nýjar skrár"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Sleppa þessari skrá","Sleppa {count} skrám"]},"Unknown size":{msgid:"Unknown size",msgstr:["Óþekkt stærð"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Hætt við innsendingu"]},"Upload files":{msgid:"Upload files",msgstr:["Senda inn skrár"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hvaða skrám vilt þú vilt halda eftir?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Þú verður að velja að minnsta kosti eina útgáfu af hverri skrá til að halda áfram."]}}}}},{locale:"it",json:{charset:"utf-8",headers:{"Last-Translator":"Random_R, 2023","Language-Team":"Italian (https://app.transifex.com/nextcloud/teams/64236/it/)","Content-Type":"text/plain; charset=UTF-8",Language:"it","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nLep Lep, 2023\nRandom_R, 2023\n"},msgstr:["Last-Translator: Random_R, 2023\nLanguage-Team: Italian (https://app.transifex.com/nextcloud/teams/64236/it/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} file in conflitto","{count} file in conflitto","{count} file in conflitto"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} file in conflitto in {dirname}","{count} file in conflitto in {dirname}","{count} file in conflitto in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} secondi rimanenti "]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} rimanente"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["alcuni secondi rimanenti"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Annulla i caricamenti"]},Continue:{msgid:"Continue",msgstr:["Continua"]},"estimating time left":{msgid:"estimating time left",msgstr:["calcolo il tempo rimanente"]},"Existing version":{msgid:"Existing version",msgstr:["Versione esistente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Se selezioni entrambe le versioni, nel nome del file copiato verrà aggiunto un numero "]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Ultima modifica sconosciuta"]},New:{msgid:"New",msgstr:["Nuovo"]},"New version":{msgid:"New version",msgstr:["Nuova versione"]},paused:{msgid:"paused",msgstr:["pausa"]},"Preview image":{msgid:"Preview image",msgstr:["Anteprima immagine"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Seleziona tutte le caselle"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleziona tutti i file esistenti"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleziona tutti i nuovi file"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Salta questo file","Salta {count} file","Salta {count} file"]},"Unknown size":{msgid:"Unknown size",msgstr:["Dimensione sconosciuta"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Caricamento cancellato"]},"Upload files":{msgid:"Upload files",msgstr:["Carica i file"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Quali file vuoi mantenere?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Devi selezionare almeno una versione di ogni file per continuare"]}}}}},{locale:"it_IT",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)","Content-Type":"text/plain; charset=UTF-8",Language:"it_IT","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it_IT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ja_JP",json:{charset:"utf-8",headers:{"Last-Translator":"かたかめ, 2022","Language-Team":"Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)","Content-Type":"text/plain; charset=UTF-8",Language:"ja_JP","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nT.S, 2022\nかたかめ, 2022\n"},msgstr:["Last-Translator: かたかめ, 2022\nLanguage-Team: Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ja_JP\nPlural-Forms: nplurals=1; plural=0;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["残り {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["残り {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["残り数秒"]},Add:{msgid:"Add",msgstr:["追加"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["アップロードをキャンセル"]},"estimating time left":{msgid:"estimating time left",msgstr:["概算残り時間"]},paused:{msgid:"paused",msgstr:["一時停止中"]},"Upload files":{msgid:"Upload files",msgstr:["ファイルをアップデート"]}}}}},{locale:"ka",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)","Content-Type":"text/plain; charset=UTF-8",Language:"ka","Plural-Forms":"nplurals=2; plural=(n!=1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka\nPlural-Forms: nplurals=2; plural=(n!=1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ka_GE",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)","Content-Type":"text/plain; charset=UTF-8",Language:"ka_GE","Plural-Forms":"nplurals=2; plural=(n!=1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka_GE\nPlural-Forms: nplurals=2; plural=(n!=1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"kab",json:{charset:"utf-8",headers:{"Last-Translator":"ZiriSut, 2023","Language-Team":"Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)","Content-Type":"text/plain; charset=UTF-8",Language:"kab","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nZiriSut, 2023\n"},msgstr:["Last-Translator: ZiriSut, 2023\nLanguage-Team: Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kab\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} tesdatin i d-yeqqimen"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} i d-yeqqimen"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["qqiment-d kra n tesdatin kan"]},Add:{msgid:"Add",msgstr:["Rnu"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Sefsex asali"]},"estimating time left":{msgid:"estimating time left",msgstr:["asizel n wakud i d-yeqqimen"]},paused:{msgid:"paused",msgstr:["yeḥbes"]},"Upload files":{msgid:"Upload files",msgstr:["Sali-d ifuyla"]}}}}},{locale:"kk",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)","Content-Type":"text/plain; charset=UTF-8",Language:"kk","Plural-Forms":"nplurals=2; plural=(n!=1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kk\nPlural-Forms: nplurals=2; plural=(n!=1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"km",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)","Content-Type":"text/plain; charset=UTF-8",Language:"km","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: km\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"kn",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)","Content-Type":"text/plain; charset=UTF-8",Language:"kn","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kn\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ko",json:{charset:"utf-8",headers:{"Last-Translator":"Brandon Han, 2024","Language-Team":"Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)","Content-Type":"text/plain; charset=UTF-8",Language:"ko","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nhosun Lee, 2023\nBrandon Han, 2024\n"},msgstr:["Last-Translator: Brandon Han, 2024\nLanguage-Team: Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ko\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count}개의 파일이 충돌함"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname}에서 {count}개의 파일이 충돌함"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} 남음"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} 남음"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["곧 완료"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["업로드 취소"]},Continue:{msgid:"Continue",msgstr:["확인"]},"estimating time left":{msgid:"estimating time left",msgstr:["남은 시간 계산"]},"Existing version":{msgid:"Existing version",msgstr:["현재 버전"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["두 버전을 모두 선택할 경우, 복제된 파일 이름에 숫자가 추가됩니다."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["최근 수정일 알 수 없음"]},New:{msgid:"New",msgstr:["새로 만들기"]},"New version":{msgid:"New version",msgstr:["새 버전"]},paused:{msgid:"paused",msgstr:["일시정지됨"]},"Preview image":{msgid:"Preview image",msgstr:["미리보기 이미지"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["모든 체크박스 선택"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["모든 파일 선택"]},"Select all new files":{msgid:"Select all new files",msgstr:["모든 새 파일 선택"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["{count}개의 파일 넘기기"]},"Unknown size":{msgid:"Unknown size",msgstr:["크기를 알 수 없음"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["업로드 취소됨"]},"Upload files":{msgid:"Upload files",msgstr:["파일 업로드"]},"Upload progress":{msgid:"Upload progress",msgstr:["업로드 진행도"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["어떤 파일을 보존하시겠습니까?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["계속하기 위해서는 한 파일에 최소 하나의 버전을 선택해야 합니다."]}}}}},{locale:"la",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Latin (https://www.transifex.com/nextcloud/teams/64236/la/)","Content-Type":"text/plain; charset=UTF-8",Language:"la","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latin (https://www.transifex.com/nextcloud/teams/64236/la/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: la\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lb",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)","Content-Type":"text/plain; charset=UTF-8",Language:"lb","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lb\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lo",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)","Content-Type":"text/plain; charset=UTF-8",Language:"lo","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lo\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lt_LT",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)","Content-Type":"text/plain; charset=UTF-8",Language:"lt_LT","Plural-Forms":"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lt_LT\nPlural-Forms: nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lv",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)","Content-Type":"text/plain; charset=UTF-8",Language:"lv","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lv\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"mk",json:{charset:"utf-8",headers:{"Last-Translator":"Сашко Тодоров <sasetodorov@gmail.com>, 2022","Language-Team":"Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)","Content-Type":"text/plain; charset=UTF-8",Language:"mk","Plural-Forms":"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nСашко Тодоров <sasetodorov@gmail.com>, 2022\n"},msgstr:["Last-Translator: Сашко Тодоров <sasetodorov@gmail.com>, 2022\nLanguage-Team: Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mk\nPlural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["преостануваат {seconds} секунди"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["преостанува {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["уште неколку секунди"]},Add:{msgid:"Add",msgstr:["Додади"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Прекини прикачување"]},"estimating time left":{msgid:"estimating time left",msgstr:["приближно преостанато време"]},paused:{msgid:"paused",msgstr:["паузирано"]},"Upload files":{msgid:"Upload files",msgstr:["Прикачување датотеки"]}}}}},{locale:"mn",json:{charset:"utf-8",headers:{"Last-Translator":"BATKHUYAG Ganbold, 2023","Language-Team":"Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)","Content-Type":"text/plain; charset=UTF-8",Language:"mn","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nBATKHUYAG Ganbold, 2023\n"},msgstr:["Last-Translator: BATKHUYAG Ganbold, 2023\nLanguage-Team: Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mn\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} секунд үлдсэн"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} үлдсэн"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["хэдхэн секунд үлдсэн"]},Add:{msgid:"Add",msgstr:["Нэмэх"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Илгээлтийг цуцлах"]},"estimating time left":{msgid:"estimating time left",msgstr:["Үлдсэн хугацааг тооцоолж байна"]},paused:{msgid:"paused",msgstr:["түр зогсоосон"]},"Upload files":{msgid:"Upload files",msgstr:["Файл илгээх"]}}}}},{locale:"mr",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)","Content-Type":"text/plain; charset=UTF-8",Language:"mr","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mr\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ms_MY",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)","Content-Type":"text/plain; charset=UTF-8",Language:"ms_MY","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ms_MY\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"my",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)","Content-Type":"text/plain; charset=UTF-8",Language:"my","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: my\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"nb_NO",json:{charset:"utf-8",headers:{"Last-Translator":"Syvert Fossdal, 2024","Language-Team":"Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)","Content-Type":"text/plain; charset=UTF-8",Language:"nb_NO","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nSyvert Fossdal, 2024\n"},msgstr:["Last-Translator: Syvert Fossdal, 2024\nLanguage-Team: Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nb_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} file conflict","{count} filkonflikter"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} file conflict in {dirname}","{count} filkonflikter i {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekunder igjen"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} igjen"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["noen få sekunder igjen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Avbryt opplastninger"]},Continue:{msgid:"Continue",msgstr:["Fortsett"]},"estimating time left":{msgid:"estimating time left",msgstr:["Estimerer tid igjen"]},"Existing version":{msgid:"Existing version",msgstr:["Gjeldende versjon"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Hvis du velger begge versjoner, vil den kopierte filen få et tall lagt til navnet."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Siste gang redigert ukjent"]},New:{msgid:"New",msgstr:["Ny"]},"New version":{msgid:"New version",msgstr:["Ny versjon"]},paused:{msgid:"paused",msgstr:["pauset"]},"Preview image":{msgid:"Preview image",msgstr:["Forhåndsvis bilde"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Velg alle"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Velg alle eksisterende filer"]},"Select all new files":{msgid:"Select all new files",msgstr:["Velg alle nye filer"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Skip this file","Hopp over {count} filer"]},"Unknown size":{msgid:"Unknown size",msgstr:["Ukjent størrelse"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Opplasting avbrutt"]},"Upload files":{msgid:"Upload files",msgstr:["Last opp filer"]},"Upload progress":{msgid:"Upload progress",msgstr:["Fremdrift, opplasting"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hvilke filer vil du beholde?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du må velge minst en versjon av hver fil for å fortsette."]}}}}},{locale:"ne",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)","Content-Type":"text/plain; charset=UTF-8",Language:"ne","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ne\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"nl",json:{charset:"utf-8",headers:{"Last-Translator":"Rico <rico-schwab@hotmail.com>, 2023","Language-Team":"Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)","Content-Type":"text/plain; charset=UTF-8",Language:"nl","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nRico <rico-schwab@hotmail.com>, 2023\n"},msgstr:["Last-Translator: Rico <rico-schwab@hotmail.com>, 2023\nLanguage-Team: Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nl\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Nog {seconds} seconden"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{seconds} over"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Nog een paar seconden"]},Add:{msgid:"Add",msgstr:["Voeg toe"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Uploads annuleren"]},"estimating time left":{msgid:"estimating time left",msgstr:["Schatting van de resterende tijd"]},paused:{msgid:"paused",msgstr:["Gepauzeerd"]},"Upload files":{msgid:"Upload files",msgstr:["Upload bestanden"]}}}}},{locale:"nn",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)","Content-Type":"text/plain; charset=UTF-8",Language:"nn","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"nn_NO",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)","Content-Type":"text/plain; charset=UTF-8",Language:"nn_NO","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"oc",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)","Content-Type":"text/plain; charset=UTF-8",Language:"oc","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: oc\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"pl",json:{charset:"utf-8",headers:{"Last-Translator":"Valdnet, 2024","Language-Team":"Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)","Content-Type":"text/plain; charset=UTF-8",Language:"pl","Plural-Forms":"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nM H <haincu@o2.pl>, 2023\nValdnet, 2024\n"},msgstr:["Last-Translator: Valdnet, 2024\nLanguage-Team: Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pl\nPlural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["konflikt 1 pliku","{count} konfliktów plików","{count} konfliktów plików","{count} konfliktów plików"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} konfliktowy plik w {dirname}","{count} konfliktowych plików w {dirname}","{count} konfliktowych plików w {dirname}","{count} konfliktowych plików w {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Pozostało {seconds} sekund"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Pozostało {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Pozostało kilka sekund"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Anuluj wysyłanie"]},Continue:{msgid:"Continue",msgstr:["Kontynuuj"]},"estimating time left":{msgid:"estimating time left",msgstr:["Szacowanie pozostałego czasu"]},"Existing version":{msgid:"Existing version",msgstr:["Istniejąca wersja"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Jeżeli wybierzesz obie wersje to do nazw skopiowanych plików zostanie dodany numer"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Nieznana data ostatniej modyfikacji"]},New:{msgid:"New",msgstr:["Nowy"]},"New version":{msgid:"New version",msgstr:["Nowa wersja"]},paused:{msgid:"paused",msgstr:["Wstrzymane"]},"Preview image":{msgid:"Preview image",msgstr:["Podgląd obrazu"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Zaznacz wszystkie boxy"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Zaznacz wszystkie istniejące pliki"]},"Select all new files":{msgid:"Select all new files",msgstr:["Zaznacz wszystkie nowe pliki"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Pomiń 1 plik","Pomiń {count} plików","Pomiń {count} plików","Pomiń {count} plików"]},"Unknown size":{msgid:"Unknown size",msgstr:["Nieznany rozmiar"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Anulowano wysyłanie"]},"Upload files":{msgid:"Upload files",msgstr:["Wyślij pliki"]},"Upload progress":{msgid:"Upload progress",msgstr:["Postęp wysyłania"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Które pliki chcesz zachować"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Aby kontynuować, musisz wybrać co najmniej jedną wersję każdego pliku."]}}}}},{locale:"ps",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)","Content-Type":"text/plain; charset=UTF-8",Language:"ps","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ps\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"pt_BR",json:{charset:"utf-8",headers:{"Last-Translator":"Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024","Language-Team":"Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)","Content-Type":"text/plain; charset=UTF-8",Language:"pt_BR","Plural-Forms":"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nLeonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\n"},msgstr:["Last-Translator: Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\nLanguage-Team: Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_BR\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} arquivos em conflito","{count} arquivos em conflito","{count} arquivos em conflito"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} conflitos de arquivo em {dirname}","{count} conflitos de arquivo em {dirname}","{count} conflitos de arquivo em {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["alguns segundos restantes"]},Cancel:{msgid:"Cancel",msgstr:["Cancelar"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Cancelar a operação inteira"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar uploads"]},Continue:{msgid:"Continue",msgstr:["Continuar"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tempo restante"]},"Existing version":{msgid:"Existing version",msgstr:["Versão existente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Se você selecionar ambas as versões, o arquivo copiado terá um número adicionado ao seu nome."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Data da última modificação desconhecida"]},New:{msgid:"New",msgstr:["Novo"]},"New version":{msgid:"New version",msgstr:["Nova versão"]},paused:{msgid:"paused",msgstr:["pausado"]},"Preview image":{msgid:"Preview image",msgstr:["Visualizar imagem"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Marque todas as caixas de seleção"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Selecione todos os arquivos existentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Selecione todos os novos arquivos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Ignorar {count} arquivos","Ignorar {count} arquivos","Ignorar {count} arquivos"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamanho desconhecido"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Envio cancelado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar arquivos"]},"Upload progress":{msgid:"Upload progress",msgstr:["Envio em progresso"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Quando uma pasta é selecionada, quaisquer arquivos dentro dela também serão sobrescritos."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Quais arquivos você deseja manter?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Você precisa selecionar pelo menos uma versão de cada arquivo para continuar."]}}}}},{locale:"pt_PT",json:{charset:"utf-8",headers:{"Last-Translator":"Manuela Silva <mmsrs@sky.com>, 2022","Language-Team":"Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)","Content-Type":"text/plain; charset=UTF-8",Language:"pt_PT","Plural-Forms":"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nManuela Silva <mmsrs@sky.com>, 2022\n"},msgstr:["Last-Translator: Manuela Silva <mmsrs@sky.com>, 2022\nLanguage-Team: Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_PT\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["faltam {seconds} segundo(s)"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["faltam {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["faltam uns segundos"]},Add:{msgid:"Add",msgstr:["Adicionar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar envios"]},"estimating time left":{msgid:"estimating time left",msgstr:["tempo em falta estimado"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar ficheiros"]}}}}},{locale:"ro",json:{charset:"utf-8",headers:{"Last-Translator":"Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022","Language-Team":"Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)","Content-Type":"text/plain; charset=UTF-8",Language:"ro","Plural-Forms":"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMădălin Vasiliu <contact@madalinvasiliu.com>, 2022\n"},msgstr:["Last-Translator: Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022\nLanguage-Team: Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ro\nPlural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} secunde rămase"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} rămas"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["câteva secunde rămase"]},Add:{msgid:"Add",msgstr:["Adaugă"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Anulați încărcările"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimarea timpului rămas"]},paused:{msgid:"paused",msgstr:["pus pe pauză"]},"Upload files":{msgid:"Upload files",msgstr:["Încarcă fișiere"]}}}}},{locale:"ru",json:{charset:"utf-8",headers:{"Last-Translator":"Александр, 2023","Language-Team":"Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)","Content-Type":"text/plain; charset=UTF-8",Language:"ru","Plural-Forms":"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nMax Smith <sevinfolds@gmail.com>, 2023\nАлександр, 2023\n"},msgstr:["Last-Translator: Александр, 2023\nLanguage-Team: Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["конфликт {count} файла","конфликт {count} файлов","конфликт {count} файлов","конфликт {count} файлов"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["конфликт {count} файла в {dirname}","конфликт {count} файлов в {dirname}","конфликт {count} файлов в {dirname}","конфликт {count} файлов в {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["осталось {seconds} секунд"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["осталось {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["осталось несколько секунд"]},Add:{msgid:"Add",msgstr:["Добавить"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Отменить загрузки"]},Continue:{msgid:"Continue",msgstr:["Продолжить"]},"estimating time left":{msgid:"estimating time left",msgstr:["оценка оставшегося времени"]},"Existing version":{msgid:"Existing version",msgstr:["Текущая версия"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Если вы выберете обе версии, к имени скопированного файла будет добавлен номер."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Дата последнего изменения неизвестна"]},"New version":{msgid:"New version",msgstr:["Новая версия"]},paused:{msgid:"paused",msgstr:["приостановлено"]},"Preview image":{msgid:"Preview image",msgstr:["Предварительный просмотр"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Установить все флажки"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Выбрать все существующие файлы"]},"Select all new files":{msgid:"Select all new files",msgstr:["Выбрать все новые файлы"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Пропустить файл","Пропустить {count} файла","Пропустить {count} файлов","Пропустить {count} файлов"]},"Unknown size":{msgid:"Unknown size",msgstr:["Неизвестный размер"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Загрузка отменена"]},"Upload files":{msgid:"Upload files",msgstr:["Загрузка файлов"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Какие файлы вы хотите сохранить?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Для продолжения вам нужно выбрать по крайней мере одну версию каждого файла."]}}}}},{locale:"ru_RU",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)","Content-Type":"text/plain; charset=UTF-8",Language:"ru_RU","Plural-Forms":"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru_RU\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sc",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)","Content-Type":"text/plain; charset=UTF-8",Language:"sc","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sc\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"si",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)","Content-Type":"text/plain; charset=UTF-8",Language:"si","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"si_LK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)","Content-Type":"text/plain; charset=UTF-8",Language:"si_LK","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sk_SK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)","Content-Type":"text/plain; charset=UTF-8",Language:"sk_SK","Plural-Forms":"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sk_SK\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sl",json:{charset:"utf-8",headers:{"Last-Translator":"Matej Urbančič <>, 2022","Language-Team":"Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)","Content-Type":"text/plain; charset=UTF-8",Language:"sl","Plural-Forms":"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMatej Urbančič <>, 2022\n"},msgstr:["Last-Translator: Matej Urbančič <>, 2022\nLanguage-Team: Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["še {seconds} sekund"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["še {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["še nekaj sekund"]},Add:{msgid:"Add",msgstr:["Dodaj"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Prekliči pošiljanje"]},"estimating time left":{msgid:"estimating time left",msgstr:["ocenjen čas do konca"]},paused:{msgid:"paused",msgstr:["v premoru"]},"Upload files":{msgid:"Upload files",msgstr:["Pošlji datoteke"]}}}}},{locale:"sl_SI",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)","Content-Type":"text/plain; charset=UTF-8",Language:"sl_SI","Plural-Forms":"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl_SI\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sq",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)","Content-Type":"text/plain; charset=UTF-8",Language:"sq","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sq\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sr",json:{charset:"utf-8",headers:{"Last-Translator":"Иван Пешић, 2023","Language-Team":"Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)","Content-Type":"text/plain; charset=UTF-8",Language:"sr","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nИван Пешић, 2023\n"},msgstr:["Last-Translator: Иван Пешић, 2023\nLanguage-Team: Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} фајл конфликт","{count} фајл конфликта","{count} фајл конфликта"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} фајл конфликт у {dirname}","{count} фајл конфликта у {dirname}","{count} фајл конфликта у {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["преостало је {seconds} секунди"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} преостало"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["преостало је неколико секунди"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Обустави отпремања"]},Continue:{msgid:"Continue",msgstr:["Настави"]},"estimating time left":{msgid:"estimating time left",msgstr:["процена преосталог времена"]},"Existing version":{msgid:"Existing version",msgstr:["Постојећа верзија"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Ако изаберете обе верзије, на име копираног фајла ће се додати број."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Није познат датум последње измене"]},New:{msgid:"New",msgstr:["Ново"]},"New version":{msgid:"New version",msgstr:["Нова верзија"]},paused:{msgid:"paused",msgstr:["паузирано"]},"Preview image":{msgid:"Preview image",msgstr:["Слика прегледа"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Штиклирај сва поља за штиклирање"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Изабери све постојеће фајлове"]},"Select all new files":{msgid:"Select all new files",msgstr:["Изабери све нове фајлове"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Прескочи овај фајл","Прескочи {count} фајла","Прескочи {count} фајлова"]},"Unknown size":{msgid:"Unknown size",msgstr:["Непозната величина"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Отпремање је отказано"]},"Upload files":{msgid:"Upload files",msgstr:["Отпреми фајлове"]},"Upload progress":{msgid:"Upload progress",msgstr:["Напредак отпремања"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Које фајлове желите да задржите?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Морате да изаберете барем једну верзију сваког фајла да наставите."]}}}}},{locale:"sr@latin",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)","Content-Type":"text/plain; charset=UTF-8",Language:"sr@latin","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr@latin\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sv",json:{charset:"utf-8",headers:{"Last-Translator":"Magnus Höglund, 2024","Language-Team":"Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)","Content-Type":"text/plain; charset=UTF-8",Language:"sv","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMagnus Höglund, 2024\n"},msgstr:["Last-Translator: Magnus Höglund, 2024\nLanguage-Team: Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sv\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} filkonflikt","{count} filkonflikter"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} filkonflikt i {dirname}","{count} filkonflikter i {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekunder kvarstår"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} kvarstår"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["några sekunder kvar"]},Cancel:{msgid:"Cancel",msgstr:["Avbryt"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Avbryt hela operationen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Avbryt uppladdningar"]},Continue:{msgid:"Continue",msgstr:["Fortsätt"]},"estimating time left":{msgid:"estimating time left",msgstr:["uppskattar kvarstående tid"]},"Existing version":{msgid:"Existing version",msgstr:["Nuvarande version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Om du väljer båda versionerna kommer den kopierade filen att få ett nummer tillagt i namnet."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Senaste ändringsdatum okänt"]},New:{msgid:"New",msgstr:["Ny"]},"New version":{msgid:"New version",msgstr:["Ny version"]},paused:{msgid:"paused",msgstr:["pausad"]},"Preview image":{msgid:"Preview image",msgstr:["Förhandsgranska bild"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Markera alla kryssrutor"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Välj alla befintliga filer"]},"Select all new files":{msgid:"Select all new files",msgstr:["Välj alla nya filer"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Hoppa över denna fil","Hoppa över {count} filer"]},"Unknown size":{msgid:"Unknown size",msgstr:["Okänd storlek"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Uppladdningen avbröts"]},"Upload files":{msgid:"Upload files",msgstr:["Ladda upp filer"]},"Upload progress":{msgid:"Upload progress",msgstr:["Uppladdningsförlopp"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["När en inkommande mapp väljs skrivs även alla konfliktande filer i den över."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Vilka filer vill du behålla?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du måste välja minst en version av varje fil för att fortsätta."]}}}}},{locale:"sw",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)","Content-Type":"text/plain; charset=UTF-8",Language:"sw","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sw\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ta",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)","Content-Type":"text/plain; charset=UTF-8",Language:"ta","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ta_LK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)","Content-Type":"text/plain; charset=UTF-8",Language:"ta_LK","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"th",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Thai (https://www.transifex.com/nextcloud/teams/64236/th/)","Content-Type":"text/plain; charset=UTF-8",Language:"th","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Thai (https://www.transifex.com/nextcloud/teams/64236/th/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"th_TH",json:{charset:"utf-8",headers:{"Last-Translator":"Phongpanot Phairat <ppnplus@protonmail.com>, 2022","Language-Team":"Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)","Content-Type":"text/plain; charset=UTF-8",Language:"th_TH","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nPhongpanot Phairat <ppnplus@protonmail.com>, 2022\n"},msgstr:["Last-Translator: Phongpanot Phairat <ppnplus@protonmail.com>, 2022\nLanguage-Team: Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th_TH\nPlural-Forms: nplurals=1; plural=0;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["เหลืออีก {seconds} วินาที"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["เหลืออีก {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["เหลืออีกไม่กี่วินาที"]},Add:{msgid:"Add",msgstr:["เพิ่ม"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["ยกเลิกการอัปโหลด"]},"estimating time left":{msgid:"estimating time left",msgstr:["กำลังคำนวณเวลาที่เหลือ"]},paused:{msgid:"paused",msgstr:["หยุดชั่วคราว"]},"Upload files":{msgid:"Upload files",msgstr:["อัปโหลดไฟล์"]}}}}},{locale:"tk",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)","Content-Type":"text/plain; charset=UTF-8",Language:"tk","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tk\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"tr",json:{charset:"utf-8",headers:{"Last-Translator":"Kaya Zeren <kayazeren@gmail.com>, 2024","Language-Team":"Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)","Content-Type":"text/plain; charset=UTF-8",Language:"tr","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nKaya Zeren <kayazeren@gmail.com>, 2024\n"},msgstr:["Last-Translator: Kaya Zeren <kayazeren@gmail.com>, 2024\nLanguage-Team: Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tr\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} dosya çakışması var","{count} dosya çakışması var"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname} klasöründe {count} dosya çakışması var","{dirname} klasöründe {count} dosya çakışması var"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} saniye kaldı"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} kaldı"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["bir kaç saniye kaldı"]},Cancel:{msgid:"Cancel",msgstr:["İptal"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Tüm işlemi iptal et"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Yüklemeleri iptal et"]},Continue:{msgid:"Continue",msgstr:["İlerle"]},"estimating time left":{msgid:"estimating time left",msgstr:["öngörülen kalan süre"]},"Existing version":{msgid:"Existing version",msgstr:["Var olan sürüm"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["İki sürümü de seçerseniz, kopyalanan dosyanın adına bir sayı eklenir."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Son değiştirilme tarihi bilinmiyor"]},New:{msgid:"New",msgstr:["Yeni"]},"New version":{msgid:"New version",msgstr:["Yeni sürüm"]},paused:{msgid:"paused",msgstr:["duraklatıldı"]},"Preview image":{msgid:"Preview image",msgstr:["Görsel ön izlemesi"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Tüm kutuları işaretle"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Tüm var olan dosyaları seç"]},"Select all new files":{msgid:"Select all new files",msgstr:["Tüm yeni dosyaları seç"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Bu dosyayı atla","{count} dosyayı atla"]},"Unknown size":{msgid:"Unknown size",msgstr:["Boyut bilinmiyor"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Yükleme iptal edildi"]},"Upload files":{msgid:"Upload files",msgstr:["Dosyaları yükle"]},"Upload progress":{msgid:"Upload progress",msgstr:["Yükleme ilerlemesi"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Bir gelen klasör seçildiğinde, içindeki çakışan dosyaların da üzerine yazılır."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hangi dosyaları tutmak istiyorsunuz?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["İlerlemek için her dosyanın en az bir sürümünü seçmelisiniz."]}}}}},{locale:"ug",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)","Content-Type":"text/plain; charset=UTF-8",Language:"ug","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ug\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"uk",json:{charset:"utf-8",headers:{"Last-Translator":"O St <oleksiy.stasevych@gmail.com>, 2024","Language-Team":"Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)","Content-Type":"text/plain; charset=UTF-8",Language:"uk","Plural-Forms":"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nO St <oleksiy.stasevych@gmail.com>, 2024\n"},msgstr:["Last-Translator: O St <oleksiy.stasevych@gmail.com>, 2024\nLanguage-Team: Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uk\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} конфліктний файл","{count} конфліктних файли","{count} конфліктних файлів","{count} конфліктних файлів"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} конфліктний файл у каталозі {dirname}","{count} конфліктних файли у каталозі {dirname}","{count} конфліктних файлів у каталозі {dirname}","{count} конфліктних файлів у каталозі {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Залишилося {seconds} секунд"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Залишилося {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["залишилося кілька секунд"]},Cancel:{msgid:"Cancel",msgstr:["Скасувати"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Скасувати операцію повністю"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Скасувати завантаження"]},Continue:{msgid:"Continue",msgstr:["Продовжити"]},"estimating time left":{msgid:"estimating time left",msgstr:["оцінка часу, що залишився"]},"Existing version":{msgid:"Existing version",msgstr:["Присутня версія"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Якщо ви виберете обидві версії, то буде створено копію файлу, до назви якої буде додано цифру."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Дата останньої зміни невідома"]},New:{msgid:"New",msgstr:["Нове"]},"New version":{msgid:"New version",msgstr:["Нова версія"]},paused:{msgid:"paused",msgstr:["призупинено"]},"Preview image":{msgid:"Preview image",msgstr:["Попередній перегляд"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Вибрати все"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Вибрати усі присутні файли"]},"Select all new files":{msgid:"Select all new files",msgstr:["Вибрати усі нові файли"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Пропустити файл","Пропустити {count} файли","Пропустити {count} файлів","Пропустити {count} файлів"]},"Unknown size":{msgid:"Unknown size",msgstr:["Невідомий розмір"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Завантаження скасовано"]},"Upload files":{msgid:"Upload files",msgstr:["Завантажити файли"]},"Upload progress":{msgid:"Upload progress",msgstr:["Поступ завантаження"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Усі конфліктні файли у вибраному каталозі призначення буде перезаписано поверх."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Які файли залишити?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Для продовження потрібно вибрати принаймні одну версію для кожного файлу."]}}}}},{locale:"ur_PK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)","Content-Type":"text/plain; charset=UTF-8",Language:"ur_PK","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ur_PK\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"uz",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)","Content-Type":"text/plain; charset=UTF-8",Language:"uz","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uz\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"vi",json:{charset:"utf-8",headers:{"Last-Translator":"Tung DangQuang, 2023","Language-Team":"Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)","Content-Type":"text/plain; charset=UTF-8",Language:"vi","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nTung DangQuang, 2023\n"},msgstr:["Last-Translator: Tung DangQuang, 2023\nLanguage-Team: Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: vi\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} Tập tin xung đột"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} tập tin lỗi trong {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Còn {second} giây"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Còn lại {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Còn lại một vài giây"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Huỷ tải lên"]},Continue:{msgid:"Continue",msgstr:["Tiếp Tục"]},"estimating time left":{msgid:"estimating time left",msgstr:["Thời gian còn lại dự kiến"]},"Existing version":{msgid:"Existing version",msgstr:["Phiên Bản Hiện Tại"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Nếu bạn chọn cả hai phiên bản, tệp được sao chép sẽ có thêm một số vào tên của nó."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Ngày sửa dổi lần cuối không xác định"]},New:{msgid:"New",msgstr:["Tạo Mới"]},"New version":{msgid:"New version",msgstr:["Phiên Bản Mới"]},paused:{msgid:"paused",msgstr:["đã tạm dừng"]},"Preview image":{msgid:"Preview image",msgstr:["Xem Trước Ảnh"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Chọn tất cả hộp checkbox"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Chọn tất cả các tập tin có sẵn"]},"Select all new files":{msgid:"Select all new files",msgstr:["Chọn tất cả các tập tin mới"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Bỏ Qua {count} tập tin"]},"Unknown size":{msgid:"Unknown size",msgstr:["Không rõ dung lượng"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Dừng Tải Lên"]},"Upload files":{msgid:"Upload files",msgstr:["Tập tin tải lên"]},"Upload progress":{msgid:"Upload progress",msgstr:["Đang Tải Lên"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Bạn muốn giữ tập tin nào?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Bạn cần chọn ít nhất một phiên bản tập tin mới có thể tiếp tục"]}}}}},{locale:"zh_CN",json:{charset:"utf-8",headers:{"Last-Translator":"Hongbo Chen, 2023","Language-Team":"Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)","Content-Type":"text/plain; charset=UTF-8",Language:"zh_CN","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nHongbo Chen, 2023\n"},msgstr:["Last-Translator: Hongbo Chen, 2023\nLanguage-Team: Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_CN\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count}文件冲突"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["在{dirname}目录下有{count}个文件冲突"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["剩余 {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["剩余 {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["还剩几秒"]},Add:{msgid:"Add",msgstr:["添加"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["取消上传"]},Continue:{msgid:"Continue",msgstr:["继续"]},"estimating time left":{msgid:"estimating time left",msgstr:["估计剩余时间"]},"Existing version":{msgid:"Existing version",msgstr:["版本已存在"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["如果选择所有的版本,新增版本的文件名为原文件名加数字"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["文件最后修改日期未知"]},"New version":{msgid:"New version",msgstr:["新版本"]},paused:{msgid:"paused",msgstr:["已暂停"]},"Preview image":{msgid:"Preview image",msgstr:["图片预览"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["选择所有的选择框"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["选择所有存在的文件"]},"Select all new files":{msgid:"Select all new files",msgstr:["选择所有的新文件"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["跳过{count}个文件"]},"Unknown size":{msgid:"Unknown size",msgstr:["文件大小未知"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["取消上传"]},"Upload files":{msgid:"Upload files",msgstr:["上传文件"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["你要保留哪些文件?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["每个文件至少选择一个版本"]}}}}},{locale:"zh_HK",json:{charset:"utf-8",headers:{"Last-Translator":"Café Tango, 2023","Language-Team":"Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)","Content-Type":"text/plain; charset=UTF-8",Language:"zh_HK","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nCafé Tango, 2023\n"},msgstr:["Last-Translator: Café Tango, 2023\nLanguage-Team: Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_HK\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} 個檔案衝突"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname} 中有 {count} 個檔案衝突"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["剩餘 {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["剩餘 {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["還剩幾秒"]},Add:{msgid:"Add",msgstr:["添加"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["取消上傳"]},Continue:{msgid:"Continue",msgstr:["繼續"]},"estimating time left":{msgid:"estimating time left",msgstr:["估計剩餘時間"]},"Existing version":{msgid:"Existing version",msgstr:["既有版本"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["若您選取兩個版本,複製的檔案的名稱將會新增編號。"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["最後修改日期不詳"]},"New version":{msgid:"New version",msgstr:["新版本 "]},paused:{msgid:"paused",msgstr:["已暫停"]},"Preview image":{msgid:"Preview image",msgstr:["預覽圖片"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["選取所有核取方塊"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["選取所有既有檔案"]},"Select all new files":{msgid:"Select all new files",msgstr:["選取所有新檔案"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["略過 {count} 個檔案"]},"Unknown size":{msgid:"Unknown size",msgstr:["大小不詳"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["已取消上傳"]},"Upload files":{msgid:"Upload files",msgstr:["上傳檔案"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["您想保留哪些檔案?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["您必須為每個檔案都至少選取一個版本以繼續。"]}}}}},{locale:"zh_TW",json:{charset:"utf-8",headers:{"Last-Translator":"黃柏諺 <s8321414@gmail.com>, 2024","Language-Team":"Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)","Content-Type":"text/plain; charset=UTF-8",Language:"zh_TW","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\n黃柏諺 <s8321414@gmail.com>, 2024\n"},msgstr:["Last-Translator: 黃柏諺 <s8321414@gmail.com>, 2024\nLanguage-Team: Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_TW\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} 個檔案衝突"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname} 中有 {count} 個檔案衝突"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["剩餘 {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["剩餘 {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["還剩幾秒"]},Cancel:{msgid:"Cancel",msgstr:["取消"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["取消整個操作"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["取消上傳"]},Continue:{msgid:"Continue",msgstr:["繼續"]},"estimating time left":{msgid:"estimating time left",msgstr:["估計剩餘時間"]},"Existing version":{msgid:"Existing version",msgstr:["既有版本"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["若您選取兩個版本,複製的檔案的名稱將會新增編號。"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["最後修改日期未知"]},New:{msgid:"New",msgstr:["新增"]},"New version":{msgid:"New version",msgstr:["新版本"]},paused:{msgid:"paused",msgstr:["已暫停"]},"Preview image":{msgid:"Preview image",msgstr:["預覽圖片"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["選取所有核取方塊"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["選取所有既有檔案"]},"Select all new files":{msgid:"Select all new files",msgstr:["選取所有新檔案"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["略過 {count} 檔案"]},"Unknown size":{msgid:"Unknown size",msgstr:["未知大小"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["已取消上傳"]},"Upload files":{msgid:"Upload files",msgstr:["上傳檔案"]},"Upload progress":{msgid:"Upload progress",msgstr:["上傳進度"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["選取傳入資料夾後,其中任何的衝突檔案都會被覆寫。"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["您想保留哪些檔案?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["您必須為每個檔案都至少選取一個版本以繼續。"]}}}}}].map((t=>nt.addTranslation(t.locale,t.json)));const st=nt.build(),it=st.ngettext.bind(st),rt=st.gettext.bind(st),ot=D.Ay.extend({name:"UploadPicker",components:{Cancel:Z,NcActionButton:U.A,NcActions:j.A,NcButton:z.A,NcIconSvgWrapper:M.A,NcProgressBar:R.A,Plus:tt,Upload:et},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:w.vd,default:void 0},content:{type:Array,default:()=>[]},forbiddenCharacters:{type:Array,default:()=>[]}},data:()=>({addLabel:rt("New"),cancelLabel:rt("Cancel uploads"),uploadLabel:rt("Upload files"),progressLabel:rt("Upload progress"),progressTimeId:`nc-uploader-progress-${Math.random().toString(36).slice(7)}`,eta:null,timeLeft:"",newFileMenuEntries:[],uploadManager:ct()}),computed:{totalQueueSize(){return this.uploadManager.info?.size||0},uploadedQueueSize(){return this.uploadManager.info?.progress||0},progress(){return Math.round(this.uploadedQueueSize/this.totalQueueSize*100)||0},queue(){return this.uploadManager.queue},hasFailure(){return 0!==this.queue?.filter((t=>t.status===W.FAILED)).length},isUploading(){return this.queue?.length>0},isAssembling(){return 0!==this.queue?.filter((t=>t.status===W.ASSEMBLING)).length},isPaused(){return this.uploadManager.info?.status===Q.PAUSED},buttonName(){if(!this.isUploading)return this.addLabel}},watch:{destination(t){this.setDestination(t)},totalQueueSize(t){this.eta=O({min:0,max:t}),this.updateStatus()},uploadedQueueSize(t){this.eta?.report?.(t),this.updateStatus()},isPaused(t){t?this.$emit("paused",this.queue):this.$emit("resumed",this.queue)}},beforeMount(){this.destination&&this.setDestination(this.destination),this.uploadManager.addNotifier(this.onUploadCompletion),Y.debug("UploadPicker initialised")},methods:{onClick(){this.$refs.input.click()},async onPick(){let t=[...this.$refs.input.files];if(ut(t,this.content)){const e=t.filter((t=>this.content.find((e=>e.basename===t.name)))).filter(Boolean),n=t.filter((t=>!e.includes(t)));try{const{selected:s,renamed:i}=await dt(this.destination.basename,e,this.content);t=[...n,...s,...i]}catch{return void(0,B.Qg)(rt("Upload cancelled"))}}t.forEach((t=>{const e=(this.forbiddenCharacters||[]).find((e=>t.name.includes(e)));e?(0,B.Qg)(rt(`"${e}" is not allowed inside a file name.`)):this.uploadManager.upload(t.name,t).catch((()=>{}))})),this.$refs.form.reset()},onCancel(){this.uploadManager.queue.forEach((t=>{t.cancel()})),this.$refs.form.reset()},updateStatus(){if(this.isPaused)return void(this.timeLeft=rt("paused"));const t=Math.round(this.eta.estimate());if(t!==1/0)if(t<10)this.timeLeft=rt("a few seconds left");else if(t>60){const e=new Date(0);e.setSeconds(t);const n=e.toISOString().slice(11,19);this.timeLeft=rt("{time} left",{time:n})}else this.timeLeft=rt("{seconds} seconds left",{seconds:t});else this.timeLeft=rt("estimating time left")},setDestination(t){this.destination?(this.uploadManager.destination=t,this.newFileMenuEntries=(0,w.m1)(t)):Y.debug("Invalid destination")},onUploadCompletion(t){t.status===W.FAILED?this.$emit("failed",t):this.$emit("uploaded",t)}}}),at=J(ot,(function(){var t=this,e=t._self._c;return t._self._setupProxy,t.destination?e("form",{ref:"form",staticClass:"upload-picker",class:{"upload-picker--uploading":t.isUploading,"upload-picker--paused":t.isPaused},attrs:{"data-cy-upload-picker":""}},[t.newFileMenuEntries&&0===t.newFileMenuEntries.length?e("NcButton",{attrs:{disabled:t.disabled,"data-cy-upload-picker-add":"",type:"secondary"},on:{click:t.onClick},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[t._v(" "+t._s(t.buttonName)+" ")]):e("NcActions",{attrs:{"menu-name":t.buttonName,"menu-title":t.addLabel,type:"secondary"},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[e("NcActionButton",{attrs:{"data-cy-upload-picker-add":"","close-after-click":!0},on:{click:t.onClick},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Upload",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,3606034491)},[t._v(" "+t._s(t.uploadLabel)+" ")]),t._l(t.newFileMenuEntries,(function(n){return e("NcActionButton",{key:n.id,staticClass:"upload-picker__menu-entry",attrs:{icon:n.iconClass,"close-after-click":!0},on:{click:function(e){return n.handler(t.destination,t.content)}},scopedSlots:t._u([n.iconSvgInline?{key:"icon",fn:function(){return[e("NcIconSvgWrapper",{attrs:{svg:n.iconSvgInline}})]},proxy:!0}:null],null,!0)},[t._v(" "+t._s(n.displayName)+" ")])}))],2),e("div",{directives:[{name:"show",rawName:"v-show",value:t.isUploading,expression:"isUploading"}],staticClass:"upload-picker__progress"},[e("NcProgressBar",{attrs:{"aria-label":t.progressLabel,"aria-describedby":t.progressTimeId,error:t.hasFailure,value:t.progress,size:"medium"}}),e("p",{attrs:{id:t.progressTimeId}},[t._v(" "+t._s(t.timeLeft)+" ")])],1),t.isUploading?e("NcButton",{staticClass:"upload-picker__cancel",attrs:{type:"tertiary","aria-label":t.cancelLabel,"data-cy-upload-picker-cancel":""},on:{click:t.onCancel},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Cancel",{attrs:{title:"",size:20}})]},proxy:!0}],null,!1,4076886712)}):t._e(),e("input",{directives:[{name:"show",rawName:"v-show",value:!1,expression:"false"}],ref:"input",attrs:{type:"file",accept:t.accept?.join?.(", "),multiple:t.multiple,"data-cy-upload-picker-input":""},on:{change:t.onPick}})],1):t._e()}),[],!1,null,"eca9500a",null,null).exports;let lt=null;function ct(){const t=null!==document.querySelector('input[name="isPublic"][value="1"]');return lt instanceof X||(lt=new X(t)),lt}async function dt(t,e,s){const i=(0,D.$V)((()=>Promise.all([n.e(4208),n.e(6075)]).then(n.bind(n,56075))));return new Promise(((n,r)=>{const o=new D.Ay({name:"ConflictPickerRoot",render:a=>a(i,{props:{dirname:t,conflicts:e,content:s},on:{submit(t){n(t),o.$destroy(),o.$el?.parentNode?.removeChild(o.$el)},cancel(t){r(t??new Error("Canceled")),o.$destroy(),o.$el?.parentNode?.removeChild(o.$el)}}})});o.$mount(),document.body.appendChild(o.$el)}))}function ut(t,e){const n=e.map((t=>t.basename));return t.filter((t=>{const e=t instanceof File?t.name:t.basename;return-1!==n.indexOf(e)})).length>0}},88164:(t,e,n)=>{"use strict";n.d(e,{Jv:()=>r,dC:()=>s});const s=(t,e)=>{var n;return(null!=(n=null==e?void 0:e.baseURL)?n:o())+(t=>"/remote.php/"+t)(t)},i=(t,e,n)=>{const s=Object.assign({escape:!0},n||{});return"/"!==t.charAt(0)&&(t="/"+t),i=(i=e||{})||{},t.replace(/{([^{}]*)}/g,(function(t,e){const n=i[e];return s.escape?encodeURIComponent("string"==typeof n||"number"==typeof n?n.toString():t):"string"==typeof n||"number"==typeof n?n.toString():t}));var i},r=(t,e,n)=>{var s,r,o;const l=Object.assign({noRewrite:!1},n||{}),c=null!=(s=null==n?void 0:n.baseURL)?s:a();return!0!==(null==(o=null==(r=null==window?void 0:window.OC)?void 0:r.config)?void 0:o.modRewriteWorking)||l.noRewrite?c+"/index.php"+i(t,e,n):c+i(t,e,n)},o=()=>window.location.protocol+"//"+window.location.host+a();function a(){let t=window._oc_webroot;if(typeof t>"u"){t=location.pathname;const e=t.indexOf("/index.php/");if(-1!==e)t=t.slice(0,e);else{const e=t.indexOf("/",1);t=t.slice(0,e>0?e:void 0)}}return t}},53110:(t,e,n)=>{"use strict";n.d(e,{k3:()=>o,pe:()=>r});var s=n(28893);const{Axios:i,AxiosError:r,CanceledError:o,isCancel:a,CancelToken:l,VERSION:c,all:d,Cancel:u,isAxiosError:m,spread:p,toFormData:f,AxiosHeaders:g,HttpStatusCode:h,formToJSON:v,getAdapter:A,mergeConfig:w}=s.A}},r={};function o(t){var e=r[t];if(void 0!==e)return e.exports;var n=r[t]={id:t,loaded:!1,exports:{}};return i[t].call(n.exports,n,n.exports,o),n.loaded=!0,n.exports}o.m=i,e=[],o.O=(t,n,s,i)=>{if(!n){var r=1/0;for(d=0;d<e.length;d++){n=e[d][0],s=e[d][1],i=e[d][2];for(var a=!0,l=0;l<n.length;l++)(!1&i||r>=i)&&Object.keys(o.O).every((t=>o.O[t](n[l])))?n.splice(l--,1):(a=!1,i<r&&(r=i));if(a){e.splice(d--,1);var c=s();void 0!==c&&(t=c)}}return t}i=i||0;for(var d=e.length;d>0&&e[d-1][2]>i;d--)e[d]=e[d-1];e[d]=[n,s,i]},o.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return o.d(e,{a:e}),e},o.d=(t,e)=>{for(var n in e)o.o(e,n)&&!o.o(t,n)&&Object.defineProperty(t,n,{enumerable:!0,get:e[n]})},o.f={},o.e=t=>Promise.all(Object.keys(o.f).reduce(((e,n)=>(o.f[n](t,e),e)),[])),o.u=t=>t+"-"+t+".js?v="+{1359:"0bf1b6d6403ca20a8e30",6075:"f8e1d39004c19c13e598",8618:"1e8f15db3b14455fef8f"}[t],o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),o.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),n={},s="nextcloud:",o.l=(t,e,i,r)=>{if(n[t])n[t].push(e);else{var a,l;if(void 0!==i)for(var c=document.getElementsByTagName("script"),d=0;d<c.length;d++){var u=c[d];if(u.getAttribute("src")==t||u.getAttribute("data-webpack")==s+i){a=u;break}}a||(l=!0,(a=document.createElement("script")).charset="utf-8",a.timeout=120,o.nc&&a.setAttribute("nonce",o.nc),a.setAttribute("data-webpack",s+i),a.src=t),n[t]=[e];var m=(e,s)=>{a.onerror=a.onload=null,clearTimeout(p);var i=n[t];if(delete n[t],a.parentNode&&a.parentNode.removeChild(a),i&&i.forEach((t=>t(s))),e)return e(s)},p=setTimeout(m.bind(null,void 0,{type:"timeout",target:a}),12e4);a.onerror=m.bind(null,a.onerror),a.onload=m.bind(null,a.onload),l&&document.head.appendChild(a)}},o.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},o.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),o.j=2882,(()=>{var t;o.g.importScripts&&(t=o.g.location+"");var e=o.g.document;if(!t&&e&&(e.currentScript&&(t=e.currentScript.src),!t)){var n=e.getElementsByTagName("script");if(n.length)for(var s=n.length-1;s>-1&&(!t||!/^http(s?):/.test(t));)t=n[s--].src}if(!t)throw new Error("Automatic publicPath is not supported in this browser");t=t.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),o.p=t})(),(()=>{o.b=document.baseURI||self.location.href;var t={2882:0};o.f.j=(e,n)=>{var s=o.o(t,e)?t[e]:void 0;if(0!==s)if(s)n.push(s[2]);else{var i=new Promise(((n,i)=>s=t[e]=[n,i]));n.push(s[2]=i);var r=o.p+o.u(e),a=new Error;o.l(r,(n=>{if(o.o(t,e)&&(0!==(s=t[e])&&(t[e]=void 0),s)){var i=n&&("load"===n.type?"missing":n.type),r=n&&n.target&&n.target.src;a.message="Loading chunk "+e+" failed.\n("+i+": "+r+")",a.name="ChunkLoadError",a.type=i,a.request=r,s[1](a)}}),"chunk-"+e,e)}},o.O.j=e=>0===t[e];var e=(e,n)=>{var s,i,r=n[0],a=n[1],l=n[2],c=0;if(r.some((e=>0!==t[e]))){for(s in a)o.o(a,s)&&(o.m[s]=a[s]);if(l)var d=l(o)}for(e&&e(n);c<r.length;c++)i=r[c],o.o(t,i)&&t[i]&&t[i][0](),t[i]=0;return o.O(d)},n=self.webpackChunknextcloud=self.webpackChunknextcloud||[];n.forEach(e.bind(null,0)),n.push=e.bind(null,n.push.bind(n))})(),o.nc=void 0;var a=o.O(void 0,[4208],(()=>o(3186)));a=o.O(a)})();
-//# sourceMappingURL=files-main.js.map?v=b08ba9ba4fe4336cdb81 \ No newline at end of file
+(()=>{var e,n,s,i={9052:t=>{"use strict";var e=Object.prototype.hasOwnProperty,n="~";function s(){}function i(t,e,n){this.fn=t,this.context=e,this.once=n||!1}function r(t,e,s,r,o){if("function"!=typeof s)throw new TypeError("The listener must be a function");var a=new i(s,r||t,o),l=n?n+e:e;return t._events[l]?t._events[l].fn?t._events[l]=[t._events[l],a]:t._events[l].push(a):(t._events[l]=a,t._eventsCount++),t}function o(t,e){0==--t._eventsCount?t._events=new s:delete t._events[e]}function a(){this._events=new s,this._eventsCount=0}Object.create&&(s.prototype=Object.create(null),(new s).__proto__||(n=!1)),a.prototype.eventNames=function(){var t,s,i=[];if(0===this._eventsCount)return i;for(s in t=this._events)e.call(t,s)&&i.push(n?s.slice(1):s);return Object.getOwnPropertySymbols?i.concat(Object.getOwnPropertySymbols(t)):i},a.prototype.listeners=function(t){var e=n?n+t:t,s=this._events[e];if(!s)return[];if(s.fn)return[s.fn];for(var i=0,r=s.length,o=new Array(r);i<r;i++)o[i]=s[i].fn;return o},a.prototype.listenerCount=function(t){var e=n?n+t:t,s=this._events[e];return s?s.fn?1:s.length:0},a.prototype.emit=function(t,e,s,i,r,o){var a=n?n+t:t;if(!this._events[a])return!1;var l,c,d=this._events[a],u=arguments.length;if(d.fn){switch(d.once&&this.removeListener(t,d.fn,void 0,!0),u){case 1:return d.fn.call(d.context),!0;case 2:return d.fn.call(d.context,e),!0;case 3:return d.fn.call(d.context,e,s),!0;case 4:return d.fn.call(d.context,e,s,i),!0;case 5:return d.fn.call(d.context,e,s,i,r),!0;case 6:return d.fn.call(d.context,e,s,i,r,o),!0}for(c=1,l=new Array(u-1);c<u;c++)l[c-1]=arguments[c];d.fn.apply(d.context,l)}else{var m,p=d.length;for(c=0;c<p;c++)switch(d[c].once&&this.removeListener(t,d[c].fn,void 0,!0),u){case 1:d[c].fn.call(d[c].context);break;case 2:d[c].fn.call(d[c].context,e);break;case 3:d[c].fn.call(d[c].context,e,s);break;case 4:d[c].fn.call(d[c].context,e,s,i);break;default:if(!l)for(m=1,l=new Array(u-1);m<u;m++)l[m-1]=arguments[m];d[c].fn.apply(d[c].context,l)}}return!0},a.prototype.on=function(t,e,n){return r(this,t,e,n,!1)},a.prototype.once=function(t,e,n){return r(this,t,e,n,!0)},a.prototype.removeListener=function(t,e,s,i){var r=n?n+t:t;if(!this._events[r])return this;if(!e)return o(this,r),this;var a=this._events[r];if(a.fn)a.fn!==e||i&&!a.once||s&&a.context!==s||o(this,r);else{for(var l=0,c=[],d=a.length;l<d;l++)(a[l].fn!==e||i&&!a[l].once||s&&a[l].context!==s)&&c.push(a[l]);c.length?this._events[r]=1===c.length?c[0]:c:o(this,r)}return this},a.prototype.removeAllListeners=function(t){var e;return t?(e=n?n+t:t,this._events[e]&&o(this,e)):(this._events=new s,this._eventsCount=0),this},a.prototype.off=a.prototype.removeListener,a.prototype.addListener=a.prototype.on,a.prefixed=n,a.EventEmitter=a,t.exports=a},4737:(e,n,s)=>{"use strict";var i={};s.r(i),s.d(i,{exclude:()=>St,extract:()=>Ct,parse:()=>xt,parseUrl:()=>Tt,pick:()=>Et,stringify:()=>_t,stringifyUrl:()=>kt});var r=s(19166),o=s(63757),a=s(96763);let l;const c=t=>l=t,d=Symbol();function u(t){return t&&"object"==typeof t&&"[object Object]"===Object.prototype.toString.call(t)&&"function"!=typeof t.toJSON}var m;!function(t){t.direct="direct",t.patchObject="patch object",t.patchFunction="patch function"}(m||(m={}));const p="undefined"!=typeof window,f="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&p,g=(()=>"object"==typeof window&&window.window===window?window:"object"==typeof self&&self.self===self?self:"object"==typeof global&&global.global===global?global:"object"==typeof globalThis?globalThis:{HTMLElement:null})();function h(t,e,n){const s=new XMLHttpRequest;s.open("GET",t),s.responseType="blob",s.onload=function(){b(s.response,e,n)},s.onerror=function(){a.error("could not download file")},s.send()}function v(t){const e=new XMLHttpRequest;e.open("HEAD",t,!1);try{e.send()}catch(t){}return e.status>=200&&e.status<=299}function A(t){try{t.dispatchEvent(new MouseEvent("click"))}catch(e){const n=document.createEvent("MouseEvents");n.initMouseEvent("click",!0,!0,window,0,0,0,80,20,!1,!1,!1,!1,0,null),t.dispatchEvent(n)}}const w="object"==typeof navigator?navigator:{userAgent:""},y=(()=>/Macintosh/.test(w.userAgent)&&/AppleWebKit/.test(w.userAgent)&&!/Safari/.test(w.userAgent))(),b=p?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!y?function(t,e="download",n){const s=document.createElement("a");s.download=e,s.rel="noopener","string"==typeof t?(s.href=t,s.origin!==location.origin?v(s.href)?h(t,e,n):(s.target="_blank",A(s)):A(s)):(s.href=URL.createObjectURL(t),setTimeout((function(){URL.revokeObjectURL(s.href)}),4e4),setTimeout((function(){A(s)}),0))}:"msSaveOrOpenBlob"in w?function(t,e="download",n){if("string"==typeof t)if(v(t))h(t,e,n);else{const e=document.createElement("a");e.href=t,e.target="_blank",setTimeout((function(){A(e)}))}else navigator.msSaveOrOpenBlob(function(t,{autoBom:e=!1}={}){return e&&/^\s*(?:text\/\S*|application\/xml|\S*\/\S*\+xml)\s*;.*charset\s*=\s*utf-8/i.test(t.type)?new Blob([String.fromCharCode(65279),t],{type:t.type}):t}(t,n),e)}:function(t,e,n,s){if((s=s||open("","_blank"))&&(s.document.title=s.document.body.innerText="downloading..."),"string"==typeof t)return h(t,e,n);const i="application/octet-stream"===t.type,r=/constructor/i.test(String(g.HTMLElement))||"safari"in g,o=/CriOS\/[\d]+/.test(navigator.userAgent);if((o||i&&r||y)&&"undefined"!=typeof FileReader){const e=new FileReader;e.onloadend=function(){let t=e.result;if("string"!=typeof t)throw s=null,new Error("Wrong reader.result type");t=o?t:t.replace(/^data:[^;]*;/,"data:attachment/file;"),s?s.location.href=t:location.assign(t),s=null},e.readAsDataURL(t)}else{const e=URL.createObjectURL(t);s?s.location.assign(e):location.href=e,s=null,setTimeout((function(){URL.revokeObjectURL(e)}),4e4)}}:()=>{};function C(t,e){const n="🍍 "+t;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(n,e):"error"===e?a.error(n):"warn"===e?a.warn(n):a.log(n)}function x(t){return"_a"in t&&"install"in t}function _(){if(!("clipboard"in navigator))return C("Your browser doesn't support the Clipboard API","error"),!0}function T(t){return!!(t instanceof Error&&t.message.toLowerCase().includes("document is not focused"))&&(C('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let k;function E(t,e){for(const n in e){const s=t.state.value[n];s?Object.assign(s,e[n]):t.state.value[n]=e[n]}}function S(t){return{_custom:{display:t}}}const L="🍍 Pinia (root)",N="_root";function F(t){return x(t)?{id:N,label:L}:{id:t.$id,label:t.$id}}function I(t){return t?Array.isArray(t)?t.reduce(((t,e)=>(t.keys.push(e.key),t.operations.push(e.type),t.oldValue[e.key]=e.oldValue,t.newValue[e.key]=e.newValue,t)),{oldValue:{},keys:[],operations:[],newValue:{}}):{operation:S(t.type),key:S(t.key),oldValue:t.oldValue,newValue:t.newValue}:{}}function P(t){switch(t){case m.direct:return"mutation";case m.patchFunction:case m.patchObject:return"$patch";default:return"unknown"}}let B=!0;const O=[],D="pinia:mutations",U="pinia",{assign:j}=Object,z=t=>"🍍 "+t;function M(t,e){(0,o.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:O,app:t},(n=>{"function"!=typeof n.now&&C("You seem to be using an outdated version of Vue Devtools. Are you still using the Beta release instead of the stable one? You can find the links at https://devtools.vuejs.org/guide/installation.html."),n.addTimelineLayer({id:D,label:"Pinia 🍍",color:15064968}),n.addInspector({id:U,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(t){if(!_())try{await navigator.clipboard.writeText(JSON.stringify(t.state.value)),C("Global state copied to clipboard.")}catch(t){if(T(t))return;C("Failed to serialize the state. Check the console for more details.","error"),a.error(t)}}(e)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(t){if(!_())try{E(t,JSON.parse(await navigator.clipboard.readText())),C("Global state pasted from clipboard.")}catch(t){if(T(t))return;C("Failed to deserialize the state from clipboard. Check the console for more details.","error"),a.error(t)}}(e),n.sendInspectorTree(U),n.sendInspectorState(U)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(t){try{b(new Blob([JSON.stringify(t.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(t){C("Failed to export the state as JSON. Check the console for more details.","error"),a.error(t)}}(e)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(t){try{const e=(k||(k=document.createElement("input"),k.type="file",k.accept=".json"),function(){return new Promise(((t,e)=>{k.onchange=async()=>{const e=k.files;if(!e)return t(null);const n=e.item(0);return t(n?{text:await n.text(),file:n}:null)},k.oncancel=()=>t(null),k.onerror=e,k.click()}))}),n=await e();if(!n)return;const{text:s,file:i}=n;E(t,JSON.parse(s)),C(`Global state imported from "${i.name}".`)}catch(t){C("Failed to import the state from JSON. Check the console for more details.","error"),a.error(t)}}(e),n.sendInspectorTree(U),n.sendInspectorState(U)},tooltip:"Import the state from a JSON file"}],nodeActions:[{icon:"restore",tooltip:'Reset the state (with "$reset")',action:t=>{const n=e._s.get(t);n?"function"!=typeof n.$reset?C(`Cannot reset "${t}" store because it doesn't have a "$reset" method implemented.`,"warn"):(n.$reset(),C(`Store "${t}" reset.`)):C(`Cannot reset "${t}" store because it wasn't found.`,"warn")}}]}),n.on.inspectComponent(((t,e)=>{const n=t.componentInstance&&t.componentInstance.proxy;if(n&&n._pStores){const e=t.componentInstance.proxy._pStores;Object.values(e).forEach((e=>{t.instanceData.state.push({type:z(e.$id),key:"state",editable:!0,value:e._isOptionsAPI?{_custom:{value:(0,r.ux)(e.$state),actions:[{icon:"restore",tooltip:"Reset the state of this store",action:()=>e.$reset()}]}}:Object.keys(e.$state).reduce(((t,n)=>(t[n]=e.$state[n],t)),{})}),e._getters&&e._getters.length&&t.instanceData.state.push({type:z(e.$id),key:"getters",editable:!1,value:e._getters.reduce(((t,n)=>{try{t[n]=e[n]}catch(e){t[n]=e}return t}),{})})}))}})),n.on.getInspectorTree((n=>{if(n.app===t&&n.inspectorId===U){let t=[e];t=t.concat(Array.from(e._s.values())),n.rootNodes=(n.filter?t.filter((t=>"$id"in t?t.$id.toLowerCase().includes(n.filter.toLowerCase()):L.toLowerCase().includes(n.filter.toLowerCase()))):t).map(F)}})),n.on.getInspectorState((n=>{if(n.app===t&&n.inspectorId===U){const t=n.nodeId===N?e:e._s.get(n.nodeId);if(!t)return;t&&(n.state=function(t){if(x(t)){const e=Array.from(t._s.keys()),n=t._s,s={state:e.map((e=>({editable:!0,key:e,value:t.state.value[e]}))),getters:e.filter((t=>n.get(t)._getters)).map((t=>{const e=n.get(t);return{editable:!1,key:t,value:e._getters.reduce(((t,n)=>(t[n]=e[n],t)),{})}}))};return s}const e={state:Object.keys(t.$state).map((e=>({editable:!0,key:e,value:t.$state[e]})))};return t._getters&&t._getters.length&&(e.getters=t._getters.map((e=>({editable:!1,key:e,value:t[e]})))),t._customProperties.size&&(e.customProperties=Array.from(t._customProperties).map((e=>({editable:!0,key:e,value:t[e]})))),e}(t))}})),n.on.editInspectorState(((n,s)=>{if(n.app===t&&n.inspectorId===U){const t=n.nodeId===N?e:e._s.get(n.nodeId);if(!t)return C(`store "${n.nodeId}" not found`,"error");const{path:s}=n;x(t)?s.unshift("state"):1===s.length&&t._customProperties.has(s[0])&&!(s[0]in t.$state)||s.unshift("$state"),B=!1,n.set(t,s,n.state.value),B=!0}})),n.on.editComponentState((t=>{if(t.type.startsWith("🍍")){const n=t.type.replace(/^🍍\s*/,""),s=e._s.get(n);if(!s)return C(`store "${n}" not found`,"error");const{path:i}=t;if("state"!==i[0])return C(`Invalid path for store "${n}":\n${i}\nOnly state can be modified.`);i[0]="$state",B=!1,t.set(s,i,t.state.value),B=!0}}))}))}let R,V=0;function $(t,e,n){const s=e.reduce(((e,n)=>(e[n]=(0,r.ux)(t)[n],e)),{});for(const e in s)t[e]=function(){const i=V,r=n?new Proxy(t,{get:(...t)=>(R=i,Reflect.get(...t)),set:(...t)=>(R=i,Reflect.set(...t))}):t;R=i;const o=s[e].apply(r,arguments);return R=void 0,o}}function q({app:t,store:e,options:n}){if(e.$id.startsWith("__hot:"))return;e._isOptionsAPI=!!n.state,$(e,Object.keys(n.actions),e._isOptionsAPI);const s=e._hotUpdate;(0,r.ux)(e)._hotUpdate=function(t){s.apply(this,arguments),$(e,Object.keys(t._hmrPayload.actions),!!e._isOptionsAPI)},function(t,e){O.includes(z(e.$id))||O.push(z(e.$id)),(0,o.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:O,app:t,settings:{logStoreChanges:{label:"Notify about new/deleted stores",type:"boolean",defaultValue:!0}}},(t=>{const n="function"==typeof t.now?t.now.bind(t):Date.now;e.$onAction((({after:s,onError:i,name:r,args:o})=>{const a=V++;t.addTimelineEvent({layerId:D,event:{time:n(),title:"🛫 "+r,subtitle:"start",data:{store:S(e.$id),action:S(r),args:o},groupId:a}}),s((s=>{R=void 0,t.addTimelineEvent({layerId:D,event:{time:n(),title:"🛬 "+r,subtitle:"end",data:{store:S(e.$id),action:S(r),args:o,result:s},groupId:a}})})),i((s=>{R=void 0,t.addTimelineEvent({layerId:D,event:{time:n(),logType:"error",title:"💥 "+r,subtitle:"end",data:{store:S(e.$id),action:S(r),args:o,error:s},groupId:a}})}))}),!0),e._customProperties.forEach((s=>{(0,r.wB)((()=>(0,r.R1)(e[s])),((e,i)=>{t.notifyComponentUpdate(),t.sendInspectorState(U),B&&t.addTimelineEvent({layerId:D,event:{time:n(),title:"Change",subtitle:s,data:{newValue:e,oldValue:i},groupId:R}})}),{deep:!0})})),e.$subscribe((({events:s,type:i},r)=>{if(t.notifyComponentUpdate(),t.sendInspectorState(U),!B)return;const o={time:n(),title:P(i),data:j({store:S(e.$id)},I(s)),groupId:R};i===m.patchFunction?o.subtitle="⤵️":i===m.patchObject?o.subtitle="🧩":s&&!Array.isArray(s)&&(o.subtitle=s.type),s&&(o.data["rawEvent(s)"]={_custom:{display:"DebuggerEvent",type:"object",tooltip:"raw DebuggerEvent[]",value:s}}),t.addTimelineEvent({layerId:D,event:o})}),{detached:!0,flush:"sync"});const s=e._hotUpdate;e._hotUpdate=(0,r.IG)((i=>{s(i),t.addTimelineEvent({layerId:D,event:{time:n(),title:"🔥 "+e.$id,subtitle:"HMR update",data:{store:S(e.$id),info:S("HMR update")}}}),t.notifyComponentUpdate(),t.sendInspectorTree(U),t.sendInspectorState(U)}));const{$dispose:i}=e;e.$dispose=()=>{i(),t.notifyComponentUpdate(),t.sendInspectorTree(U),t.sendInspectorState(U),t.getSettings().logStoreChanges&&C(`Disposed "${e.$id}" store 🗑`)},t.notifyComponentUpdate(),t.sendInspectorTree(U),t.sendInspectorState(U),t.getSettings().logStoreChanges&&C(`"${e.$id}" store installed 🆕`)}))}(t,e)}const H=()=>{};function W(t,e,n,s=H){t.push(e);const i=()=>{const n=t.indexOf(e);n>-1&&(t.splice(n,1),s())};return!n&&(0,r.o5)()&&(0,r.jr)(i),i}function G(t,...e){t.slice().forEach((t=>{t(...e)}))}const Y=t=>t();function K(t,e){t instanceof Map&&e instanceof Map&&e.forEach(((e,n)=>t.set(n,e))),t instanceof Set&&e instanceof Set&&e.forEach(t.add,t);for(const n in e){if(!e.hasOwnProperty(n))continue;const s=e[n],i=t[n];u(i)&&u(s)&&t.hasOwnProperty(n)&&!(0,r.i9)(s)&&!(0,r.g8)(s)?t[n]=K(i,s):t[n]=s}return t}const Q=Symbol(),X=new WeakMap,{assign:J}=Object;function Z(t,e,n={},s,i,o){let a;const l=J({actions:{}},n),d={deep:!0};let p,g,h,v=[],A=[];const w=s.state.value[t];o||w||(r.LE?(0,r.hZ)(s.state.value,t,{}):s.state.value[t]={});const y=(0,r.KR)({});let b;function C(e){let n;p=g=!1,"function"==typeof e?(e(s.state.value[t]),n={type:m.patchFunction,storeId:t,events:h}):(K(s.state.value[t],e),n={type:m.patchObject,payload:e,storeId:t,events:h});const i=b=Symbol();(0,r.dY)().then((()=>{b===i&&(p=!0)})),g=!0,G(v,n,s.state.value[t])}const x=o?function(){const{state:t}=n,e=t?t():{};this.$patch((t=>{J(t,e)}))}:H;function _(e,n){return function(){c(s);const i=Array.from(arguments),r=[],o=[];let a;G(A,{args:i,name:e,store:E,after:function(t){r.push(t)},onError:function(t){o.push(t)}});try{a=n.apply(this&&this.$id===t?this:E,i)}catch(t){throw G(o,t),t}return a instanceof Promise?a.then((t=>(G(r,t),t))).catch((t=>(G(o,t),Promise.reject(t)))):(G(r,a),a)}}const T=(0,r.IG)({actions:{},getters:{},state:[],hotState:y}),k={_p:s,$id:t,$onAction:W.bind(null,A),$patch:C,$reset:x,$subscribe(e,n={}){const i=W(v,e,n.detached,(()=>o())),o=a.run((()=>(0,r.wB)((()=>s.state.value[t]),(s=>{("sync"===n.flush?g:p)&&e({storeId:t,type:m.direct,events:h},s)}),J({},d,n))));return i},$dispose:function(){a.stop(),v=[],A=[],s._s.delete(t)}};r.LE&&(k._r=!1);const E=(0,r.Kh)(f?J({_hmrPayload:T,_customProperties:(0,r.IG)(new Set)},k):k);s._s.set(t,E);const S=(s._a&&s._a.runWithContext||Y)((()=>s._e.run((()=>(a=(0,r.uY)()).run(e)))));for(const e in S){const n=S[e];if((0,r.i9)(n)&&(N=n,!(0,r.i9)(N)||!N.effect)||(0,r.g8)(n))o||(!w||(L=n,r.LE?X.has(L):u(L)&&L.hasOwnProperty(Q))||((0,r.i9)(n)?n.value=w[e]:K(n,w[e])),r.LE?(0,r.hZ)(s.state.value[t],e,n):s.state.value[t][e]=n);else if("function"==typeof n){const t=_(e,n);r.LE?(0,r.hZ)(S,e,t):S[e]=t,l.actions[e]=n}}var L,N;if(r.LE?Object.keys(S).forEach((t=>{(0,r.hZ)(E,t,S[t])})):(J(E,S),J((0,r.ux)(E),S)),Object.defineProperty(E,"$state",{get:()=>s.state.value[t],set:t=>{C((e=>{J(e,t)}))}}),f){const t={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((e=>{Object.defineProperty(E,e,J({value:E[e]},t))}))}return r.LE&&(E._r=!0),s._p.forEach((t=>{if(f){const e=a.run((()=>t({store:E,app:s._a,pinia:s,options:l})));Object.keys(e||{}).forEach((t=>E._customProperties.add(t))),J(E,e)}else J(E,a.run((()=>t({store:E,app:s._a,pinia:s,options:l}))))})),w&&o&&n.hydrate&&n.hydrate(E.$state,w),p=!0,g=!0,E}function tt(t,e,n){let s,i;const o="function"==typeof e;function a(t,n){const a=(0,r.PS)();return(t=t||(a?(0,r.WQ)(d,null):null))&&c(t),(t=l)._s.has(s)||(o?Z(s,e,i,t):function(t,e,n,s){const{state:i,actions:o,getters:a}=e,l=n.state.value[t];let d;d=Z(t,(function(){l||(r.LE?(0,r.hZ)(n.state.value,t,i?i():{}):n.state.value[t]=i?i():{});const e=(0,r.QW)(n.state.value[t]);return J(e,o,Object.keys(a||{}).reduce(((e,s)=>(e[s]=(0,r.IG)((0,r.EW)((()=>{c(n);const e=n._s.get(t);if(!r.LE||e._r)return a[s].call(e,e)}))),e)),{}))}),e,n,0,!0)}(s,i,t)),t._s.get(s)}return"string"==typeof t?(s=t,i=o?n:e):(i=t,s=t.id),a.$id=s,a}var et=s(35810),nt=s(92457),st=s(85471);const it=function(){const t=(0,r.uY)(!0),e=t.run((()=>(0,r.KR)({})));let n=[],s=[];const i=(0,r.IG)({install(t){c(i),r.LE||(i._a=t,t.provide(d,i),t.config.globalProperties.$pinia=i,f&&M(t,i),s.forEach((t=>n.push(t))),s=[])},use(t){return this._a||r.LE?n.push(t):s.push(t),this},_p:n,_a:null,_e:t,_s:new Map,state:e});return f&&"undefined"!=typeof Proxy&&i.use(q),i}();var rt=s(99498);const ot="%[a-f0-9]{2}",at=new RegExp("("+ot+")|([^%]+?)","gi"),lt=new RegExp("("+ot+")+","gi");function ct(t,e){try{return[decodeURIComponent(t.join(""))]}catch{}if(1===t.length)return t;e=e||1;const n=t.slice(0,e),s=t.slice(e);return Array.prototype.concat.call([],ct(n),ct(s))}function dt(t){try{return decodeURIComponent(t)}catch{let e=t.match(at)||[];for(let n=1;n<e.length;n++)e=(t=ct(e,n).join("")).match(at)||[];return t}}function ut(t,e){if("string"!=typeof t||"string"!=typeof e)throw new TypeError("Expected the arguments to be of type `string`");if(""===t||""===e)return[];const n=t.indexOf(e);return-1===n?[]:[t.slice(0,n),t.slice(n+e.length)]}function mt(t,e){const n={};if(Array.isArray(e))for(const s of e){const e=Object.getOwnPropertyDescriptor(t,s);e?.enumerable&&Object.defineProperty(n,s,e)}else for(const s of Reflect.ownKeys(t)){const i=Object.getOwnPropertyDescriptor(t,s);i.enumerable&&e(s,t[s],t)&&Object.defineProperty(n,s,i)}return n}const pt=t=>null==t,ft=t=>encodeURIComponent(t).replace(/[!'()*]/g,(t=>`%${t.charCodeAt(0).toString(16).toUpperCase()}`)),gt=Symbol("encodeFragmentIdentifier");function ht(t){if("string"!=typeof t||1!==t.length)throw new TypeError("arrayFormatSeparator must be single character string")}function vt(t,e){return e.encode?e.strict?ft(t):encodeURIComponent(t):t}function At(t,e){return e.decode?function(t){if("string"!=typeof t)throw new TypeError("Expected `encodedURI` to be of type `string`, got `"+typeof t+"`");try{return decodeURIComponent(t)}catch{return function(t){const e={"%FE%FF":"��","%FF%FE":"��"};let n=lt.exec(t);for(;n;){try{e[n[0]]=decodeURIComponent(n[0])}catch{const t=dt(n[0]);t!==n[0]&&(e[n[0]]=t)}n=lt.exec(t)}e["%C2"]="�";const s=Object.keys(e);for(const n of s)t=t.replace(new RegExp(n,"g"),e[n]);return t}(t)}}(t):t}function wt(t){return Array.isArray(t)?t.sort():"object"==typeof t?wt(Object.keys(t)).sort(((t,e)=>Number(t)-Number(e))).map((e=>t[e])):t}function yt(t){const e=t.indexOf("#");return-1!==e&&(t=t.slice(0,e)),t}function bt(t,e){return e.parseNumbers&&!Number.isNaN(Number(t))&&"string"==typeof t&&""!==t.trim()?t=Number(t):!e.parseBooleans||null===t||"true"!==t.toLowerCase()&&"false"!==t.toLowerCase()||(t="true"===t.toLowerCase()),t}function Ct(t){const e=(t=yt(t)).indexOf("?");return-1===e?"":t.slice(e+1)}function xt(t,e){ht((e={decode:!0,sort:!0,arrayFormat:"none",arrayFormatSeparator:",",parseNumbers:!1,parseBooleans:!1,...e}).arrayFormatSeparator);const n=function(t){let e;switch(t.arrayFormat){case"index":return(t,n,s)=>{e=/\[(\d*)]$/.exec(t),t=t.replace(/\[\d*]$/,""),e?(void 0===s[t]&&(s[t]={}),s[t][e[1]]=n):s[t]=n};case"bracket":return(t,n,s)=>{e=/(\[])$/.exec(t),t=t.replace(/\[]$/,""),e?void 0!==s[t]?s[t]=[...s[t],n]:s[t]=[n]:s[t]=n};case"colon-list-separator":return(t,n,s)=>{e=/(:list)$/.exec(t),t=t.replace(/:list$/,""),e?void 0!==s[t]?s[t]=[...s[t],n]:s[t]=[n]:s[t]=n};case"comma":case"separator":return(e,n,s)=>{const i="string"==typeof n&&n.includes(t.arrayFormatSeparator),r="string"==typeof n&&!i&&At(n,t).includes(t.arrayFormatSeparator);n=r?At(n,t):n;const o=i||r?n.split(t.arrayFormatSeparator).map((e=>At(e,t))):null===n?n:At(n,t);s[e]=o};case"bracket-separator":return(e,n,s)=>{const i=/(\[])$/.test(e);if(e=e.replace(/\[]$/,""),!i)return void(s[e]=n?At(n,t):n);const r=null===n?[]:n.split(t.arrayFormatSeparator).map((e=>At(e,t)));void 0!==s[e]?s[e]=[...s[e],...r]:s[e]=r};default:return(t,e,n)=>{void 0!==n[t]?n[t]=[...[n[t]].flat(),e]:n[t]=e}}}(e),s=Object.create(null);if("string"!=typeof t)return s;if(!(t=t.trim().replace(/^[?#&]/,"")))return s;for(const i of t.split("&")){if(""===i)continue;const t=e.decode?i.replace(/\+/g," "):i;let[r,o]=ut(t,"=");void 0===r&&(r=t),o=void 0===o?null:["comma","separator","bracket-separator"].includes(e.arrayFormat)?o:At(o,e),n(At(r,e),o,s)}for(const[t,n]of Object.entries(s))if("object"==typeof n&&null!==n)for(const[t,s]of Object.entries(n))n[t]=bt(s,e);else s[t]=bt(n,e);return!1===e.sort?s:(!0===e.sort?Object.keys(s).sort():Object.keys(s).sort(e.sort)).reduce(((t,e)=>{const n=s[e];return t[e]=Boolean(n)&&"object"==typeof n&&!Array.isArray(n)?wt(n):n,t}),Object.create(null))}function _t(t,e){if(!t)return"";ht((e={encode:!0,strict:!0,arrayFormat:"none",arrayFormatSeparator:",",...e}).arrayFormatSeparator);const n=n=>e.skipNull&&pt(t[n])||e.skipEmptyString&&""===t[n],s=function(t){switch(t.arrayFormat){case"index":return e=>(n,s)=>{const i=n.length;return void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[vt(e,t),"[",i,"]"].join("")]:[...n,[vt(e,t),"[",vt(i,t),"]=",vt(s,t)].join("")]};case"bracket":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[vt(e,t),"[]"].join("")]:[...n,[vt(e,t),"[]=",vt(s,t)].join("")];case"colon-list-separator":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[vt(e,t),":list="].join("")]:[...n,[vt(e,t),":list=",vt(s,t)].join("")];case"comma":case"separator":case"bracket-separator":{const e="bracket-separator"===t.arrayFormat?"[]=":"=";return n=>(s,i)=>void 0===i||t.skipNull&&null===i||t.skipEmptyString&&""===i?s:(i=null===i?"":i,0===s.length?[[vt(n,t),e,vt(i,t)].join("")]:[[s,vt(i,t)].join(t.arrayFormatSeparator)])}default:return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,vt(e,t)]:[...n,[vt(e,t),"=",vt(s,t)].join("")]}}(e),i={};for(const[e,s]of Object.entries(t))n(e)||(i[e]=s);const r=Object.keys(i);return!1!==e.sort&&r.sort(e.sort),r.map((n=>{const i=t[n];return void 0===i?"":null===i?vt(n,e):Array.isArray(i)?0===i.length&&"bracket-separator"===e.arrayFormat?vt(n,e)+"[]":i.reduce(s(n),[]).join("&"):vt(n,e)+"="+vt(i,e)})).filter((t=>t.length>0)).join("&")}function Tt(t,e){e={decode:!0,...e};let[n,s]=ut(t,"#");return void 0===n&&(n=t),{url:n?.split("?")?.[0]??"",query:xt(Ct(t),e),...e&&e.parseFragmentIdentifier&&s?{fragmentIdentifier:At(s,e)}:{}}}function kt(t,e){e={encode:!0,strict:!0,[gt]:!0,...e};const n=yt(t.url).split("?")[0]||"";let s=_t({...xt(Ct(t.url),{sort:!1}),...t.query},e);s&&(s=`?${s}`);let i=function(t){let e="";const n=t.indexOf("#");return-1!==n&&(e=t.slice(n)),e}(t.url);if(t.fragmentIdentifier){const s=new URL(n);s.hash=t.fragmentIdentifier,i=e[gt]?s.hash:`#${t.fragmentIdentifier}`}return`${n}${s}${i}`}function Et(t,e,n){n={parseFragmentIdentifier:!0,[gt]:!1,...n};const{url:s,query:i,fragmentIdentifier:r}=Tt(t,n);return kt({url:s,query:mt(i,e),fragmentIdentifier:r},n)}function St(t,e,n){return Et(t,Array.isArray(e)?t=>!e.includes(t):(t,n)=>!e(t,n),n)}const Lt=i;var Nt=s(96763);function Ft(t,e){for(var n in e)t[n]=e[n];return t}var It=/[!'()*]/g,Pt=function(t){return"%"+t.charCodeAt(0).toString(16)},Bt=/%2C/g,Ot=function(t){return encodeURIComponent(t).replace(It,Pt).replace(Bt,",")};function Dt(t){try{return decodeURIComponent(t)}catch(t){}return t}var Ut=function(t){return null==t||"object"==typeof t?t:String(t)};function jt(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach((function(t){var n=t.replace(/\+/g," ").split("="),s=Dt(n.shift()),i=n.length>0?Dt(n.join("=")):null;void 0===e[s]?e[s]=i:Array.isArray(e[s])?e[s].push(i):e[s]=[e[s],i]})),e):e}function zt(t){var e=t?Object.keys(t).map((function(e){var n=t[e];if(void 0===n)return"";if(null===n)return Ot(e);if(Array.isArray(n)){var s=[];return n.forEach((function(t){void 0!==t&&(null===t?s.push(Ot(e)):s.push(Ot(e)+"="+Ot(t)))})),s.join("&")}return Ot(e)+"="+Ot(n)})).filter((function(t){return t.length>0})).join("&"):null;return e?"?"+e:""}var Mt=/\/?$/;function Rt(t,e,n,s){var i=s&&s.options.stringifyQuery,r=e.query||{};try{r=Vt(r)}catch(t){}var o={name:e.name||t&&t.name,meta:t&&t.meta||{},path:e.path||"/",hash:e.hash||"",query:r,params:e.params||{},fullPath:Ht(e,i),matched:t?qt(t):[]};return n&&(o.redirectedFrom=Ht(n,i)),Object.freeze(o)}function Vt(t){if(Array.isArray(t))return t.map(Vt);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=Vt(t[n]);return e}return t}var $t=Rt(null,{path:"/"});function qt(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function Ht(t,e){var n=t.path,s=t.query;void 0===s&&(s={});var i=t.hash;return void 0===i&&(i=""),(n||"/")+(e||zt)(s)+i}function Wt(t,e,n){return e===$t?t===e:!!e&&(t.path&&e.path?t.path.replace(Mt,"")===e.path.replace(Mt,"")&&(n||t.hash===e.hash&&Gt(t.query,e.query)):!(!t.name||!e.name)&&t.name===e.name&&(n||t.hash===e.hash&&Gt(t.query,e.query)&&Gt(t.params,e.params)))}function Gt(t,e){if(void 0===t&&(t={}),void 0===e&&(e={}),!t||!e)return t===e;var n=Object.keys(t).sort(),s=Object.keys(e).sort();return n.length===s.length&&n.every((function(n,i){var r=t[n];if(s[i]!==n)return!1;var o=e[n];return null==r||null==o?r===o:"object"==typeof r&&"object"==typeof o?Gt(r,o):String(r)===String(o)}))}function Yt(t){for(var e=0;e<t.matched.length;e++){var n=t.matched[e];for(var s in n.instances){var i=n.instances[s],r=n.enteredCbs[s];if(i&&r){delete n.enteredCbs[s];for(var o=0;o<r.length;o++)i._isBeingDestroyed||r[o](i)}}}}var Kt={name:"RouterView",functional:!0,props:{name:{type:String,default:"default"}},render:function(t,e){var n=e.props,s=e.children,i=e.parent,r=e.data;r.routerView=!0;for(var o=i.$createElement,a=n.name,l=i.$route,c=i._routerViewCache||(i._routerViewCache={}),d=0,u=!1;i&&i._routerRoot!==i;){var m=i.$vnode?i.$vnode.data:{};m.routerView&&d++,m.keepAlive&&i._directInactive&&i._inactive&&(u=!0),i=i.$parent}if(r.routerViewDepth=d,u){var p=c[a],f=p&&p.component;return f?(p.configProps&&Qt(f,r,p.route,p.configProps),o(f,r,s)):o()}var g=l.matched[d],h=g&&g.components[a];if(!g||!h)return c[a]=null,o();c[a]={component:h},r.registerRouteInstance=function(t,e){var n=g.instances[a];(e&&n!==t||!e&&n===t)&&(g.instances[a]=e)},(r.hook||(r.hook={})).prepatch=function(t,e){g.instances[a]=e.componentInstance},r.hook.init=function(t){t.data.keepAlive&&t.componentInstance&&t.componentInstance!==g.instances[a]&&(g.instances[a]=t.componentInstance),Yt(l)};var v=g.props&&g.props[a];return v&&(Ft(c[a],{route:l,configProps:v}),Qt(h,r,l,v)),o(h,r,s)}};function Qt(t,e,n,s){var i=e.props=function(t,e){switch(typeof e){case"undefined":return;case"object":return e;case"function":return e(t);case"boolean":return e?t.params:void 0}}(n,s);if(i){i=e.props=Ft({},i);var r=e.attrs=e.attrs||{};for(var o in i)t.props&&o in t.props||(r[o]=i[o],delete i[o])}}function Xt(t,e,n){var s=t.charAt(0);if("/"===s)return t;if("?"===s||"#"===s)return e+t;var i=e.split("/");n&&i[i.length-1]||i.pop();for(var r=t.replace(/^\//,"").split("/"),o=0;o<r.length;o++){var a=r[o];".."===a?i.pop():"."!==a&&i.push(a)}return""!==i[0]&&i.unshift(""),i.join("/")}function Jt(t){return t.replace(/\/(?:\s*\/)+/g,"/")}var Zt=Array.isArray||function(t){return"[object Array]"==Object.prototype.toString.call(t)},te=function t(e,n,s){return Zt(n)||(s=n||s,n=[]),s=s||{},e instanceof RegExp?function(t,e){var n=t.source.match(/\((?!\?)/g);if(n)for(var s=0;s<n.length;s++)e.push({name:s,prefix:null,delimiter:null,optional:!1,repeat:!1,partial:!1,asterisk:!1,pattern:null});return de(t,e)}(e,n):Zt(e)?function(e,n,s){for(var i=[],r=0;r<e.length;r++)i.push(t(e[r],n,s).source);return de(new RegExp("(?:"+i.join("|")+")",ue(s)),n)}(e,n,s):function(t,e,n){return me(re(t,n),e,n)}(e,n,s)},ee=re,ne=ae,se=me,ie=new RegExp(["(\\\\.)","([\\/.])?(?:(?:\\:(\\w+)(?:\\(((?:\\\\.|[^\\\\()])+)\\))?|\\(((?:\\\\.|[^\\\\()])+)\\))([+*?])?|(\\*))"].join("|"),"g");function re(t,e){for(var n,s=[],i=0,r=0,o="",a=e&&e.delimiter||"/";null!=(n=ie.exec(t));){var l=n[0],c=n[1],d=n.index;if(o+=t.slice(r,d),r=d+l.length,c)o+=c[1];else{var u=t[r],m=n[2],p=n[3],f=n[4],g=n[5],h=n[6],v=n[7];o&&(s.push(o),o="");var A=null!=m&&null!=u&&u!==m,w="+"===h||"*"===h,y="?"===h||"*"===h,b=n[2]||a,C=f||g;s.push({name:p||i++,prefix:m||"",delimiter:b,optional:y,repeat:w,partial:A,asterisk:!!v,pattern:C?ce(C):v?".*":"[^"+le(b)+"]+?"})}}return r<t.length&&(o+=t.substr(r)),o&&s.push(o),s}function oe(t){return encodeURI(t).replace(/[\/?#]/g,(function(t){return"%"+t.charCodeAt(0).toString(16).toUpperCase()}))}function ae(t,e){for(var n=new Array(t.length),s=0;s<t.length;s++)"object"==typeof t[s]&&(n[s]=new RegExp("^(?:"+t[s].pattern+")$",ue(e)));return function(e,s){for(var i="",r=e||{},o=(s||{}).pretty?oe:encodeURIComponent,a=0;a<t.length;a++){var l=t[a];if("string"!=typeof l){var c,d=r[l.name];if(null==d){if(l.optional){l.partial&&(i+=l.prefix);continue}throw new TypeError('Expected "'+l.name+'" to be defined')}if(Zt(d)){if(!l.repeat)throw new TypeError('Expected "'+l.name+'" to not repeat, but received `'+JSON.stringify(d)+"`");if(0===d.length){if(l.optional)continue;throw new TypeError('Expected "'+l.name+'" to not be empty')}for(var u=0;u<d.length;u++){if(c=o(d[u]),!n[a].test(c))throw new TypeError('Expected all "'+l.name+'" to match "'+l.pattern+'", but received `'+JSON.stringify(c)+"`");i+=(0===u?l.prefix:l.delimiter)+c}}else{if(c=l.asterisk?encodeURI(d).replace(/[?#]/g,(function(t){return"%"+t.charCodeAt(0).toString(16).toUpperCase()})):o(d),!n[a].test(c))throw new TypeError('Expected "'+l.name+'" to match "'+l.pattern+'", but received "'+c+'"');i+=l.prefix+c}}else i+=l}return i}}function le(t){return t.replace(/([.+*?=^!:${}()[\]|\/\\])/g,"\\$1")}function ce(t){return t.replace(/([=!:$\/()])/g,"\\$1")}function de(t,e){return t.keys=e,t}function ue(t){return t&&t.sensitive?"":"i"}function me(t,e,n){Zt(e)||(n=e||n,e=[]);for(var s=(n=n||{}).strict,i=!1!==n.end,r="",o=0;o<t.length;o++){var a=t[o];if("string"==typeof a)r+=le(a);else{var l=le(a.prefix),c="(?:"+a.pattern+")";e.push(a),a.repeat&&(c+="(?:"+l+c+")*"),r+=c=a.optional?a.partial?l+"("+c+")?":"(?:"+l+"("+c+"))?":l+"("+c+")"}}var d=le(n.delimiter||"/"),u=r.slice(-d.length)===d;return s||(r=(u?r.slice(0,-d.length):r)+"(?:"+d+"(?=$))?"),r+=i?"$":s&&u?"":"(?="+d+"|$)",de(new RegExp("^"+r,ue(n)),e)}te.parse=ee,te.compile=function(t,e){return ae(re(t,e),e)},te.tokensToFunction=ne,te.tokensToRegExp=se;var pe=Object.create(null);function fe(t,e,n){e=e||{};try{var s=pe[t]||(pe[t]=te.compile(t));return"string"==typeof e.pathMatch&&(e[0]=e.pathMatch),s(e,{pretty:!0})}catch(t){return""}finally{delete e[0]}}function ge(t,e,n,s){var i="string"==typeof t?{path:t}:t;if(i._normalized)return i;if(i.name){var r=(i=Ft({},t)).params;return r&&"object"==typeof r&&(i.params=Ft({},r)),i}if(!i.path&&i.params&&e){(i=Ft({},i))._normalized=!0;var o=Ft(Ft({},e.params),i.params);if(e.name)i.name=e.name,i.params=o;else if(e.matched.length){var a=e.matched[e.matched.length-1].path;i.path=fe(a,o,e.path)}return i}var l=function(t){var e="",n="",s=t.indexOf("#");s>=0&&(e=t.slice(s),t=t.slice(0,s));var i=t.indexOf("?");return i>=0&&(n=t.slice(i+1),t=t.slice(0,i)),{path:t,query:n,hash:e}}(i.path||""),c=e&&e.path||"/",d=l.path?Xt(l.path,c,n||i.append):c,u=function(t,e,n){void 0===e&&(e={});var s,i=n||jt;try{s=i(t||"")}catch(t){s={}}for(var r in e){var o=e[r];s[r]=Array.isArray(o)?o.map(Ut):Ut(o)}return s}(l.query,i.query,s&&s.options.parseQuery),m=i.hash||l.hash;return m&&"#"!==m.charAt(0)&&(m="#"+m),{_normalized:!0,path:d,query:u,hash:m}}var he,ve=function(){},Ae={name:"RouterLink",props:{to:{type:[String,Object],required:!0},tag:{type:String,default:"a"},custom:Boolean,exact:Boolean,exactPath:Boolean,append:Boolean,replace:Boolean,activeClass:String,exactActiveClass:String,ariaCurrentValue:{type:String,default:"page"},event:{type:[String,Array],default:"click"}},render:function(t){var e=this,n=this.$router,s=this.$route,i=n.resolve(this.to,s,this.append),r=i.location,o=i.route,a=i.href,l={},c=n.options.linkActiveClass,d=n.options.linkExactActiveClass,u=null==c?"router-link-active":c,m=null==d?"router-link-exact-active":d,p=null==this.activeClass?u:this.activeClass,f=null==this.exactActiveClass?m:this.exactActiveClass,g=o.redirectedFrom?Rt(null,ge(o.redirectedFrom),null,n):o;l[f]=Wt(s,g,this.exactPath),l[p]=this.exact||this.exactPath?l[f]:function(t,e){return 0===t.path.replace(Mt,"/").indexOf(e.path.replace(Mt,"/"))&&(!e.hash||t.hash===e.hash)&&function(t,e){for(var n in e)if(!(n in t))return!1;return!0}(t.query,e.query)}(s,g);var h=l[f]?this.ariaCurrentValue:null,v=function(t){we(t)&&(e.replace?n.replace(r,ve):n.push(r,ve))},A={click:we};Array.isArray(this.event)?this.event.forEach((function(t){A[t]=v})):A[this.event]=v;var w={class:l},y=!this.$scopedSlots.$hasNormal&&this.$scopedSlots.default&&this.$scopedSlots.default({href:a,route:o,navigate:v,isActive:l[p],isExactActive:l[f]});if(y){if(1===y.length)return y[0];if(y.length>1||!y.length)return 0===y.length?t():t("span",{},y)}if("a"===this.tag)w.on=A,w.attrs={href:a,"aria-current":h};else{var b=ye(this.$slots.default);if(b){b.isStatic=!1;var C=b.data=Ft({},b.data);for(var x in C.on=C.on||{},C.on){var _=C.on[x];x in A&&(C.on[x]=Array.isArray(_)?_:[_])}for(var T in A)T in C.on?C.on[T].push(A[T]):C.on[T]=v;var k=b.data.attrs=Ft({},b.data.attrs);k.href=a,k["aria-current"]=h}else w.on=A}return t(this.tag,w,this.$slots.default)}};function we(t){if(!(t.metaKey||t.altKey||t.ctrlKey||t.shiftKey||t.defaultPrevented||void 0!==t.button&&0!==t.button)){if(t.currentTarget&&t.currentTarget.getAttribute){var e=t.currentTarget.getAttribute("target");if(/\b_blank\b/i.test(e))return}return t.preventDefault&&t.preventDefault(),!0}}function ye(t){if(t)for(var e,n=0;n<t.length;n++){if("a"===(e=t[n]).tag)return e;if(e.children&&(e=ye(e.children)))return e}}var be="undefined"!=typeof window;function Ce(t,e,n,s,i){var r=e||[],o=n||Object.create(null),a=s||Object.create(null);t.forEach((function(t){xe(r,o,a,t,i)}));for(var l=0,c=r.length;l<c;l++)"*"===r[l]&&(r.push(r.splice(l,1)[0]),c--,l--);return{pathList:r,pathMap:o,nameMap:a}}function xe(t,e,n,s,i,r){var o=s.path,a=s.name,l=s.pathToRegexpOptions||{},c=function(t,e,n){return n||(t=t.replace(/\/$/,"")),"/"===t[0]||null==e?t:Jt(e.path+"/"+t)}(o,i,l.strict);"boolean"==typeof s.caseSensitive&&(l.sensitive=s.caseSensitive);var d={path:c,regex:_e(c,l),components:s.components||{default:s.component},alias:s.alias?"string"==typeof s.alias?[s.alias]:s.alias:[],instances:{},enteredCbs:{},name:a,parent:i,matchAs:r,redirect:s.redirect,beforeEnter:s.beforeEnter,meta:s.meta||{},props:null==s.props?{}:s.components?s.props:{default:s.props}};if(s.children&&s.children.forEach((function(s){var i=r?Jt(r+"/"+s.path):void 0;xe(t,e,n,s,d,i)})),e[d.path]||(t.push(d.path),e[d.path]=d),void 0!==s.alias)for(var u=Array.isArray(s.alias)?s.alias:[s.alias],m=0;m<u.length;++m){var p={path:u[m],children:s.children};xe(t,e,n,p,i,d.path||"/")}a&&(n[a]||(n[a]=d))}function _e(t,e){return te(t,[],e)}function Te(t,e){var n=Ce(t),s=n.pathList,i=n.pathMap,r=n.nameMap;function o(t,n,o){var l=ge(t,n,!1,e),c=l.name;if(c){var d=r[c];if(!d)return a(null,l);var u=d.regex.keys.filter((function(t){return!t.optional})).map((function(t){return t.name}));if("object"!=typeof l.params&&(l.params={}),n&&"object"==typeof n.params)for(var m in n.params)!(m in l.params)&&u.indexOf(m)>-1&&(l.params[m]=n.params[m]);return l.path=fe(d.path,l.params),a(d,l,o)}if(l.path){l.params={};for(var p=0;p<s.length;p++){var f=s[p],g=i[f];if(ke(g.regex,l.path,l.params))return a(g,l,o)}}return a(null,l)}function a(t,n,s){return t&&t.redirect?function(t,n){var s=t.redirect,i="function"==typeof s?s(Rt(t,n,null,e)):s;if("string"==typeof i&&(i={path:i}),!i||"object"!=typeof i)return a(null,n);var l=i,c=l.name,d=l.path,u=n.query,m=n.hash,p=n.params;if(u=l.hasOwnProperty("query")?l.query:u,m=l.hasOwnProperty("hash")?l.hash:m,p=l.hasOwnProperty("params")?l.params:p,c)return r[c],o({_normalized:!0,name:c,query:u,hash:m,params:p},void 0,n);if(d){var f=function(t,e){return Xt(t,e.parent?e.parent.path:"/",!0)}(d,t);return o({_normalized:!0,path:fe(f,p),query:u,hash:m},void 0,n)}return a(null,n)}(t,s||n):t&&t.matchAs?function(t,e,n){var s=o({_normalized:!0,path:fe(n,e.params)});if(s){var i=s.matched,r=i[i.length-1];return e.params=s.params,a(r,e)}return a(null,e)}(0,n,t.matchAs):Rt(t,n,s,e)}return{match:o,addRoute:function(t,e){var n="object"!=typeof t?r[t]:void 0;Ce([e||t],s,i,r,n),n&&n.alias.length&&Ce(n.alias.map((function(t){return{path:t,children:[e]}})),s,i,r,n)},getRoutes:function(){return s.map((function(t){return i[t]}))},addRoutes:function(t){Ce(t,s,i,r)}}}function ke(t,e,n){var s=e.match(t);if(!s)return!1;if(!n)return!0;for(var i=1,r=s.length;i<r;++i){var o=t.keys[i-1];o&&(n[o.name||"pathMatch"]="string"==typeof s[i]?Dt(s[i]):s[i])}return!0}var Ee=be&&window.performance&&window.performance.now?window.performance:Date;function Se(){return Ee.now().toFixed(3)}var Le=Se();function Ne(){return Le}function Fe(t){return Le=t}var Ie=Object.create(null);function Pe(){"scrollRestoration"in window.history&&(window.history.scrollRestoration="manual");var t=window.location.protocol+"//"+window.location.host,e=window.location.href.replace(t,""),n=Ft({},window.history.state);return n.key=Ne(),window.history.replaceState(n,"",e),window.addEventListener("popstate",De),function(){window.removeEventListener("popstate",De)}}function Be(t,e,n,s){if(t.app){var i=t.options.scrollBehavior;i&&t.app.$nextTick((function(){var r=function(){var t=Ne();if(t)return Ie[t]}(),o=i.call(t,e,n,s?r:null);o&&("function"==typeof o.then?o.then((function(t){Re(t,r)})).catch((function(t){})):Re(o,r))}))}}function Oe(){var t=Ne();t&&(Ie[t]={x:window.pageXOffset,y:window.pageYOffset})}function De(t){Oe(),t.state&&t.state.key&&Fe(t.state.key)}function Ue(t){return ze(t.x)||ze(t.y)}function je(t){return{x:ze(t.x)?t.x:window.pageXOffset,y:ze(t.y)?t.y:window.pageYOffset}}function ze(t){return"number"==typeof t}var Me=/^#\d/;function Re(t,e){var n,s="object"==typeof t;if(s&&"string"==typeof t.selector){var i=Me.test(t.selector)?document.getElementById(t.selector.slice(1)):document.querySelector(t.selector);if(i){var r=t.offset&&"object"==typeof t.offset?t.offset:{};e=function(t,e){var n=document.documentElement.getBoundingClientRect(),s=t.getBoundingClientRect();return{x:s.left-n.left-e.x,y:s.top-n.top-e.y}}(i,r={x:ze((n=r).x)?n.x:0,y:ze(n.y)?n.y:0})}else Ue(t)&&(e=je(t))}else s&&Ue(t)&&(e=je(t));e&&("scrollBehavior"in document.documentElement.style?window.scrollTo({left:e.x,top:e.y,behavior:t.behavior}):window.scrollTo(e.x,e.y))}var Ve,$e=be&&(-1===(Ve=window.navigator.userAgent).indexOf("Android 2.")&&-1===Ve.indexOf("Android 4.0")||-1===Ve.indexOf("Mobile Safari")||-1!==Ve.indexOf("Chrome")||-1!==Ve.indexOf("Windows Phone"))&&window.history&&"function"==typeof window.history.pushState;function qe(t,e){Oe();var n=window.history;try{if(e){var s=Ft({},n.state);s.key=Ne(),n.replaceState(s,"",t)}else n.pushState({key:Fe(Se())},"",t)}catch(n){window.location[e?"replace":"assign"](t)}}function He(t){qe(t,!0)}var We={redirected:2,aborted:4,cancelled:8,duplicated:16};function Ge(t,e){return Ye(t,e,We.cancelled,'Navigation cancelled from "'+t.fullPath+'" to "'+e.fullPath+'" with a new navigation.')}function Ye(t,e,n,s){var i=new Error(s);return i._isRouter=!0,i.from=t,i.to=e,i.type=n,i}var Ke=["params","query","hash"];function Qe(t){return Object.prototype.toString.call(t).indexOf("Error")>-1}function Xe(t,e){return Qe(t)&&t._isRouter&&(null==e||t.type===e)}function Je(t,e,n){var s=function(i){i>=t.length?n():t[i]?e(t[i],(function(){s(i+1)})):s(i+1)};s(0)}function Ze(t,e){return tn(t.map((function(t){return Object.keys(t.components).map((function(n){return e(t.components[n],t.instances[n],t,n)}))})))}function tn(t){return Array.prototype.concat.apply([],t)}var en="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;function nn(t){var e=!1;return function(){for(var n=[],s=arguments.length;s--;)n[s]=arguments[s];if(!e)return e=!0,t.apply(this,n)}}var sn=function(t,e){this.router=t,this.base=function(t){if(!t)if(be){var e=document.querySelector("base");t=(t=e&&e.getAttribute("href")||"/").replace(/^https?:\/\/[^\/]+/,"")}else t="/";return"/"!==t.charAt(0)&&(t="/"+t),t.replace(/\/$/,"")}(e),this.current=$t,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[],this.listeners=[]};function rn(t,e,n,s){var i=Ze(t,(function(t,s,i,r){var o=function(t,e){return"function"!=typeof t&&(t=he.extend(t)),t.options[e]}(t,e);if(o)return Array.isArray(o)?o.map((function(t){return n(t,s,i,r)})):n(o,s,i,r)}));return tn(s?i.reverse():i)}function on(t,e){if(e)return function(){return t.apply(e,arguments)}}sn.prototype.listen=function(t){this.cb=t},sn.prototype.onReady=function(t,e){this.ready?t():(this.readyCbs.push(t),e&&this.readyErrorCbs.push(e))},sn.prototype.onError=function(t){this.errorCbs.push(t)},sn.prototype.transitionTo=function(t,e,n){var s,i=this;try{s=this.router.match(t,this.current)}catch(t){throw this.errorCbs.forEach((function(e){e(t)})),t}var r=this.current;this.confirmTransition(s,(function(){i.updateRoute(s),e&&e(s),i.ensureURL(),i.router.afterHooks.forEach((function(t){t&&t(s,r)})),i.ready||(i.ready=!0,i.readyCbs.forEach((function(t){t(s)})))}),(function(t){n&&n(t),t&&!i.ready&&(Xe(t,We.redirected)&&r===$t||(i.ready=!0,i.readyErrorCbs.forEach((function(e){e(t)}))))}))},sn.prototype.confirmTransition=function(t,e,n){var s=this,i=this.current;this.pending=t;var r,o,a=function(t){!Xe(t)&&Qe(t)&&(s.errorCbs.length?s.errorCbs.forEach((function(e){e(t)})):Nt.error(t)),n&&n(t)},l=t.matched.length-1,c=i.matched.length-1;if(Wt(t,i)&&l===c&&t.matched[l]===i.matched[c])return this.ensureURL(),t.hash&&Be(this.router,i,t,!1),a(((o=Ye(r=i,t,We.duplicated,'Avoided redundant navigation to current location: "'+r.fullPath+'".')).name="NavigationDuplicated",o));var d,u=function(t,e){var n,s=Math.max(t.length,e.length);for(n=0;n<s&&t[n]===e[n];n++);return{updated:e.slice(0,n),activated:e.slice(n),deactivated:t.slice(n)}}(this.current.matched,t.matched),m=u.updated,p=u.deactivated,f=u.activated,g=[].concat(function(t){return rn(t,"beforeRouteLeave",on,!0)}(p),this.router.beforeHooks,function(t){return rn(t,"beforeRouteUpdate",on)}(m),f.map((function(t){return t.beforeEnter})),(d=f,function(t,e,n){var s=!1,i=0,r=null;Ze(d,(function(t,e,o,a){if("function"==typeof t&&void 0===t.cid){s=!0,i++;var l,c=nn((function(e){var s;((s=e).__esModule||en&&"Module"===s[Symbol.toStringTag])&&(e=e.default),t.resolved="function"==typeof e?e:he.extend(e),o.components[a]=e,--i<=0&&n()})),d=nn((function(t){var e="Failed to resolve async component "+a+": "+t;r||(r=Qe(t)?t:new Error(e),n(r))}));try{l=t(c,d)}catch(t){d(t)}if(l)if("function"==typeof l.then)l.then(c,d);else{var u=l.component;u&&"function"==typeof u.then&&u.then(c,d)}}})),s||n()})),h=function(e,n){if(s.pending!==t)return a(Ge(i,t));try{e(t,i,(function(e){!1===e?(s.ensureURL(!0),a(function(t,e){return Ye(t,e,We.aborted,'Navigation aborted from "'+t.fullPath+'" to "'+e.fullPath+'" via a navigation guard.')}(i,t))):Qe(e)?(s.ensureURL(!0),a(e)):"string"==typeof e||"object"==typeof e&&("string"==typeof e.path||"string"==typeof e.name)?(a(function(t,e){return Ye(t,e,We.redirected,'Redirected when going from "'+t.fullPath+'" to "'+function(t){if("string"==typeof t)return t;if("path"in t)return t.path;var e={};return Ke.forEach((function(n){n in t&&(e[n]=t[n])})),JSON.stringify(e,null,2)}(e)+'" via a navigation guard.')}(i,t)),"object"==typeof e&&e.replace?s.replace(e):s.push(e)):n(e)}))}catch(t){a(t)}};Je(g,h,(function(){var n=function(t){return rn(t,"beforeRouteEnter",(function(t,e,n,s){return function(t,e,n){return function(s,i,r){return t(s,i,(function(t){"function"==typeof t&&(e.enteredCbs[n]||(e.enteredCbs[n]=[]),e.enteredCbs[n].push(t)),r(t)}))}}(t,n,s)}))}(f);Je(n.concat(s.router.resolveHooks),h,(function(){if(s.pending!==t)return a(Ge(i,t));s.pending=null,e(t),s.router.app&&s.router.app.$nextTick((function(){Yt(t)}))}))}))},sn.prototype.updateRoute=function(t){this.current=t,this.cb&&this.cb(t)},sn.prototype.setupListeners=function(){},sn.prototype.teardown=function(){this.listeners.forEach((function(t){t()})),this.listeners=[],this.current=$t,this.pending=null};var an=function(t){function e(e,n){t.call(this,e,n),this._startLocation=ln(this.base)}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.setupListeners=function(){var t=this;if(!(this.listeners.length>0)){var e=this.router,n=e.options.scrollBehavior,s=$e&&n;s&&this.listeners.push(Pe());var i=function(){var n=t.current,i=ln(t.base);t.current===$t&&i===t._startLocation||t.transitionTo(i,(function(t){s&&Be(e,t,n,!0)}))};window.addEventListener("popstate",i),this.listeners.push((function(){window.removeEventListener("popstate",i)}))}},e.prototype.go=function(t){window.history.go(t)},e.prototype.push=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){qe(Jt(s.base+t.fullPath)),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){He(Jt(s.base+t.fullPath)),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.ensureURL=function(t){if(ln(this.base)!==this.current.fullPath){var e=Jt(this.base+this.current.fullPath);t?qe(e):He(e)}},e.prototype.getCurrentLocation=function(){return ln(this.base)},e}(sn);function ln(t){var e=window.location.pathname,n=e.toLowerCase(),s=t.toLowerCase();return!t||n!==s&&0!==n.indexOf(Jt(s+"/"))||(e=e.slice(t.length)),(e||"/")+window.location.search+window.location.hash}var cn=function(t){function e(e,n,s){t.call(this,e,n),s&&function(t){var e=ln(t);if(!/^\/#/.test(e))return window.location.replace(Jt(t+"/#"+e)),!0}(this.base)||dn()}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.setupListeners=function(){var t=this;if(!(this.listeners.length>0)){var e=this.router.options.scrollBehavior,n=$e&&e;n&&this.listeners.push(Pe());var s=function(){var e=t.current;dn()&&t.transitionTo(un(),(function(s){n&&Be(t.router,s,e,!0),$e||fn(s.fullPath)}))},i=$e?"popstate":"hashchange";window.addEventListener(i,s),this.listeners.push((function(){window.removeEventListener(i,s)}))}},e.prototype.push=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){pn(t.fullPath),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var s=this,i=this.current;this.transitionTo(t,(function(t){fn(t.fullPath),Be(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.go=function(t){window.history.go(t)},e.prototype.ensureURL=function(t){var e=this.current.fullPath;un()!==e&&(t?pn(e):fn(e))},e.prototype.getCurrentLocation=function(){return un()},e}(sn);function dn(){var t=un();return"/"===t.charAt(0)||(fn("/"+t),!1)}function un(){var t=window.location.href,e=t.indexOf("#");return e<0?"":t=t.slice(e+1)}function mn(t){var e=window.location.href,n=e.indexOf("#");return(n>=0?e.slice(0,n):e)+"#"+t}function pn(t){$e?qe(mn(t)):window.location.hash=t}function fn(t){$e?He(mn(t)):window.location.replace(mn(t))}var gn=function(t){function e(e,n){t.call(this,e,n),this.stack=[],this.index=-1}return t&&(e.__proto__=t),e.prototype=Object.create(t&&t.prototype),e.prototype.constructor=e,e.prototype.push=function(t,e,n){var s=this;this.transitionTo(t,(function(t){s.stack=s.stack.slice(0,s.index+1).concat(t),s.index++,e&&e(t)}),n)},e.prototype.replace=function(t,e,n){var s=this;this.transitionTo(t,(function(t){s.stack=s.stack.slice(0,s.index).concat(t),e&&e(t)}),n)},e.prototype.go=function(t){var e=this,n=this.index+t;if(!(n<0||n>=this.stack.length)){var s=this.stack[n];this.confirmTransition(s,(function(){var t=e.current;e.index=n,e.updateRoute(s),e.router.afterHooks.forEach((function(e){e&&e(s,t)}))}),(function(t){Xe(t,We.duplicated)&&(e.index=n)}))}},e.prototype.getCurrentLocation=function(){var t=this.stack[this.stack.length-1];return t?t.fullPath:"/"},e.prototype.ensureURL=function(){},e}(sn),hn=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=Te(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!$e&&!1!==t.fallback,this.fallback&&(e="hash"),be||(e="abstract"),this.mode=e,e){case"history":this.history=new an(this,t.base);break;case"hash":this.history=new cn(this,t.base,this.fallback);break;case"abstract":this.history=new gn(this,t.base)}},vn={currentRoute:{configurable:!0}};hn.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},vn.currentRoute.get=function(){return this.history&&this.history.current},hn.prototype.init=function(t){var e=this;if(this.apps.push(t),t.$once("hook:destroyed",(function(){var n=e.apps.indexOf(t);n>-1&&e.apps.splice(n,1),e.app===t&&(e.app=e.apps[0]||null),e.app||e.history.teardown()})),!this.app){this.app=t;var n=this.history;if(n instanceof an||n instanceof cn){var s=function(t){n.setupListeners(),function(t){var s=n.current,i=e.options.scrollBehavior;$e&&i&&"fullPath"in t&&Be(e,t,s,!1)}(t)};n.transitionTo(n.getCurrentLocation(),s,s)}n.listen((function(t){e.apps.forEach((function(e){e._route=t}))}))}},hn.prototype.beforeEach=function(t){return wn(this.beforeHooks,t)},hn.prototype.beforeResolve=function(t){return wn(this.resolveHooks,t)},hn.prototype.afterEach=function(t){return wn(this.afterHooks,t)},hn.prototype.onReady=function(t,e){this.history.onReady(t,e)},hn.prototype.onError=function(t){this.history.onError(t)},hn.prototype.push=function(t,e,n){var s=this;if(!e&&!n&&"undefined"!=typeof Promise)return new Promise((function(e,n){s.history.push(t,e,n)}));this.history.push(t,e,n)},hn.prototype.replace=function(t,e,n){var s=this;if(!e&&!n&&"undefined"!=typeof Promise)return new Promise((function(e,n){s.history.replace(t,e,n)}));this.history.replace(t,e,n)},hn.prototype.go=function(t){this.history.go(t)},hn.prototype.back=function(){this.go(-1)},hn.prototype.forward=function(){this.go(1)},hn.prototype.getMatchedComponents=function(t){var e=t?t.matched?t:this.resolve(t).route:this.currentRoute;return e?[].concat.apply([],e.matched.map((function(t){return Object.keys(t.components).map((function(e){return t.components[e]}))}))):[]},hn.prototype.resolve=function(t,e,n){var s=ge(t,e=e||this.history.current,n,this),i=this.match(s,e),r=i.redirectedFrom||i.fullPath,o=function(t,e,n){var s="hash"===n?"#"+e:e;return t?Jt(t+"/"+s):s}(this.history.base,r,this.mode);return{location:s,route:i,href:o,normalizedTo:s,resolved:i}},hn.prototype.getRoutes=function(){return this.matcher.getRoutes()},hn.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==$t&&this.history.transitionTo(this.history.getCurrentLocation())},hn.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==$t&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(hn.prototype,vn);var An=hn;function wn(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}hn.install=function t(e){if(!t.installed||he!==e){t.installed=!0,he=e;var n=function(t){return void 0!==t},s=function(t,e){var s=t.$options._parentVnode;n(s)&&n(s=s.data)&&n(s=s.registerRouteInstance)&&s(t,e)};e.mixin({beforeCreate:function(){n(this.$options.router)?(this._routerRoot=this,this._router=this.$options.router,this._router.init(this),e.util.defineReactive(this,"_route",this._router.history.current)):this._routerRoot=this.$parent&&this.$parent._routerRoot||this,s(this,this)},destroyed:function(){s(this)}}),Object.defineProperty(e.prototype,"$router",{get:function(){return this._routerRoot._router}}),Object.defineProperty(e.prototype,"$route",{get:function(){return this._routerRoot._route}}),e.component("RouterView",Kt),e.component("RouterLink",Ae);var i=e.config.optionMergeStrategies;i.beforeRouteEnter=i.beforeRouteLeave=i.beforeRouteUpdate=i.created}},hn.version="3.6.5",hn.isNavigationFailure=Xe,hn.NavigationFailureType=We,hn.START_LOCATION=$t,be&&window.Vue&&window.Vue.use(hn),st.Ay.use(An);const yn=An.prototype.push;An.prototype.push=function(t,e,n){return e||n?yn.call(this,t,e,n):yn.call(this,t).catch((t=>t))};const bn=new An({mode:"history",base:(0,rt.Jv)("/apps/files"),linkActiveClass:"active",routes:[{path:"/",redirect:{name:"filelist",params:{view:"files"}}},{path:"/:view/:fileid(\\d+)?",name:"filelist",props:!0}],stringifyQuery(t){const e=Lt.stringify(t).replace(/%2F/gim,"/");return e?"?"+e:""}});function Cn(t,e,n){return(e=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(e))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}var xn=s(96763);var _n=s(22378),Tn=s(61338),kn=s(53334);const En={name:"CogIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}};var Sn=s(14486);const Ln=(0,Sn.A)(En,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon cog-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M12,15.5A3.5,3.5 0 0,1 8.5,12A3.5,3.5 0 0,1 12,8.5A3.5,3.5 0 0,1 15.5,12A3.5,3.5 0 0,1 12,15.5M19.43,12.97C19.47,12.65 19.5,12.33 19.5,12C19.5,11.67 19.47,11.34 19.43,11L21.54,9.37C21.73,9.22 21.78,8.95 21.66,8.73L19.66,5.27C19.54,5.05 19.27,4.96 19.05,5.05L16.56,6.05C16.04,5.66 15.5,5.32 14.87,5.07L14.5,2.42C14.46,2.18 14.25,2 14,2H10C9.75,2 9.54,2.18 9.5,2.42L9.13,5.07C8.5,5.32 7.96,5.66 7.44,6.05L4.95,5.05C4.73,4.96 4.46,5.05 4.34,5.27L2.34,8.73C2.21,8.95 2.27,9.22 2.46,9.37L4.57,11C4.53,11.34 4.5,11.67 4.5,12C4.5,12.33 4.53,12.65 4.57,12.97L2.46,14.63C2.27,14.78 2.21,15.05 2.34,15.27L4.34,18.73C4.46,18.95 4.73,19.03 4.95,18.95L7.44,17.94C7.96,18.34 8.5,18.68 9.13,18.93L9.5,21.58C9.54,21.82 9.75,22 10,22H14C14.25,22 14.46,21.82 14.5,21.58L14.87,18.93C15.5,18.67 16.04,18.34 16.56,17.94L19.05,18.95C19.27,19.03 19.54,18.95 19.66,18.73L21.66,15.27C21.78,15.05 21.73,14.78 21.54,14.63L19.43,12.97Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Nn=s(42530),Fn=s(52439),In=s(6695),Pn=s(38613),Bn=s(26287);const On=(0,Pn.C)("files","viewConfigs",{}),Dn=function(){const t=tt("viewconfig",{state:()=>({viewConfig:On}),getters:{getConfig:t=>e=>t.viewConfig[e]||{}},actions:{onUpdate(t,e,n){this.viewConfig[t]||st.Ay.set(this.viewConfig,t,{}),st.Ay.set(this.viewConfig[t],e,n)},async update(t,e,n){Bn.A.put((0,rt.Jv)("/apps/files/api/v1/views/".concat(t,"/").concat(e)),{value:n}),(0,Tn.Ic)("files:viewconfig:updated",{view:t,key:e,value:n})},setSortingBy(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"basename",e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"files";this.update(e,"sorting_mode",t),this.update(e,"sorting_direction","asc")},toggleSortingDirection(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"files";const e="asc"===(this.getConfig(t)||{sorting_direction:"asc"}).sorting_direction?"desc":"asc";this.update(t,"sorting_direction",e)}}}),e=t(...arguments);return e._initialized||((0,Tn.B1)("files:viewconfig:updated",(function(t){let{view:n,key:s,value:i}=t;e.onUpdate(n,s,i)})),e._initialized=!0),e},Un=(0,s(53529).YK)().setApp("files").detectUser().build();function jn(t,e,n){var s,i=n||{},r=i.noTrailing,o=void 0!==r&&r,a=i.noLeading,l=void 0!==a&&a,c=i.debounceMode,d=void 0===c?void 0:c,u=!1,m=0;function p(){s&&clearTimeout(s)}function f(){for(var n=arguments.length,i=new Array(n),r=0;r<n;r++)i[r]=arguments[r];var a=this,c=Date.now()-m;function f(){m=Date.now(),e.apply(a,i)}function g(){s=void 0}u||(l||!d||s||f(),p(),void 0===d&&c>t?l?(m=Date.now(),o||(s=setTimeout(d?g:f,t))):f():!0!==o&&(s=setTimeout(d?g:f,void 0===d?t-c:t)))}return f.cancel=function(t){var e=(t||{}).upcomingOnly,n=void 0!==e&&e;p(),u=!n},f}var zn=s(85168);const Mn={name:"ChartPieIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Rn=(0,Sn.A)(Mn,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon chart-pie-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M11,2V22C5.9,21.5 2,17.2 2,12C2,6.8 5.9,2.5 11,2M13,2V11H22C21.5,6.2 17.8,2.5 13,2M13,13V22C17.7,21.5 21.5,17.8 22,13H13Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Vn=s(95101);const $n={name:"NavigationQuota",components:{ChartPie:Rn,NcAppNavigationItem:Fn.A,NcProgressBar:Vn.A},data:()=>({loadingStorageStats:!1,storageStats:(0,Pn.C)("files","storageStats",null)}),computed:{storageStatsTitle(){var t,e,n;const s=(0,et.v7)(null===(t=this.storageStats)||void 0===t?void 0:t.used,!1,!1),i=(0,et.v7)(null===(e=this.storageStats)||void 0===e?void 0:e.quota,!1,!1);return(null===(n=this.storageStats)||void 0===n?void 0:n.quota)<0?this.t("files","{usedQuotaByte} used",{usedQuotaByte:s}):this.t("files","{used} of {quota} used",{used:s,quota:i})},storageStatsTooltip(){return this.storageStats.relative?this.t("files","{relative}% used",this.storageStats):""}},beforeMount(){setInterval(this.throttleUpdateStorageStats,6e4),(0,Tn.B1)("files:node:created",this.throttleUpdateStorageStats),(0,Tn.B1)("files:node:deleted",this.throttleUpdateStorageStats),(0,Tn.B1)("files:node:moved",this.throttleUpdateStorageStats),(0,Tn.B1)("files:node:updated",this.throttleUpdateStorageStats)},mounted(){var t,e;(null===(t=this.storageStats)||void 0===t?void 0:t.quota)>0&&(null===(e=this.storageStats)||void 0===e?void 0:e.free)<=0&&this.showStorageFullWarning()},methods:{debounceUpdateStorageStats:(qn={}.atBegin,jn(200,(function(t){this.updateStorageStats(t)}),{debounceMode:!1!==(void 0!==qn&&qn)})),throttleUpdateStorageStats:jn(1e3,(function(t){this.updateStorageStats(t)})),async updateStorageStats(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;if(!this.loadingStorageStats){this.loadingStorageStats=!0;try{var n,s,i,r;const t=await Bn.A.get((0,rt.Jv)("/apps/files/api/v1/stats"));if(null==t||null===(n=t.data)||void 0===n||!n.data)throw new Error("Invalid storage stats");(null===(s=this.storageStats)||void 0===s?void 0:s.free)>0&&(null===(i=t.data.data)||void 0===i?void 0:i.free)<=0&&(null===(r=t.data.data)||void 0===r?void 0:r.quota)>0&&this.showStorageFullWarning(),this.storageStats=t.data.data}catch(n){Un.error("Could not refresh storage stats",{error:n}),e&&(0,zn.Qg)(t("files","Could not refresh storage stats"))}finally{this.loadingStorageStats=!1}}},showStorageFullWarning(){(0,zn.Qg)(this.t("files","Your storage is full, files can not be updated or synced anymore!"))},t:kn.Tl}};var qn,Hn=s(85072),Wn=s.n(Hn),Gn=s(97825),Yn=s.n(Gn),Kn=s(77659),Qn=s.n(Kn),Xn=s(55056),Jn=s.n(Xn),Zn=s(10540),ts=s.n(Zn),es=s(41113),ns=s.n(es),ss=s(33149),is={};is.styleTagTransform=ns(),is.setAttributes=Jn(),is.insert=Qn().bind(null,"head"),is.domAPI=Yn(),is.insertStyleElement=ts(),Wn()(ss.A,is),ss.A&&ss.A.locals&&ss.A.locals;const rs=(0,Sn.A)($n,(function(){var t=this,e=t._self._c;return t.storageStats?e("NcAppNavigationItem",{staticClass:"app-navigation-entry__settings-quota",class:{"app-navigation-entry__settings-quota--not-unlimited":t.storageStats.quota>=0},attrs:{"aria-label":t.t("files","Storage informations"),loading:t.loadingStorageStats,name:t.storageStatsTitle,title:t.storageStatsTooltip,"data-cy-files-navigation-settings-quota":""},on:{click:function(e){return e.stopPropagation(),e.preventDefault(),t.debounceUpdateStorageStats.apply(null,arguments)}}},[e("ChartPie",{attrs:{slot:"icon",size:20},slot:"icon"}),t._v(" "),t.storageStats.quota>=0?e("NcProgressBar",{attrs:{slot:"extra",error:t.storageStats.relative>80,value:Math.min(t.storageStats.relative,100)},slot:"extra"}):t._e()],1):t._e()}),[],!1,null,"063ed938",null).exports;var os=s(89902),as=s(947),ls=s(32073);const cs={name:"ClipboardIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},ds=(0,Sn.A)(cs,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon clipboard-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M19,3H14.82C14.4,1.84 13.3,1 12,1C10.7,1 9.6,1.84 9.18,3H5A2,2 0 0,0 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5A2,2 0 0,0 19,3M12,3A1,1 0 0,1 13,4A1,1 0 0,1 12,5A1,1 0 0,1 11,4A1,1 0 0,1 12,3"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var us=s(44492);const ms={name:"Setting",props:{el:{type:Function,required:!0}},mounted(){this.$el.appendChild(this.el())}},ps=(0,Sn.A)(ms,(function(){return(0,this._self._c)("div")}),[],!1,null,null,null).exports,fs=(0,Pn.C)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,sort_folders_first:!0,grid_view:!1}),gs=function(){const t=tt("userconfig",{state:()=>({userConfig:fs}),actions:{onUpdate(t,e){st.Ay.set(this.userConfig,t,e)},async update(t,e){await Bn.A.put((0,rt.Jv)("/apps/files/api/v1/config/"+t),{value:e}),(0,Tn.Ic)("files:config:updated",{key:t,value:e})}}})(...arguments);return t._initialized||((0,Tn.B1)("files:config:updated",(function(e){let{key:n,value:s}=e;t.onUpdate(n,s)})),t._initialized=!0),t},hs={name:"Settings",components:{Clipboard:ds,NcAppSettingsDialog:os.N,NcAppSettingsSection:as.A,NcCheckboxRadioSwitch:ls.A,NcInputField:us.A,Setting:ps},props:{open:{type:Boolean,default:!1}},setup:()=>({userConfigStore:gs()}),data(){var t,e,n;return{settings:(null===(t=window.OCA)||void 0===t||null===(t=t.Files)||void 0===t||null===(t=t.Settings)||void 0===t?void 0:t.settings)||[],webdavUrl:(0,rt.dC)("dav/files/"+encodeURIComponent(null===(e=(0,nt.HW)())||void 0===e?void 0:e.uid)),webdavDocs:"https://docs.nextcloud.com/server/stable/go.php?to=user-webdav",appPasswordUrl:(0,rt.Jv)("/settings/user/security#generate-app-token-section"),webdavUrlCopied:!1,enableGridView:null===(n=(0,Pn.C)("core","config",[])["enable_non-accessible_features"])||void 0===n||n}},computed:{userConfig(){return this.userConfigStore.userConfig}},beforeMount(){this.settings.forEach((t=>t.open()))},beforeDestroy(){this.settings.forEach((t=>t.close()))},methods:{onClose(){this.$emit("close")},setConfig(t,e){this.userConfigStore.update(t,e)},async copyCloudId(){document.querySelector("input#webdav-url-input").select(),navigator.clipboard?(await navigator.clipboard.writeText(this.webdavUrl),this.webdavUrlCopied=!0,(0,zn.Te)(t("files","WebDAV URL copied to clipboard")),setTimeout((()=>{this.webdavUrlCopied=!1}),5e3)):(0,zn.Qg)(t("files","Clipboard is not available"))},t:kn.Tl}},vs=hs;var As=s(83331),ws={};ws.styleTagTransform=ns(),ws.setAttributes=Jn(),ws.insert=Qn().bind(null,"head"),ws.domAPI=Yn(),ws.insertStyleElement=ts(),Wn()(As.A,ws),As.A&&As.A.locals&&As.A.locals;const ys=(0,Sn.A)(vs,(function(){var t=this,e=t._self._c;return e("NcAppSettingsDialog",{attrs:{"data-cy-files-navigation-settings":"",open:t.open,"show-navigation":!0,name:t.t("files","Files settings")},on:{"update:open":t.onClose}},[e("NcAppSettingsSection",{attrs:{id:"settings",name:t.t("files","Files settings")}},[e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"sort_favorites_first",checked:t.userConfig.sort_favorites_first},on:{"update:checked":function(e){return t.setConfig("sort_favorites_first",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Sort favorites first"))+"\n\t\t")]),t._v(" "),e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"sort_folders_first",checked:t.userConfig.sort_folders_first},on:{"update:checked":function(e){return t.setConfig("sort_folders_first",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Sort folders before files"))+"\n\t\t")]),t._v(" "),e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"show_hidden",checked:t.userConfig.show_hidden},on:{"update:checked":function(e){return t.setConfig("show_hidden",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Show hidden files"))+"\n\t\t")]),t._v(" "),e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"crop_image_previews",checked:t.userConfig.crop_image_previews},on:{"update:checked":function(e){return t.setConfig("crop_image_previews",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Crop image previews"))+"\n\t\t")]),t._v(" "),t.enableGridView?e("NcCheckboxRadioSwitch",{attrs:{"data-cy-files-settings-setting":"grid_view",checked:t.userConfig.grid_view},on:{"update:checked":function(e){return t.setConfig("grid_view",e)}}},[t._v("\n\t\t\t"+t._s(t.t("files","Enable the grid view"))+"\n\t\t")]):t._e()],1),t._v(" "),0!==t.settings.length?e("NcAppSettingsSection",{attrs:{id:"more-settings",name:t.t("files","Additional settings")}},[t._l(t.settings,(function(t){return[e("Setting",{key:t.name,attrs:{el:t.el}})]}))],2):t._e(),t._v(" "),e("NcAppSettingsSection",{attrs:{id:"webdav",name:t.t("files","WebDAV")}},[e("NcInputField",{attrs:{id:"webdav-url-input",label:t.t("files","WebDAV URL"),"show-trailing-button":!0,success:t.webdavUrlCopied,"trailing-button-label":t.t("files","Copy to clipboard"),value:t.webdavUrl,readonly:"readonly",type:"url"},on:{focus:function(t){return t.target.select()},"trailing-button-click":t.copyCloudId},scopedSlots:t._u([{key:"trailing-button-icon",fn:function(){return[e("Clipboard",{attrs:{size:20}})]},proxy:!0}])}),t._v(" "),e("em",[e("a",{staticClass:"setting-link",attrs:{href:t.webdavDocs,target:"_blank",rel:"noreferrer noopener"}},[t._v("\n\t\t\t\t"+t._s(t.t("files","Use this address to access your Files via WebDAV"))+" ↗\n\t\t\t")])]),t._v(" "),e("br"),t._v(" "),e("em",[e("a",{staticClass:"setting-link",attrs:{href:t.appPasswordUrl}},[t._v("\n\t\t\t\t"+t._s(t.t("files","If you have enabled 2FA, you must create and use a new app password by clicking here."))+" ↗\n\t\t\t")])])],1)],1)}),[],!1,null,"109572de",null).exports,bs={name:"Navigation",components:{Cog:Ln,NavigationQuota:rs,NcAppNavigation:Nn.A,NcAppNavigationItem:Fn.A,NcIconSvgWrapper:In.A,SettingsModal:ys},setup:()=>({viewConfigStore:Dn()}),data:()=>({settingsOpened:!1}),computed:{currentViewId(){var t;return(null===(t=this.$route)||void 0===t||null===(t=t.params)||void 0===t?void 0:t.view)||"files"},currentView(){return this.views.find((t=>t.id===this.currentViewId))},views(){return this.$navigation.views},parentViews(){return this.views.filter((t=>!t.parent)).sort(((t,e)=>t.order-e.order))},childViews(){return this.views.filter((t=>!!t.parent)).reduce(((t,e)=>(t[e.parent]=[...t[e.parent]||[],e],t[e.parent].sort(((t,e)=>t.order-e.order)),t)),{})}},watch:{currentView(t,e){t.id!==(null==e?void 0:e.id)&&(this.$navigation.setActive(t),Un.debug("Navigation changed",{id:t.id,view:t}),this.showView(t))}},beforeMount(){this.currentView&&(Un.debug("Navigation mounted. Showing requested view",{view:this.currentView}),this.showView(this.currentView))},methods:{useExactRouteMatching(t){var e;return(null===(e=this.childViews[t.id])||void 0===e?void 0:e.length)>0},showView(t){var e,n;null===(e=window)||void 0===e||null===(e=e.OCA)||void 0===e||null===(e=e.Files)||void 0===e||null===(e=e.Sidebar)||void 0===e||null===(n=e.close)||void 0===n||n.call(e),this.$navigation.setActive(t),(0,Tn.Ic)("files:navigation:changed",t)},onToggleExpand(t){const e=this.isExpanded(t);t.expanded=!e,this.viewConfigStore.update(t.id,"expanded",!e)},isExpanded(t){var e;return"boolean"==typeof(null===(e=this.viewConfigStore.getConfig(t.id))||void 0===e?void 0:e.expanded)?!0===this.viewConfigStore.getConfig(t.id).expanded:!0===t.expanded},generateToNavigation(t){if(t.params){const{dir:e}=t.params;return{name:"filelist",params:t.params,query:{dir:e}}}return{name:"filelist",params:{view:t.id}}},openSettings(){this.settingsOpened=!0},onSettingsClose(){this.settingsOpened=!1},t:kn.Tl}};var Cs=s(59062),xs={};xs.styleTagTransform=ns(),xs.setAttributes=Jn(),xs.insert=Qn().bind(null,"head"),xs.domAPI=Yn(),xs.insertStyleElement=ts(),Wn()(Cs.A,xs),Cs.A&&Cs.A.locals&&Cs.A.locals;const _s=(0,Sn.A)(bs,(function(){var t=this,e=t._self._c;return e("NcAppNavigation",{attrs:{"data-cy-files-navigation":"","aria-label":t.t("files","Files")},scopedSlots:t._u([{key:"list",fn:function(){return t._l(t.parentViews,(function(n){return e("NcAppNavigationItem",{key:n.id,attrs:{"allow-collapse":!0,"data-cy-files-navigation-item":n.id,exact:t.useExactRouteMatching(n),icon:n.iconClass,name:n.name,open:t.isExpanded(n),pinned:n.sticky,to:t.generateToNavigation(n)},on:{"update:open":function(e){return t.onToggleExpand(n)}}},[n.icon?e("NcIconSvgWrapper",{attrs:{slot:"icon",svg:n.icon},slot:"icon"}):t._e(),t._v(" "),t._l(t.childViews[n.id],(function(n){return e("NcAppNavigationItem",{key:n.id,attrs:{"data-cy-files-navigation-item":n.id,"exact-path":!0,icon:n.iconClass,name:n.name,to:t.generateToNavigation(n)}},[n.icon?e("NcIconSvgWrapper",{attrs:{slot:"icon",svg:n.icon},slot:"icon"}):t._e()],1)}))],2)}))},proxy:!0},{key:"footer",fn:function(){return[e("ul",{staticClass:"app-navigation-entry__settings"},[e("NavigationQuota"),t._v(" "),e("NcAppNavigationItem",{attrs:{"aria-label":t.t("files","Open the files app settings"),name:t.t("files","Files settings"),"data-cy-files-navigation-settings-button":""},on:{click:function(e){return e.preventDefault(),e.stopPropagation(),t.openSettings.apply(null,arguments)}}},[e("Cog",{attrs:{slot:"icon",size:20},slot:"icon"})],1)],1)]},proxy:!0}])},[t._v(" "),t._v(" "),e("SettingsModal",{attrs:{open:t.settingsOpened,"data-cy-files-navigation-settings":""},on:{close:t.onSettingsClose}})],1)}),[],!1,null,"8291caa8",null).exports;var Ts=s(87485),ks=s(43627),Es=s(38805),Ss=s(52129),Ls=s(41261),Ns=s(89979);const Fs={name:"FormatListBulletedSquareIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Is=(0,Sn.A)(Fs,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon format-list-bulleted-square-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M3,4H7V8H3V4M9,5V7H21V5H9M3,10H7V14H3V10M9,11V13H21V11H9M3,16H7V20H3V16M9,17V19H21V17H9"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Ps=s(18195),Bs=s(9518),Os=s(10833),Ds=s(46222),Us=s(27577);const js={name:"AccountPlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},zs=(0,Sn.A)(js,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon account-plus-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Ms={name:"ViewGridIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Rs=(0,Sn.A)(Ms,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon view-grid-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M3,11H11V3H3M3,21H11V13H3M13,21H21V13H13M13,3V11H21V3"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var Vs=s(49981);const $s=new et.hY({id:"details",displayName:()=>(0,kn.Tl)("files","Open details"),iconSvgInline:()=>Vs,enabled:t=>{var e,n,s;return 1===t.length&&!!t[0]&&!(null===(e=window)||void 0===e||null===(e=e.OCA)||void 0===e||null===(e=e.Files)||void 0===e||!e.Sidebar)&&null!==(n=(null===(s=t[0].root)||void 0===s?void 0:s.startsWith("/files/"))&&t[0].permissions!==et.aX.NONE)&&void 0!==n&&n},async exec(t,e,n){try{return await window.OCA.Files.Sidebar.open(t.path),window.OCP.Files.Router.goToRoute(null,{view:e.id,fileid:t.fileid},{dir:n},!0),null}catch(t){return Un.error("Error while opening sidebar",{error:t}),!1}},order:-50}),qs=function(){const t=tt("files",{state:()=>({files:{},roots:{}}),getters:{getNode:t=>e=>t.files[e],getNodes:t=>e=>e.map((e=>t.files[e])).filter(Boolean),getRoot:t=>e=>t.roots[e]},actions:{updateNodes(t){const e=t.reduce(((t,e)=>e.fileid?(t[e.fileid]=e,t):(Un.error("Trying to update/set a node without fileid",e),t)),{});st.Ay.set(this,"files",{...this.files,...e})},deleteNodes(t){t.forEach((t=>{t.fileid&&st.Ay.delete(this.files,t.fileid)}))},setRoot(t){let{service:e,root:n}=t;st.Ay.set(this.roots,e,n)},onDeletedNode(t){this.deleteNodes([t])},onCreatedNode(t){this.updateNodes([t])},onUpdatedNode(t){this.updateNodes([t])}}})(...arguments);return t._initialized||((0,Tn.B1)("files:node:created",t.onCreatedNode),(0,Tn.B1)("files:node:deleted",t.onDeletedNode),(0,Tn.B1)("files:node:updated",t.onUpdatedNode),t._initialized=!0),t},Hs=function(){const t=qs(),e=tt("paths",{state:()=>({paths:{}}),getters:{getPath:t=>(e,n)=>{if(t.paths[e])return t.paths[e][n]}},actions:{addPath(t){this.paths[t.service]||st.Ay.set(this.paths,t.service,{}),st.Ay.set(this.paths[t.service],t.path,t.fileid)},onCreatedNode(e){var n;const s=(null===(n=(0,et.bh)())||void 0===n||null===(n=n.active)||void 0===n?void 0:n.id)||"files";if(e.fileid){if(e.type===et.pt.Folder&&this.addPath({service:s,path:e.path,fileid:e.fileid}),"/"===e.dirname){const n=t.getRoot(s);return n._children||st.Ay.set(n,"_children",[]),void n._children.push(e.fileid)}if(this.paths[s][e.dirname]){const n=this.paths[s][e.dirname],i=t.getNode(n);return Un.debug("Path already exists, updating children",{parentFolder:i,node:e}),i?(i._children||st.Ay.set(i,"_children",[]),void i._children.push(e.fileid)):void Un.error("Parent folder not found",{parentId:n})}Un.debug("Parent path does not exists, skipping children update",{node:e})}else Un.error("Node has no fileid",{node:e})}}})(...arguments);return e._initialized||((0,Tn.B1)("files:node:created",e.onCreatedNode),e._initialized=!0),e},Ws=tt("selection",{state:()=>({selected:[],lastSelection:[],lastSelectedIndex:null}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];st.Ay.set(this,"selected",[...new Set(t)])},setLastIndex(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;st.Ay.set(this,"lastSelection",t?this.selected:[]),st.Ay.set(this,"lastSelectedIndex",t)},reset(){st.Ay.set(this,"selected",[]),st.Ay.set(this,"lastSelection",[]),st.Ay.set(this,"lastSelectedIndex",null)}}});let Gs;const Ys=function(){return Gs=(0,Ls.g)(),tt("uploader",{state:()=>({queue:Gs.queue})})(...arguments)};function Ks(t){return t instanceof Date?t.toISOString():String(t)}var Qs=s(91680),Xs=s(49296),Js=s(71089),Zs=s(96763);class ti extends File{constructor(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];var n,s,i;super([],t,{type:"httpd/unix-directory"}),n=this,i=void 0,(s=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(s="_contents"))in n?Object.defineProperty(n,s,{value:i,enumerable:!0,configurable:!0,writable:!0}):n[s]=i,this._contents=e}set contents(t){this._contents=t}get contents(){return this._contents}get size(){return this._computeDirectorySize(this)}get lastModified(){return 0===this._contents.length?Date.now():this._computeDirectoryMtime(this)}_computeDirectoryMtime(t){return t.contents.reduce(((t,e)=>e.lastModified>t?e.lastModified:t),0)}_computeDirectorySize(t){return t.contents.reduce(((t,e)=>t+e.size),0)}}const ei=async t=>{if(t.isFile)return new Promise(((e,n)=>{t.file(e,n)}));Un.debug("Handling recursive file tree",{entry:t.name});const e=t,n=await ni(e),s=(await Promise.all(n.map(ei))).flat();return new ti(e.name,s)},ni=t=>{const e=t.createReader();return new Promise(((t,n)=>{const s=[],i=()=>{e.readEntries((e=>{e.length?(s.push(...e),i()):t(s)}),(t=>{n(t)}))};i()}))},si=async t=>{const e=(0,et.H4)();if(!await e.exists(t)){Un.debug("Directory does not exist, creating it",{absolutePath:t}),await e.createDirectory(t,{recursive:!0});const n=await e.stat(t,{details:!0,data:(0,et.VL)()});(0,Tn.Ic)("files:node:created",(0,et.Al)(n.data))}},ii=async(t,e,n)=>{try{const s=t.filter((t=>n.find((e=>e.basename===(t instanceof File?t.name:t.basename))))).filter(Boolean),i=t.filter((t=>!s.includes(t))),{selected:r,renamed:o}=await(0,Ls.o)(e.path,s,n);return Un.debug("Conflict resolution",{uploads:i,selected:r,renamed:o}),0===r.length&&0===o.length?((0,zn.cf)((0,kn.Tl)("files","Conflicts resolution skipped")),Un.info("User skipped the conflict resolution"),[]):[...i,...r,...o]}catch(t){Zs.error(t),(0,zn.Qg)((0,kn.Tl)("files","Upload cancelled")),Un.error("User cancelled the upload")}return[]};var ri=s(14456),oi={};oi.styleTagTransform=ns(),oi.setAttributes=Jn(),oi.insert=Qn().bind(null,"head"),oi.domAPI=Yn(),oi.insertStyleElement=ts(),Wn()(ri.A,oi),ri.A&&ri.A.locals&&ri.A.locals;var ai=s(53110),li=s(36882),ci=s(39285),di=s(49264);let ui;const mi=()=>(ui||(ui=new di.A({concurrency:3})),ui);var pi;!function(t){t.MOVE="Move",t.COPY="Copy",t.MOVE_OR_COPY="move-or-copy"}(pi||(pi={}));const fi=t=>!!(t.reduce(((t,e)=>Math.min(t,e.permissions)),et.aX.ALL)&et.aX.UPDATE),gi=t=>(t=>t.every((t=>{var e,n;return!JSON.parse(null!==(e=null===(n=t.attributes)||void 0===n?void 0:n["share-attributes"])&&void 0!==e?e:"[]").some((t=>"permissions"===t.scope&&!1===t.enabled&&"download"===t.key))})))(t);var hi,vi=s(36117),Ai=s(44719),wi=s(34515);const yi="/files/".concat(null===(hi=(0,nt.HW)())||void 0===hi?void 0:hi.uid),bi=(0,rt.dC)("dav"+yi),Ci=function(t){return t.split("").reduce((function(t,e){return 0|(t<<5)-t+e.charCodeAt(0)}),0)},xi=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:bi;const e=(0,Ai.UU)(t,{headers:{requesttoken:(0,nt.do)()||""}});return(0,Ai.Gu)().patch("request",(t=>{var e;return null!==(e=t.headers)&&void 0!==e&&e.method&&(t.method=t.headers.method,delete t.headers.method),(0,wi.E)(t)})),e}(),_i=function(t){var e;const n=null===(e=(0,nt.HW)())||void 0===e?void 0:e.uid;if(!n)throw new Error("No user id found");const s=t.props,i=(0,et.vb)(null==s?void 0:s.permissions),r=(s["owner-id"]||n).toString(),o=(0,rt.dC)("dav"+yi+t.filename),a={id:(null==s?void 0:s.fileid)<0?Ci(o):(null==s?void 0:s.fileid)||0,source:o,mtime:new Date(t.lastmod),mime:t.mime||"application/octet-stream",size:(null==s?void 0:s.size)||0,permissions:i,owner:r,root:yi,attributes:{...t,...s,hasPreview:null==s?void 0:s["has-preview"],failed:(null==s?void 0:s.fileid)<0}};return delete a.attributes.props,"file"===t.type?new et.ZH(a):new et.vd(a)},Ti=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const e=new AbortController,n=(0,et.VL)();return new vi.CancelablePromise((async(s,i,r)=>{r((()=>e.abort()));try{const i=await xi.getDirectoryContents(t,{details:!0,data:n,includeSelf:!0,signal:e.signal}),r=i.data[0],o=i.data.slice(1);if(r.filename!==t)throw new Error("Root node does not match requested path");s({folder:_i(r),contents:o.map((t=>{try{return _i(t)}catch(e){return Un.error("Invalid node detected '".concat(t.basename,"'"),{error:e}),null}})).filter(Boolean)})}catch(t){i(t)}}))},ki=t=>{const e=t.filter((t=>t.type===et.pt.File)).length,n=t.filter((t=>t.type===et.pt.Folder)).length;return 0===e?(0,kn.zw)("files","{folderCount} folder","{folderCount} folders",n,{folderCount:n}):0===n?(0,kn.zw)("files","{fileCount} file","{fileCount} files",e,{fileCount:e}):1===e?(0,kn.zw)("files","1 file and {folderCount} folder","1 file and {folderCount} folders",n,{folderCount:n}):1===n?(0,kn.zw)("files","{fileCount} file and 1 folder","{fileCount} files and 1 folder",e,{fileCount:e}):(0,kn.Tl)("files","{fileCount} files and {folderCount} folders",{fileCount:e,folderCount:n})},Ei=t=>fi(t)?gi(t)?pi.MOVE_OR_COPY:pi.MOVE:pi.COPY,Si=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return;if(e.type!==et.pt.Folder)throw new Error((0,kn.Tl)("files","Destination is not a folder"));if(n===pi.MOVE&&t.dirname===e.path)throw new Error((0,kn.Tl)("files","This file/folder is already in that directory"));if("".concat(e.path,"/").startsWith("".concat(t.path,"/")))throw new Error((0,kn.Tl)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));st.Ay.set(t,"status",et.zI.LOADING);const i=mi();return await i.add((async()=>{const i=t=>1===t?(0,kn.Tl)("files","(copy)"):(0,kn.Tl)("files","(copy %n)",void 0,t);try{const r=(0,et.H4)(),o=(0,ks.join)(et.lJ,t.path),a=(0,ks.join)(et.lJ,e.path);if(n===pi.COPY){let n=t.basename;if(!s){const e=await r.getDirectoryContents(a);n=function(t,e){const n={suffix:t=>"(".concat(t,")"),ignoreFileExtension:!1,...arguments.length>2&&void 0!==arguments[2]?arguments[2]:{}};let s=t,i=1;for(;e.includes(s);){const e=n.ignoreFileExtension?"":(0,ks.extname)(t),r=(0,ks.basename)(t,e);s="".concat(r," ").concat(n.suffix(i++)).concat(e)}return s}(t.basename,e.map((t=>t.basename)),{suffix:i,ignoreFileExtension:t.type===et.pt.Folder})}if(await r.copyFile(o,(0,ks.join)(a,n)),t.dirname===e.path){const{data:t}=await r.stat((0,ks.join)(a,n),{details:!0,data:(0,et.VL)()});(0,Tn.Ic)("files:node:created",(0,et.Al)(t))}}else{const n=await Ti(e.path);if((0,Ls.h)([t],n.contents))try{const{selected:s,renamed:i}=await(0,Ls.o)(e.path,[t],n.contents);if(!s.length&&!i.length)return await r.deleteFile(o),void(0,Tn.Ic)("files:node:deleted",t)}catch(t){return void(0,zn.Qg)((0,kn.Tl)("files","Move cancelled"))}await r.moveFile(o,(0,ks.join)(a,t.basename)),(0,Tn.Ic)("files:node:deleted",t)}}catch(t){if(t instanceof ai.pe){var r,o,a;if(412===(null==t||null===(r=t.response)||void 0===r?void 0:r.status))throw new Error((0,kn.Tl)("files","A file or folder with that name already exists in this folder"));if(423===(null==t||null===(o=t.response)||void 0===o?void 0:o.status))throw new Error((0,kn.Tl)("files","The files is locked"));if(404===(null==t||null===(a=t.response)||void 0===a?void 0:a.status))throw new Error((0,kn.Tl)("files","The file does not exist anymore"));if(t.message)throw new Error(t.message)}throw Un.debug(t),new Error}finally{st.Ay.set(t,"status",void 0)}}))},Li=async function(t){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"/",n=arguments.length>2?arguments[2]:void 0;const s=n.map((t=>t.fileid)).filter(Boolean),i=(0,zn.a1)((0,kn.Tl)("files","Choose destination")).allowDirectories(!0).setFilter((t=>!!(t.permissions&et.aX.CREATE)&&!s.includes(t.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(e);return new Promise(((e,s)=>{i.setButtonFactory(((s,i)=>{const r=[],o=(0,ks.basename)(i),a=n.map((t=>t.dirname)),l=n.map((t=>t.path));return t!==pi.COPY&&t!==pi.MOVE_OR_COPY||r.push({label:o?(0,kn.Tl)("files","Copy to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,kn.Tl)("files","Copy"),type:"primary",icon:li,async callback(t){e({destination:t[0],action:pi.COPY})}}),a.includes(i)||l.includes(i)||t!==pi.MOVE&&t!==pi.MOVE_OR_COPY||r.push({label:o?(0,kn.Tl)("files","Move to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,kn.Tl)("files","Move"),type:t===pi.MOVE?"primary":"secondary",icon:ci,async callback(t){e({destination:t[0],action:pi.MOVE})}}),r})),i.build().pick().catch((t=>{Un.debug(t),t instanceof zn.vT?s(new Error((0,kn.Tl)("files","Cancelled move or copy operation"))):s(new Error((0,kn.Tl)("files","Move or copy operation failed")))}))}))};new et.hY({id:"move-copy",displayName(t){switch(Ei(t)){case pi.MOVE:return(0,kn.Tl)("files","Move");case pi.COPY:return(0,kn.Tl)("files","Copy");case pi.MOVE_OR_COPY:return(0,kn.Tl)("files","Move or copy")}},iconSvgInline:()=>ci,enabled:t=>!!t.every((t=>{var e;return null===(e=t.root)||void 0===e?void 0:e.startsWith("/files/")}))&&t.length>0&&(fi(t)||gi(t)),async exec(t,e,n){const s=Ei([t]);let i;try{i=await Li(s,n,[t])}catch(t){return Un.error(t),!1}try{return await Si(t,i.destination,i.action),!0}catch(t){return!!(t instanceof Error&&t.message)&&((0,zn.Qg)(t.message),null)}},async execBatch(t,e,n){const s=Ei(t),i=await Li(s,n,t),r=t.map((async t=>{try{return await Si(t,i.destination,i.action),!0}catch(e){return Un.error("Failed to ".concat(i.action," node"),{node:t,error:e}),!1}}));return await Promise.all(r)},order:15});var Ni=s(96763);const Fi=async t=>{const e=t.filter((t=>"file"===t.kind||(Un.debug("Skipping dropped item",{kind:t.kind,type:t.type}),!1))).map((t=>{var e,n,s,i;return null!==(e=null!==(n=null==t||null===(s=t.getAsEntry)||void 0===s?void 0:s.call(t))&&void 0!==n?n:null==t||null===(i=t.webkitGetAsEntry)||void 0===i?void 0:i.call(t))&&void 0!==e?e:t}));let n=!1;const s=new ti("root");for(const t of e)if(t instanceof DataTransferItem){Un.warn("Could not get FilesystemEntry of item, falling back to file");const e=t.getAsFile();if(null===e){Un.warn("Could not process DataTransferItem",{type:t.type,kind:t.kind}),(0,zn.Qg)((0,kn.Tl)("files","One of the dropped files could not be processed"));continue}if("httpd/unix-directory"===e.type||!e.type){n||(Un.warn("Browser does not support Filesystem API. Directories will not be uploaded"),(0,zn.I9)((0,kn.Tl)("files","Your browser does not support the Filesystem API. Directories will not be uploaded")),n=!0);continue}s.contents.push(e)}else try{s.contents.push(await ei(t))}catch(t){Un.error("Error while traversing file tree",{error:t})}return s},Ii=async(t,e,n)=>{const s=(0,Ls.g)();if(await(0,Ls.h)(t.contents,n)&&(t.contents=await ii(t.contents,e,n)),0===t.contents.length)return Un.info("No files to upload",{root:t}),(0,zn.cf)((0,kn.Tl)("files","No files to upload")),[];Un.debug("Uploading files to ".concat(e.path),{root:t,contents:t.contents});const i=[],r=async(t,n)=>{for(const o of t.contents){const t=(0,ks.join)(n,o.name);if(o instanceof ti){const n=(0,Js.HS)(et.lJ,e.path,t);try{Ni.debug("Processing directory",{relativePath:t}),await si(n),await r(o,t)}catch(t){(0,zn.Qg)((0,kn.Tl)("files","Unable to create the directory {directory}",{directory:o.name})),Un.error("",{error:t,absolutePath:n,directory:o})}}else Un.debug("Uploading file to "+(0,ks.join)(e.path,t),{file:o}),i.push(s.upload(t,o,e.source))}};s.pause(),await r(t,"/"),s.start();const o=(await Promise.allSettled(i)).filter((t=>"rejected"===t.status));return o.length>0?(Un.error("Error while uploading files",{errors:o}),(0,zn.Qg)((0,kn.Tl)("files","Some files could not be uploaded")),[]):(Un.debug("Files uploaded successfully"),(0,zn.Te)((0,kn.Tl)("files","Files uploaded successfully")),Promise.all(i))},Pi=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const i=[];if(await(0,Ls.h)(t,n)&&(t=await ii(t,e,n)),0===t.length)return Un.info("No files to process",{nodes:t}),void(0,zn.cf)((0,kn.Tl)("files","No files to process"));for(const n of t)st.Ay.set(n,"status",et.zI.LOADING),i.push(Si(n,e,s?pi.COPY:pi.MOVE));const r=await Promise.allSettled(i);t.forEach((t=>st.Ay.set(t,"status",void 0)));const o=r.filter((t=>"rejected"===t.status));if(o.length>0)return Un.error("Error while copying or moving files",{errors:o}),void(0,zn.Qg)(s?(0,kn.Tl)("files","Some files could not be copied"):(0,kn.Tl)("files","Some files could not be moved"));Un.debug("Files copy/move successful"),(0,zn.Te)(s?(0,kn.Tl)("files","Files copied successfully"):(0,kn.Tl)("files","Files moved successfully"))},Bi=tt("dragging",{state:()=>({dragging:[]}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];st.Ay.set(this,"dragging",t)},reset(){st.Ay.set(this,"dragging",[])}}}),Oi=st.Ay.extend({data:()=>({filesListWidth:null}),mounted(){var t;const e=document.querySelector("#app-content-vue");this.filesListWidth=null!==(t=null==e?void 0:e.clientWidth)&&void 0!==t?t:null,this.$resizeObserver=new ResizeObserver((t=>{t.length>0&&t[0].target===e&&(this.filesListWidth=t[0].contentRect.width)})),this.$resizeObserver.observe(e)},beforeDestroy(){this.$resizeObserver.disconnect()}}),Di=(0,st.pM)({name:"BreadCrumbs",components:{NcBreadcrumbs:Xs.N,NcBreadcrumb:Qs.N,NcIconSvgWrapper:In.A},mixins:[Oi],props:{path:{type:String,default:"/"}},setup:()=>({draggingStore:Bi(),filesStore:qs(),pathsStore:Hs(),selectionStore:Ws(),uploaderStore:Ys()}),computed:{currentView(){return this.$navigation.active},dirs(){var t;return["/",...this.path.split("/").filter(Boolean).map((t="/",e=>t+="".concat(e,"/"))).map((t=>t.replace(/^(.+)\/$/,"$1")))]},sections(){return this.dirs.map(((t,e)=>{const n=this.getFileIdFromPath(t),s={...this.$route,params:{fileid:n},query:{dir:t}};return{dir:t,exact:!0,name:this.getDirDisplayName(t),to:s,disableDrop:e===this.dirs.length-1}}))},isUploadInProgress(){return 0!==this.uploaderStore.queue.length},wrapUploadProgressBar(){return this.isUploadInProgress&&this.filesListWidth<512},viewIcon(){var t,e;return null!==(t=null===(e=this.currentView)||void 0===e?void 0:e.icon)&&void 0!==t?t:'<svg xmlns="http://www.w3.org/2000/svg" id="mdi-home" viewBox="0 0 24 24"><path d="M10,20V14H14V20H19V12H22L12,3L2,12H5V20H10Z" /></svg>'},selectedFiles(){return this.selectionStore.selected},draggingFiles(){return this.draggingStore.dragging}},methods:{getNodeFromId(t){return this.filesStore.getNode(t)},getFileIdFromPath(t){return this.pathsStore.getPath(this.currentView.id,t)},getDirDisplayName(t){var e,n;if("/"===t)return(null===(n=this.$navigation)||void 0===n||null===(n=n.active)||void 0===n?void 0:n.name)||(0,kn.Tl)("files","Home");const s=this.getFileIdFromPath(t),i=s?this.getNodeFromId(s):void 0;return(null==i||null===(e=i.attributes)||void 0===e?void 0:e.displayName)||(0,ks.basename)(t)},onClick(t){var e;(null==t||null===(e=t.query)||void 0===e?void 0:e.dir)===this.$route.query.dir&&this.$emit("reload")},onDragOver(t,e){e!==this.dirs[this.dirs.length-1]?t.ctrlKey?t.dataTransfer.dropEffect="copy":t.dataTransfer.dropEffect="move":t.dataTransfer.dropEffect="none"},async onDrop(t,e){var n,s,i;if(!(this.draggingFiles||null!==(n=t.dataTransfer)&&void 0!==n&&null!==(n=n.items)&&void 0!==n&&n.length))return;t.preventDefault();const r=this.draggingFiles,o=[...(null===(s=t.dataTransfer)||void 0===s?void 0:s.items)||[]],a=await Fi(o),l=await(null===(i=this.currentView)||void 0===i?void 0:i.getContents(e)),c=null==l?void 0:l.folder;if(!c)return void(0,zn.Qg)(this.t("files","Target folder does not exist any more"));const d=!!(c.permissions&et.aX.CREATE),u=t.ctrlKey;if(!d||0!==t.button)return;if(Un.debug("Dropped",{event:t,folder:c,selection:r,fileTree:a}),a.contents.length>0)return void await Ii(a,c,l.contents);const m=r.map((t=>this.filesStore.getNode(t)));await Pi(m,c,l.contents,u),r.some((t=>this.selectedFiles.includes(t)))&&(Un.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},titleForSection(t,e){var n;return(null==e||null===(n=e.to)||void 0===n||null===(n=n.query)||void 0===n?void 0:n.dir)===this.$route.query.dir?(0,kn.Tl)("files","Reload current directory"):0===t?(0,kn.Tl)("files",'Go to the "{dir}" directory',e):null},ariaForSection(t){var e;return(null==t||null===(e=t.to)||void 0===e||null===(e=e.query)||void 0===e?void 0:e.dir)===this.$route.query.dir?(0,kn.Tl)("files","Reload current directory"):null},t:kn.Tl}});var Ui=s(86334),ji={};ji.styleTagTransform=ns(),ji.setAttributes=Jn(),ji.insert=Qn().bind(null,"head"),ji.domAPI=Yn(),ji.insertStyleElement=ts(),Wn()(Ui.A,ji),Ui.A&&Ui.A.locals&&Ui.A.locals;const zi=(0,Sn.A)(Di,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcBreadcrumbs",{staticClass:"files-list__breadcrumbs",class:{"files-list__breadcrumbs--with-progress":t.wrapUploadProgressBar},attrs:{"data-cy-files-content-breadcrumbs":"","aria-label":t.t("files","Current directory path")},scopedSlots:t._u([{key:"actions",fn:function(){return[t._t("actions")]},proxy:!0}],null,!0)},t._l(t.sections,(function(n,s){return e("NcBreadcrumb",t._b({key:n.dir,attrs:{dir:"auto",to:n.to,"force-icon-text":0===s&&t.filesListWidth>=486,title:t.titleForSection(s,n),"aria-description":t.ariaForSection(n)},on:{drop:function(e){return t.onDrop(e,n.dir)}},nativeOn:{click:function(e){return t.onClick(n.to)},dragover:function(e){return t.onDragOver(e,n.dir)}},scopedSlots:t._u([0===s?{key:"icon",fn:function(){return[e("NcIconSvgWrapper",{attrs:{size:20,svg:t.viewIcon}})]},proxy:!0}:null],null,!0)},"NcBreadcrumb",n,!1))})),1)}),[],!1,null,"740bb6f2",null).exports;var Mi=s(51651);const Ri=tt("actionsmenu",{state:()=>({opened:null})}),Vi=function(){const t=tt("renaming",{state:()=>({renamingNode:void 0,newName:""})})(...arguments);return t._initialized||((0,Tn.B1)("files:node:rename",(function(e){t.renamingNode=e,t.newName=e.basename})),t._initialized=!0),t};var $i=s(55042);const qi={name:"FileMultipleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Hi=(0,Sn.A)(qi,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon file-multiple-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M15,7H20.5L15,1.5V7M8,0H16L22,6V18A2,2 0 0,1 20,20H8C6.89,20 6,19.1 6,18V2A2,2 0 0,1 8,0M4,4V22H20V24H4A2,2 0 0,1 2,22V4H4Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Wi={name:"FolderIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Gi=(0,Sn.A)(Wi,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon folder-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Yi=st.Ay.extend({name:"DragAndDropPreview",components:{FileMultipleIcon:Hi,FolderIcon:Gi},data:()=>({nodes:[]}),computed:{isSingleNode(){return 1===this.nodes.length},isSingleFolder(){return this.isSingleNode&&this.nodes[0].type===et.pt.Folder},name(){return this.size?"".concat(this.summary," – ").concat(this.size):this.summary},size(){const t=this.nodes.reduce(((t,e)=>t+e.size||0),0),e=parseInt(t,10)||0;return"number"!=typeof e||e<0?null:(0,et.v7)(e,!0)},summary(){if(this.isSingleNode){var t;const e=this.nodes[0];return(null===(t=e.attributes)||void 0===t?void 0:t.displayName)||e.basename}return ki(this.nodes)}},methods:{update(t){this.nodes=t,this.$refs.previewImg.replaceChildren(),t.slice(0,3).forEach((t=>{const e=document.querySelector('[data-cy-files-list-row-fileid="'.concat(t.fileid,'"] .files-list__row-icon img'));e&&this.$refs.previewImg.appendChild(e.parentNode.cloneNode(!0))})),this.$nextTick((()=>{this.$emit("loaded",this.$el)}))}}}),Ki=Yi;var Qi=s(52608),Xi={};Xi.styleTagTransform=ns(),Xi.setAttributes=Jn(),Xi.insert=Qn().bind(null,"head"),Xi.domAPI=Yn(),Xi.insertStyleElement=ts(),Wn()(Qi.A,Xi),Qi.A&&Qi.A.locals&&Qi.A.locals;const Ji=(0,Sn.A)(Ki,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list-drag-image"},[e("span",{staticClass:"files-list-drag-image__icon"},[e("span",{ref:"previewImg"}),t._v(" "),t.isSingleFolder?e("FolderIcon"):e("FileMultipleIcon")],1),t._v(" "),e("span",{staticClass:"files-list-drag-image__name"},[t._v(t._s(t.name))])])}),[],!1,null,null,null).exports,Zi=st.Ay.extend(Ji);let tr;st.Ay.directive("onClickOutside",$i.z0);const er=(0,st.pM)({props:{source:{type:[et.vd,et.ZH,et.bP],required:!0},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},data:()=>({loading:"",dragover:!1,gridMode:!1}),computed:{currentView(){return this.$navigation.active},currentDir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t||null===(t=t.dir)||void 0===t?void 0:t.toString())||"/").replace(/^(.+)\/$/,"$1")},currentFileId(){var t,e;return(null===(t=this.$route.params)||void 0===t?void 0:t.fileid)||(null===(e=this.$route.query)||void 0===e?void 0:e.fileid)||null},fileid(){var t;return null===(t=this.source)||void 0===t?void 0:t.fileid},uniqueId(){return Ci(this.source.source)},isLoading(){return this.source.status===et.zI.LOADING},extension(){var t;return null!==(t=this.source.attributes)&&void 0!==t&&t.displayName?(0,ks.extname)(this.source.attributes.displayName):this.source.extension||""},displayName(){const t=this.extension,e=this.source.attributes.displayName||this.source.basename;return t?e.slice(0,0-t.length):e},draggingFiles(){return this.draggingStore.dragging},selectedFiles(){return this.selectionStore.selected},isSelected(){return this.fileid&&this.selectedFiles.includes(this.fileid)},isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},isActive(){var t,e,n,s;return(null===(t=this.fileid)||void 0===t||null===(e=t.toString)||void 0===e?void 0:e.call(t))===(null===(n=this.currentFileId)||void 0===n||null===(s=n.toString)||void 0===s?void 0:s.call(n))},canDrag(){if(this.isRenaming)return!1;const t=t=>!!((null==t?void 0:t.permissions)&et.aX.UPDATE);return this.selectedFiles.length>0?this.selectedFiles.map((t=>this.filesStore.getNode(t))).every(t):t(this.source)},canDrop(){return!(this.source.type!==et.pt.Folder||this.fileid&&this.draggingFiles.includes(this.fileid)||!(this.source.permissions&et.aX.CREATE))},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId.toString()},set(t){if(t){var e;const t=null===(e=this.$el)||void 0===e?void 0:e.closest("main.app-content");t.style.removeProperty("--mouse-pos-x"),t.style.removeProperty("--mouse-pos-y")}this.actionsMenuStore.opened=t?this.uniqueId.toString():null}}},watch:{source(t,e){t.source!==e.source&&this.resetState()}},beforeDestroy(){this.resetState()},methods:{resetState(){var t,e;this.loading="",null===(t=this.$refs)||void 0===t||null===(t=t.preview)||void 0===t||null===(e=t.reset)||void 0===e||e.call(t),this.openedMenu=!1},onRightClick(t){if(this.openedMenu)return;if(!this.gridMode){var e;const n=null===(e=this.$el)||void 0===e?void 0:e.closest("main.app-content"),s=n.getBoundingClientRect();n.style.setProperty("--mouse-pos-x",Math.max(0,t.clientX-s.left-200)+"px"),n.style.setProperty("--mouse-pos-y",Math.max(0,t.clientY-s.top)+"px")}const n=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&n?"global":this.uniqueId.toString(),t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey)return t.preventDefault(),window.open((0,rt.Jv)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){var e;t.preventDefault(),t.stopPropagation(),null!=$s&&null!==(e=$s.enabled)&&void 0!==e&&e.call($s,[this.source],this.currentView)&&$s.exec(this.source,this.currentView,this.currentDir)},onDragOver(t){this.dragover=this.canDrop,this.canDrop?t.ctrlKey?t.dataTransfer.dropEffect="copy":t.dataTransfer.dropEffect="move":t.dataTransfer.dropEffect="none"},onDragLeave(t){const e=t.currentTarget;null!=e&&e.contains(t.relatedTarget)||(this.dragover=!1)},async onDragStart(t){var e,n,s;if(t.stopPropagation(),!this.canDrag||!this.fileid)return t.preventDefault(),void t.stopPropagation();Un.debug("Drag started",{event:t}),null===(e=t.dataTransfer)||void 0===e||null===(n=e.clearData)||void 0===n||n.call(e),this.renamingStore.$reset(),this.selectedFiles.includes(this.fileid)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.fileid]);const i=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),r=await(async t=>new Promise((e=>{tr||(tr=(new Zi).$mount(),document.body.appendChild(tr.$el)),tr.update(t),tr.$on("loaded",(()=>{e(tr.$el),tr.$off("loaded")}))})))(i);null===(s=t.dataTransfer)||void 0===s||s.setDragImage(r,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,Un.debug("Drag ended")},async onDrop(t){var e,n,s;if(!(this.draggingFiles||null!==(e=t.dataTransfer)&&void 0!==e&&null!==(e=e.items)&&void 0!==e&&e.length))return;t.preventDefault(),t.stopPropagation();const i=this.draggingFiles,r=[...(null===(n=t.dataTransfer)||void 0===n?void 0:n.items)||[]],o=await Fi(r),a=await(null===(s=this.currentView)||void 0===s?void 0:s.getContents(this.source.path)),l=null==a?void 0:a.folder;if(!l)return void(0,zn.Qg)(this.t("files","Target folder does not exist any more"));if(!this.canDrop||t.button)return;const c=t.ctrlKey;if(this.dragover=!1,Un.debug("Dropped",{event:t,folder:l,selection:i,fileTree:o}),o.contents.length>0)return void await Ii(o,l,a.contents);const d=i.map((t=>this.filesStore.getNode(t)));await Pi(d,l,a.contents,c),i.some((t=>this.selectedFiles.includes(t)))&&(Un.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:kn.Tl}});var nr=s(4604);const sr={name:"CustomElementRender",props:{source:{type:Object,required:!0},currentView:{type:Object,required:!0},render:{type:Function,required:!0}},watch:{source(){this.updateRootElement()},currentView(){this.updateRootElement()}},mounted(){this.updateRootElement()},methods:{async updateRootElement(){const t=await this.render(this.source,this.currentView);t?this.$el.replaceChildren(t):this.$el.replaceChildren()}}},ir=(0,Sn.A)(sr,(function(){return(0,this._self._c)("span")}),[],!1,null,null,null).exports,rr={name:"ArrowLeftIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},or=(0,Sn.A)(rr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon arrow-left-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M20,11V13H8L13.5,18.5L12.08,19.92L4.16,12L12.08,4.08L13.5,5.5L8,11H20Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports;var ar=s(63420),lr=s(24764),cr=s(10501);const dr=(0,et.qK)(),ur=(0,st.pM)({name:"FileEntryActions",components:{ArrowLeftIcon:or,CustomElementRender:ir,NcActionButton:ar.A,NcActions:lr.A,NcActionSeparator:cr.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Ds.A},props:{filesListWidth:{type:Number,required:!0},loading:{type:String,required:!0},opened:{type:Boolean,default:!1},source:{type:Object,required:!0},gridMode:{type:Boolean,default:!1}},data:()=>({openedSubmenu:null}),computed:{currentDir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t||null===(t=t.dir)||void 0===t?void 0:t.toString())||"/").replace(/^(.+)\/$/,"$1")},currentView(){return this.$navigation.active},isLoading(){return this.source.status===et.zI.LOADING},enabledActions(){return this.source.attributes.failed?[]:dr.filter((t=>!t.enabled||t.enabled([this.source],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0)))},enabledInlineActions(){return this.filesListWidth<768||this.gridMode?[]:this.enabledActions.filter((t=>{var e;return null==t||null===(e=t.inline)||void 0===e?void 0:e.call(t,this.source,this.currentView)}))},enabledRenderActions(){return this.gridMode?[]:this.enabledActions.filter((t=>"function"==typeof t.renderInline))},enabledDefaultActions(){return this.enabledActions.filter((t=>!(null==t||!t.default)))},enabledMenuActions(){if(this.openedSubmenu)return this.enabledInlineActions;const t=[...this.enabledInlineActions,...this.enabledActions.filter((t=>t.default!==et.m9.HIDDEN&&"function"!=typeof t.renderInline))].filter(((t,e,n)=>e===n.findIndex((e=>e.id===t.id)))),e=t.filter((t=>!t.parent)).map((t=>t.id));return t.filter((t=>!(t.parent&&e.includes(t.parent))))},enabledSubmenuActions(){return this.enabledActions.filter((t=>t.parent)).reduce(((t,e)=>(t[e.parent]||(t[e.parent]=[]),t[e.parent].push(e),t)),{})},openedMenu:{get(){return this.opened},set(t){this.$emit("update:opened",t)}},getBoundariesElement:()=>document.querySelector(".app-content > .files-list"),mountType(){return this.source._attributes["mount-type"]}},methods:{actionDisplayName(t){if((this.gridMode||this.filesListWidth<768&&t.inline)&&"function"==typeof t.title){const e=t.title([this.source],this.currentView);if(e)return e}return t.displayName([this.source],this.currentView)},async onActionClick(t){let e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(this.isLoading||""!==this.loading)return;if(this.enabledSubmenuActions[t.id])return void(this.openedSubmenu=t);const n=t.displayName([this.source],this.currentView);try{this.$emit("update:loading",t.id),st.Ay.set(this.source,"status",et.zI.LOADING);const e=await t.exec(this.source,this.currentView,this.currentDir);if(null==e)return;if(e)return void(0,zn.Te)((0,kn.Tl)("files",'"{displayName}" action executed successfully',{displayName:n}));(0,zn.Qg)((0,kn.Tl)("files",'"{displayName}" action failed',{displayName:n}))}catch(e){Un.error("Error while executing action",{action:t,e}),(0,zn.Qg)((0,kn.Tl)("files",'"{displayName}" action failed',{displayName:n}))}finally{this.$emit("update:loading",""),st.Ay.set(this.source,"status",void 0),e&&(this.openedSubmenu=null)}},execDefaultAction(t){this.enabledDefaultActions.length>0&&(t.preventDefault(),t.stopPropagation(),this.enabledDefaultActions[0].exec(this.source,this.currentView,this.currentDir))},isMenu(t){var e;return(null===(e=this.enabledSubmenuActions[t])||void 0===e?void 0:e.length)>0},async onBackToMenuClick(t){this.openedSubmenu=null,await this.$nextTick(),this.$nextTick((()=>{var e;const n=null===(e=this.$refs["action-".concat(t.id)])||void 0===e?void 0:e[0];var s;n&&(null===(s=n.$el.querySelector("button"))||void 0===s||s.focus())}))},t:kn.Tl}}),mr=ur;var pr=s(23237),fr={};fr.styleTagTransform=ns(),fr.setAttributes=Jn(),fr.insert=Qn().bind(null,"head"),fr.domAPI=Yn(),fr.insertStyleElement=ts(),Wn()(pr.A,fr),pr.A&&pr.A.locals&&pr.A.locals;var gr=s(2077),hr={};hr.styleTagTransform=ns(),hr.setAttributes=Jn(),hr.insert=Qn().bind(null,"head"),hr.domAPI=Yn(),hr.insertStyleElement=ts(),Wn()(gr.A,hr),gr.A&&gr.A.locals&&gr.A.locals;var vr=(0,Sn.A)(mr,(function(){var t,e,n=this,s=n._self._c;return n._self._setupProxy,s("td",{staticClass:"files-list__row-actions",attrs:{"data-cy-files-list-row-actions":""}},[n._l(n.enabledRenderActions,(function(t){return s("CustomElementRender",{key:t.id,staticClass:"files-list__row-action--inline",class:"files-list__row-action-"+t.id,attrs:{"current-view":n.currentView,render:t.renderInline,source:n.source}})})),n._v(" "),s("NcActions",{ref:"actionsMenu",attrs:{"boundaries-element":n.getBoundariesElement,container:n.getBoundariesElement,"force-name":!0,type:"tertiary","force-menu":0===n.enabledInlineActions.length,inline:n.enabledInlineActions.length,open:n.openedMenu},on:{"update:open":function(t){n.openedMenu=t},close:function(t){n.openedSubmenu=null}}},[n._l(n.enabledMenuActions,(function(t){var e;return s("NcActionButton",{key:t.id,ref:"action-".concat(t.id),refInFor:!0,class:{["files-list__row-action-".concat(t.id)]:!0,"files-list__row-action--menu":n.isMenu(t.id)},attrs:{"close-after-click":!n.isMenu(t.id),"data-cy-files-list-row-action":t.id,"is-menu":n.isMenu(t.id),title:null===(e=t.title)||void 0===e?void 0:e.call(t,[n.source],n.currentView)},on:{click:function(e){return n.onActionClick(t)}},scopedSlots:n._u([{key:"icon",fn:function(){return[n.loading===t.id?s("NcLoadingIcon",{attrs:{size:18}}):s("NcIconSvgWrapper",{attrs:{svg:t.iconSvgInline([n.source],n.currentView)}})]},proxy:!0}],null,!0)},[n._v("\n\t\t\t"+n._s("shared"===n.mountType&&"sharing-status"===t.id?"":n.actionDisplayName(t))+"\n\t\t")])})),n._v(" "),n.openedSubmenu&&n.enabledSubmenuActions[null===(t=n.openedSubmenu)||void 0===t?void 0:t.id]?[s("NcActionButton",{staticClass:"files-list__row-action-back",on:{click:function(t){return n.onBackToMenuClick(n.openedSubmenu)}},scopedSlots:n._u([{key:"icon",fn:function(){return[s("ArrowLeftIcon")]},proxy:!0}],null,!1,3001860362)},[n._v("\n\t\t\t\t"+n._s(n.actionDisplayName(n.openedSubmenu))+"\n\t\t\t")]),n._v(" "),s("NcActionSeparator"),n._v(" "),n._l(n.enabledSubmenuActions[null===(e=n.openedSubmenu)||void 0===e?void 0:e.id],(function(t){var e;return s("NcActionButton",{key:t.id,staticClass:"files-list__row-action--submenu",class:"files-list__row-action-".concat(t.id),attrs:{"close-after-click":!1,"data-cy-files-list-row-action":t.id,title:null===(e=t.title)||void 0===e?void 0:e.call(t,[n.source],n.currentView)},on:{click:function(e){return n.onActionClick(t)}},scopedSlots:n._u([{key:"icon",fn:function(){return[n.loading===t.id?s("NcLoadingIcon",{attrs:{size:18}}):s("NcIconSvgWrapper",{attrs:{svg:t.iconSvgInline([n.source],n.currentView)}})]},proxy:!0}],null,!0)},[n._v("\n\t\t\t\t"+n._s(n.actionDisplayName(t))+"\n\t\t\t")])}))]:n._e()],2)],2)}),[],!1,null,"03cc6660",null);const Ar=vr.exports,wr=(0,st.pM)({name:"FileEntryCheckbox",components:{NcCheckboxRadioSwitch:ls.A,NcLoadingIcon:Ds.A},props:{fileid:{type:Number,required:!0},isLoading:{type:Boolean,default:!1},nodes:{type:Array,required:!0},source:{type:Object,required:!0}},setup(){const t=Ws(),e=function(){const t=tt("keyboard",{state:()=>({altKey:!1,ctrlKey:!1,metaKey:!1,shiftKey:!1}),actions:{onEvent(t){t||(t=window.event),st.Ay.set(this,"altKey",!!t.altKey),st.Ay.set(this,"ctrlKey",!!t.ctrlKey),st.Ay.set(this,"metaKey",!!t.metaKey),st.Ay.set(this,"shiftKey",!!t.shiftKey)}}})(...arguments);return t._initialized||(window.addEventListener("keydown",t.onEvent),window.addEventListener("keyup",t.onEvent),window.addEventListener("mousemove",t.onEvent),t._initialized=!0),t}();return{keyboardStore:e,selectionStore:t}},computed:{selectedFiles(){return this.selectionStore.selected},isSelected(){return this.selectedFiles.includes(this.fileid)},index(){return this.nodes.findIndex((t=>t.fileid===this.fileid))},isFile(){return this.source.type===et.pt.File},ariaLabel(){return this.isFile?(0,kn.Tl)("files",'Toggle selection for file "{displayName}"',{displayName:this.source.basename}):(0,kn.Tl)("files",'Toggle selection for folder "{displayName}"',{displayName:this.source.basename})}},methods:{onSelectionChange(t){var e;const n=this.index,s=this.selectionStore.lastSelectedIndex;if(null!==(e=this.keyboardStore)&&void 0!==e&&e.shiftKey&&null!==s){const t=this.selectedFiles.includes(this.fileid),e=Math.min(n,s),i=Math.max(s,n),r=this.selectionStore.lastSelection,o=this.nodes.map((t=>t.fileid)).slice(e,i+1).filter(Boolean),a=[...r,...o].filter((e=>!t||e!==this.fileid));return Un.debug("Shift key pressed, selecting all files in between",{start:e,end:i,filesToSelect:o,isAlreadySelected:t}),void this.selectionStore.set(a)}const i=t?[...this.selectedFiles,this.fileid]:this.selectedFiles.filter((t=>t!==this.fileid));Un.debug("Updating selection",{selection:i}),this.selectionStore.set(i),this.selectionStore.setLastIndex(n)},resetSelection(){this.selectionStore.reset()},t:kn.Tl}}),yr=(0,Sn.A)(wr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("td",{staticClass:"files-list__row-checkbox",on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])||e.ctrlKey||e.shiftKey||e.altKey||e.metaKey?null:t.resetSelection.apply(null,arguments)}}},[t.isLoading?e("NcLoadingIcon"):e("NcCheckboxRadioSwitch",{attrs:{"aria-label":t.ariaLabel,checked:t.isSelected},on:{"update:checked":t.onSelectionChange}})],1)}),[],!1,null,null,null).exports;var br=s(82182);const Cr=(0,Pn.C)("files","forbiddenCharacters",""),xr=st.Ay.extend({name:"FileEntryName",components:{NcTextField:br.A},props:{displayName:{type:String,required:!0},extension:{type:String,required:!0},filesListWidth:{type:Number,required:!0},nodes:{type:Array,required:!0},source:{type:Object,required:!0},gridMode:{type:Boolean,default:!1}},setup:()=>({renamingStore:Vi()}),computed:{isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},newName:{get(){return this.renamingStore.newName},set(t){this.renamingStore.newName=t}},renameLabel(){return{[et.pt.File]:(0,kn.Tl)("files","File name"),[et.pt.Folder]:(0,kn.Tl)("files","Folder name")}[this.source.type]},linkTo(){var t,e;if(this.source.attributes.failed)return{is:"span",params:{title:(0,kn.Tl)("files","This node is unavailable")}};const n=null===(t=this.$parent)||void 0===t||null===(t=t.$refs)||void 0===t||null===(t=t.actions)||void 0===t?void 0:t.enabledDefaultActions;return(null==n?void 0:n.length)>0?{is:"a",params:{title:n[0].displayName([this.source],this.currentView),role:"button",tabindex:"0"}}:(null===(e=this.source)||void 0===e?void 0:e.permissions)&et.aX.READ?{is:"a",params:{download:this.source.basename,href:this.source.source,title:(0,kn.Tl)("files","Download file {name}",{name:this.displayName}),tabindex:"0"}}:{is:"span"}}},watch:{isRenaming:{immediate:!0,handler(t){t&&this.startRenaming()}}},methods:{checkInputValidity(t){var e,n;const s=t.target,i=(null===(e=(n=this.newName).trim)||void 0===e?void 0:e.call(n))||"";Un.debug("Checking input validity",{newName:i});try{this.isFileNameValid(i),s.setCustomValidity(""),s.title=""}catch(t){s.setCustomValidity(t.message),s.title=t.message}finally{s.reportValidity()}},isFileNameValid(t){const e=t.trim();if("."===e||".."===e)throw new Error((0,kn.Tl)("files",'"{name}" is an invalid file name.',{name:t}));if(0===e.length)throw new Error((0,kn.Tl)("files","File name cannot be empty."));if(-1!==e.indexOf("/"))throw new Error((0,kn.Tl)("files",'"/" is not allowed inside a file name.'));if(e.match(OC.config.blacklist_files_regex))throw new Error((0,kn.Tl)("files",'"{name}" is not an allowed filetype.',{name:t}));if(this.checkIfNodeExists(t))throw new Error((0,kn.Tl)("files","{newName} already exists.",{newName:t}));return e.split("").forEach((t=>{if(-1!==Cr.indexOf(t))throw new Error(this.t("files",'"{char}" is not allowed inside a file name.',{char:t}))})),!0},checkIfNodeExists(t){return this.nodes.find((e=>e.basename===t&&e!==this.source))},startRenaming(){this.$nextTick((()=>{var t;const e=(this.source.extension||"").split("").length,n=this.source.basename.split("").length-e,s=null===(t=this.$refs.renameInput)||void 0===t||null===(t=t.$refs)||void 0===t||null===(t=t.inputField)||void 0===t||null===(t=t.$refs)||void 0===t?void 0:t.input;s?(s.setSelectionRange(0,n),s.focus(),s.dispatchEvent(new Event("keyup"))):Un.error("Could not find the rename input")}))},stopRenaming(){this.isRenaming&&this.renamingStore.$reset()},async onRename(){var t,e;const n=this.source.basename,s=this.source.encodedSource,i=(null===(t=(e=this.newName).trim)||void 0===t?void 0:t.call(e))||"";if(""!==i)if(n!==i)if(this.checkIfNodeExists(i))(0,zn.Qg)((0,kn.Tl)("files","Another entry with the same name already exists"));else{this.loading="renaming",st.Ay.set(this.source,"status",et.zI.LOADING),this.source.rename(i),Un.debug("Moving file to",{destination:this.source.encodedSource,oldEncodedSource:s});try{await(0,Bn.A)({method:"MOVE",url:s,headers:{Destination:this.source.encodedSource,Overwrite:"F"}}),(0,Tn.Ic)("files:node:updated",this.source),(0,Tn.Ic)("files:node:renamed",this.source),(0,zn.Te)((0,kn.Tl)("files",'Renamed "{oldName}" to "{newName}"',{oldName:n,newName:i})),this.stopRenaming(),this.$nextTick((()=>{this.$refs.basename.focus()}))}catch(t){var r,o;if(Un.error("Error while renaming file",{error:t}),this.source.rename(n),this.$refs.renameInput.focus(),404===(null==t||null===(r=t.response)||void 0===r?void 0:r.status))return void(0,zn.Qg)((0,kn.Tl)("files",'Could not rename "{oldName}", it does not exist any more',{oldName:n}));if(412===(null==t||null===(o=t.response)||void 0===o?void 0:o.status))return void(0,zn.Qg)((0,kn.Tl)("files",'The name "{newName}" is already used in the folder "{dir}". Please choose a different name.',{newName:i,dir:this.currentDir}));(0,zn.Qg)((0,kn.Tl)("files",'Could not rename "{oldName}"',{oldName:n}))}finally{this.loading=!1,st.Ay.set(this.source,"status",void 0)}}else this.stopRenaming();else(0,zn.Qg)((0,kn.Tl)("files","Name cannot be empty"))},t:kn.Tl}}),_r=(0,Sn.A)(xr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,t.isRenaming?e("form",{directives:[{name:"on-click-outside",rawName:"v-on-click-outside",value:t.stopRenaming,expression:"stopRenaming"}],staticClass:"files-list__row-rename",attrs:{"aria-label":t.t("files","Rename file")},on:{submit:function(e){return e.preventDefault(),e.stopPropagation(),t.onRename.apply(null,arguments)}}},[e("NcTextField",{ref:"renameInput",attrs:{label:t.renameLabel,autofocus:!0,minlength:1,required:!0,value:t.newName,enterkeyhint:"done"},on:{"update:value":function(e){t.newName=e},keyup:[t.checkInputValidity,function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])?null:t.stopRenaming.apply(null,arguments)}]}})],1):e(t.linkTo.is,t._b({ref:"basename",tag:"component",staticClass:"files-list__row-name-link",attrs:{"aria-hidden":t.isRenaming,"data-cy-files-list-row-name-link":""},on:{click:function(e){return t.$emit("click",e)}}},"component",t.linkTo.params,!1),[e("span",{staticClass:"files-list__row-name-text"},[e("span",{staticClass:"files-list__row-name-",domProps:{textContent:t._s(t.displayName)}}),t._v(" "),e("span",{staticClass:"files-list__row-name-ext",domProps:{textContent:t._s(t.extension)}})])])}),[],!1,null,null,null).exports;var Tr=s(72755);const kr={name:"FileIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Er=(0,Sn.A)(kr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon file-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M13,9V3.5L18.5,9M6,2C4.89,2 4,2.89 4,4V20A2,2 0 0,0 6,22H18A2,2 0 0,0 20,20V8L14,2H6Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Sr={name:"FolderOpenIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Lr=(0,Sn.A)(Sr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon folder-open-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M19,20H4C2.89,20 2,19.1 2,18V6C2,4.89 2.89,4 4,4H10L12,6H19A2,2 0 0,1 21,8H21L4,8V18L6.14,10H23.21L20.93,18.5C20.7,19.37 19.92,20 19,20Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Nr={name:"KeyIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Fr=(0,Sn.A)(Nr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon key-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M7 14C5.9 14 5 13.1 5 12S5.9 10 7 10 9 10.9 9 12 8.1 14 7 14M12.6 10C11.8 7.7 9.6 6 7 6C3.7 6 1 8.7 1 12S3.7 18 7 18C9.6 18 11.8 16.3 12.6 14H16V18H20V14H23V10H12.6Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Ir={name:"NetworkIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Pr=(0,Sn.A)(Ir,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon network-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Br={name:"TagIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Or=(0,Sn.A)(Br,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon tag-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Dr={name:"PlayCircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ur=(0,Sn.A)(Dr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon play-circle-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M10,16.5V7.5L16,12M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,jr={name:"CollectivesIcon",props:{title:{type:String,default:""},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},zr=(0,Sn.A)(jr,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon collectives-icon",attrs:{"aria-hidden":!t.title,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 16 16"}},[e("path",{attrs:{d:"M2.9,8.8c0-1.2,0.4-2.4,1.2-3.3L0.3,6c-0.2,0-0.3,0.3-0.1,0.4l2.7,2.6C2.9,9,2.9,8.9,2.9,8.8z"}}),t._v(" "),e("path",{attrs:{d:"M8,3.7c0.7,0,1.3,0.1,1.9,0.4L8.2,0.6c-0.1-0.2-0.3-0.2-0.4,0L6.1,4C6.7,3.8,7.3,3.7,8,3.7z"}}),t._v(" "),e("path",{attrs:{d:"M3.7,11.5L3,15.2c0,0.2,0.2,0.4,0.4,0.3l3.3-1.7C5.4,13.4,4.4,12.6,3.7,11.5z"}}),t._v(" "),e("path",{attrs:{d:"M15.7,6l-3.7-0.5c0.7,0.9,1.2,2,1.2,3.3c0,0.1,0,0.2,0,0.3l2.7-2.6C15.9,6.3,15.9,6.1,15.7,6z"}}),t._v(" "),e("path",{attrs:{d:"M12.3,11.5c-0.7,1.1-1.8,1.9-3,2.2l3.3,1.7c0.2,0.1,0.4-0.1,0.4-0.3L12.3,11.5z"}}),t._v(" "),e("path",{attrs:{d:"M9.6,10.1c-0.4,0.5-1,0.8-1.6,0.8c-1.1,0-2-0.9-2.1-2C5.9,7.7,6.8,6.7,8,6.7c0.6,0,1.1,0.3,1.5,0.7 c0.1,0.1,0.1,0.1,0.2,0.1h1.4c0.2,0,0.4-0.2,0.3-0.5c-0.7-1.3-2.1-2.2-3.8-2.1C5.8,5,4.3,6.6,4.1,8.5C4,10.8,5.8,12.7,8,12.7 c1.6,0,2.9-0.9,3.5-2.3c0.1-0.2-0.1-0.4-0.3-0.4H9.9C9.8,10,9.7,10,9.6,10.1z"}})])])}),[],!1,null,null,null).exports,Mr=(0,st.pM)({name:"FavoriteIcon",components:{NcIconSvgWrapper:In.A},data:()=>({StarSvg:'<svg xmlns="http://www.w3.org/2000/svg" id="mdi-star" viewBox="0 0 24 24"><path d="M12,17.27L18.18,21L16.54,13.97L22,9.24L14.81,8.62L12,2L9.19,8.62L2,9.24L7.45,13.97L5.82,21L12,17.27Z" /></svg>'}),async mounted(){var t;await this.$nextTick();const e=this.$el.querySelector("svg");null==e||null===(t=e.setAttribute)||void 0===t||t.call(e,"viewBox","-4 -4 30 30")},methods:{t:kn.Tl}});var Rr=s(55559),Vr={};Vr.styleTagTransform=ns(),Vr.setAttributes=Jn(),Vr.insert=Qn().bind(null,"head"),Vr.domAPI=Yn(),Vr.insertStyleElement=ts(),Wn()(Rr.A,Vr),Rr.A&&Rr.A.locals&&Rr.A.locals;const $r=(0,Sn.A)(Mr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcIconSvgWrapper",{staticClass:"favorite-marker-icon",attrs:{name:t.t("files","Favorite"),svg:t.StarSvg}})}),[],!1,null,"04e52abc",null).exports,qr=st.Ay.extend({name:"FileEntryPreview",components:{AccountGroupIcon:Tr.A,AccountPlusIcon:zs,CollectivesIcon:zr,FavoriteIcon:$r,FileIcon:Er,FolderIcon:Gi,FolderOpenIcon:Lr,KeyIcon:Fr,LinkIcon:Ns.A,NetworkIcon:Pr,TagIcon:Or},props:{source:{type:Object,required:!0},dragover:{type:Boolean,default:!1},gridMode:{type:Boolean,default:!1}},setup:()=>({userConfigStore:gs()}),data:()=>({backgroundFailed:void 0}),computed:{fileid(){var t,e;return null===(t=this.source)||void 0===t||null===(t=t.fileid)||void 0===t||null===(e=t.toString)||void 0===e?void 0:e.call(t)},isFavorite(){return 1===this.source.attributes.favorite},userConfig(){return this.userConfigStore.userConfig},cropPreviews(){return!0===this.userConfig.crop_image_previews},previewUrl(){if(this.source.type===et.pt.Folder)return null;if(!0===this.backgroundFailed)return null;try{const t=this.source.attributes.previewUrl||(0,rt.Jv)("/core/preview?fileId={fileid}",{fileid:this.fileid}),e=new URL(window.location.origin+t);return e.searchParams.set("x",this.gridMode?"128":"32"),e.searchParams.set("y",this.gridMode?"128":"32"),e.searchParams.set("mimeFallback","true"),e.searchParams.set("a",!0===this.cropPreviews?"0":"1"),e.href}catch(t){return null}},fileOverlay(){return void 0!==this.source.attributes["metadata-files-live-photo"]?Ur:null},folderOverlay(){var t,e,n,s;if(this.source.type!==et.pt.Folder)return null;if(1===(null===(t=this.source)||void 0===t||null===(t=t.attributes)||void 0===t?void 0:t["is-encrypted"]))return Fr;if(null!==(e=this.source)&&void 0!==e&&null!==(e=e.attributes)&&void 0!==e&&e["is-tag"])return Or;const i=Object.values((null===(n=this.source)||void 0===n||null===(n=n.attributes)||void 0===n?void 0:n["share-types"])||{}).flat();if(i.some((t=>t===Ss.Z.SHARE_TYPE_LINK||t===Ss.Z.SHARE_TYPE_EMAIL)))return Ns.A;if(i.length>0)return zs;switch(null===(s=this.source)||void 0===s||null===(s=s.attributes)||void 0===s?void 0:s["mount-type"]){case"external":case"external-session":return Pr;case"group":return Tr.A;case"collective":return zr}return null}},methods:{reset(){this.backgroundFailed=void 0,this.$refs.previewImg&&(this.$refs.previewImg.src="")},onBackgroundError(t){var e;""!==(null===(e=t.target)||void 0===e?void 0:e.src)&&(this.backgroundFailed=!0)},t:kn.Tl}}),Hr=(0,Sn.A)(qr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("span",{staticClass:"files-list__row-icon"},["folder"===t.source.type?[t.dragover?t._m(0):[t._m(1),t._v(" "),t.folderOverlay?e(t.folderOverlay,{tag:"OverlayIcon",staticClass:"files-list__row-icon-overlay"}):t._e()]]:t.previewUrl&&!0!==t.backgroundFailed?e("img",{ref:"previewImg",staticClass:"files-list__row-icon-preview",class:{"files-list__row-icon-preview--loaded":!1===t.backgroundFailed},attrs:{alt:"",loading:"lazy",src:t.previewUrl},on:{error:t.onBackgroundError,load:function(e){t.backgroundFailed=!1}}}):t._m(2),t._v(" "),t.isFavorite?e("span",{staticClass:"files-list__row-icon-favorite"},[t._m(3)],1):t._e(),t._v(" "),t.fileOverlay?e(t.fileOverlay,{tag:"OverlayIcon",staticClass:"files-list__row-icon-overlay files-list__row-icon-overlay--file"}):t._e()],2)}),[function(){var t=this._self._c;return this._self._setupProxy,t("FolderOpenIcon")},function(){var t=this._self._c;return this._self._setupProxy,t("FolderIcon")},function(){var t=this._self._c;return this._self._setupProxy,t("FileIcon")},function(){var t=this._self._c;return this._self._setupProxy,t("FavoriteIcon")}],!1,null,null,null).exports,Wr=(0,st.pM)({name:"FileEntry",components:{CustomElementRender:ir,FileEntryActions:Ar,FileEntryCheckbox:yr,FileEntryName:_r,FileEntryPreview:Hr,NcDateTime:nr.A},mixins:[er],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},compact:{type:Boolean,default:!1}},setup:()=>({actionsMenuStore:Ri(),draggingStore:Bi(),filesStore:qs(),renamingStore:Vi(),selectionStore:Ws()}),computed:{rowListeners(){return{...this.isRenaming?{}:{dragstart:this.onDragStart,dragover:this.onDragOver},contextmenu:this.onRightClick,dragleave:this.onDragLeave,dragend:this.onDragEnd,drop:this.onDrop}},columns(){var t;return this.filesListWidth<512||this.compact?[]:(null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]},size(){const t=parseInt(this.source.size,10)||0;return"number"!=typeof t||t<0?this.t("files","Pending"):(0,et.v7)(t,!0)},sizeOpacity(){const t=parseInt(this.source.size,10)||0;if(!t||t<0)return{};const e=Math.round(Math.min(100,100*Math.pow(this.source.size/10485760,2)));return{color:"color-mix(in srgb, var(--color-main-text) ".concat(e,"%, var(--color-text-maxcontrast))")}},mtimeOpacity(){var t,e;const n=26784e5,s=null===(t=this.source.mtime)||void 0===t||null===(e=t.getTime)||void 0===e?void 0:e.call(t);if(!s)return{};const i=Math.round(Math.min(100,100*(n-(Date.now()-s))/n));return i<0?{}:{color:"color-mix(in srgb, var(--color-main-text) ".concat(i,"%, var(--color-text-maxcontrast))")}},mtimeTitle(){return this.source.mtime?(0,Mi.A)(this.source.mtime).format("LLL"):""},isActive(){var t,e;return this.fileid===(null===(t=this.currentFileId)||void 0===t||null===(e=t.toString)||void 0===e?void 0:e.call(t))}},methods:{formatFileSize:et.v7}}),Gr=(0,Sn.A)(Wr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",t._g({staticClass:"files-list__row",class:{"files-list__row--dragover":t.dragover,"files-list__row--loading":t.isLoading,"files-list__row--active":t.isActive},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag}},t.rowListeners),[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{source:t.source,dragover:t.dragover},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{directives:[{name:"show",rawName:"v-show",value:!t.isRenamingSmallScreen,expression:"!isRenamingSmallScreen"}],ref:"actions",class:"files-list__row-actions-".concat(t.uniqueId),attrs:{"files-list-width":t.filesListWidth,loading:t.loading,opened:t.openedMenu,source:t.source},on:{"update:loading":function(e){t.loading=e},"update:opened":function(e){t.openedMenu=e}}}),t._v(" "),!t.compact&&t.isSizeAvailable?e("td",{staticClass:"files-list__row-size",style:t.sizeOpacity,attrs:{"data-cy-files-list-row-size":""},on:{click:t.openDetailsIfAvailable}},[e("span",[t._v(t._s(t.size))])]):t._e(),t._v(" "),!t.compact&&t.isMtimeAvailable?e("td",{staticClass:"files-list__row-mtime",style:t.mtimeOpacity,attrs:{"data-cy-files-list-row-mtime":""},on:{click:t.openDetailsIfAvailable}},[e("NcDateTime",{attrs:{timestamp:t.source.mtime,"ignore-seconds":!0}})],1):t._e(),t._v(" "),t._l(t.columns,(function(n){var s;return e("td",{key:n.id,staticClass:"files-list__row-column-custom",class:"files-list__row-".concat(null===(s=t.currentView)||void 0===s?void 0:s.id,"-").concat(n.id),attrs:{"data-cy-files-list-row-column-custom":n.id},on:{click:t.openDetailsIfAvailable}},[e("CustomElementRender",{attrs:{"current-view":t.currentView,render:n.render,source:t.source}})],1)}))],2)}),[],!1,null,null,null).exports,Yr=(0,st.pM)({name:"FileEntryGrid",components:{FileEntryActions:Ar,FileEntryCheckbox:yr,FileEntryName:_r,FileEntryPreview:Hr},mixins:[er],inheritAttrs:!1,setup:()=>({actionsMenuStore:Ri(),draggingStore:Bi(),filesStore:qs(),renamingStore:Vi(),selectionStore:Ws()}),data:()=>({gridMode:!0})}),Kr=(0,Sn.A)(Yr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",{staticClass:"files-list__row",class:{"files-list__row--active":t.isActive,"files-list__row--dragover":t.dragover,"files-list__row--loading":t.isLoading},attrs:{"data-cy-files-list-row":"","data-cy-files-list-row-fileid":t.fileid,"data-cy-files-list-row-name":t.source.basename,draggable:t.canDrag},on:{contextmenu:t.onRightClick,dragover:t.onDragOver,dragleave:t.onDragLeave,dragstart:t.onDragStart,dragend:t.onDragEnd,drop:t.onDrop}},[t.source.attributes.failed?e("span",{staticClass:"files-list__row--failed"}):t._e(),t._v(" "),e("FileEntryCheckbox",{attrs:{fileid:t.fileid,"is-loading":t.isLoading,nodes:t.nodes,source:t.source}}),t._v(" "),e("td",{staticClass:"files-list__row-name",attrs:{"data-cy-files-list-row-name":""}},[e("FileEntryPreview",{ref:"preview",attrs:{dragover:t.dragover,"grid-mode":!0,source:t.source},nativeOn:{click:function(e){return t.execDefaultAction.apply(null,arguments)}}}),t._v(" "),e("FileEntryName",{ref:"name",attrs:{"display-name":t.displayName,extension:t.extension,"files-list-width":t.filesListWidth,"grid-mode":!0,nodes:t.nodes,source:t.source},on:{click:t.execDefaultAction}})],1),t._v(" "),e("FileEntryActions",{ref:"actions",class:"files-list__row-actions-".concat(t.uniqueId),attrs:{"files-list-width":t.filesListWidth,"grid-mode":!0,loading:t.loading,opened:t.openedMenu,source:t.source},on:{"update:loading":function(e){t.loading=e},"update:opened":function(e){t.openedMenu=e}}})],1)}),[],!1,null,null,null).exports;var Qr=s(96763);const Xr={name:"FilesListHeader",props:{header:{type:Object,required:!0},currentFolder:{type:Object,required:!0},currentView:{type:Object,required:!0}},computed:{enabled(){return this.header.enabled(this.currentFolder,this.currentView)}},watch:{enabled(t){t&&this.header.updated(this.currentFolder,this.currentView)},currentFolder(){this.header.updated(this.currentFolder,this.currentView)}},mounted(){Qr.debug("Mounted",this.header.id),this.header.render(this.$refs.mount,this.currentFolder,this.currentView)}},Jr=(0,Sn.A)(Xr,(function(){var t=this,e=t._self._c;return e("div",{directives:[{name:"show",rawName:"v-show",value:t.enabled,expression:"enabled"}],class:"files-list__header-".concat(t.header.id)},[e("span",{ref:"mount"})])}),[],!1,null,null,null).exports,Zr=st.Ay.extend({name:"FilesListTableFooter",components:{},props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},summary:{type:String,default:""},filesListWidth:{type:Number,default:0}},setup(){const t=Hs();return{filesStore:qs(),pathsStore:t}},computed:{currentView(){return this.$navigation.active},dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t?void 0:t.dir)||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){var t;if(null===(t=this.currentView)||void 0===t||!t.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const e=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(e)},columns(){var t;return this.filesListWidth<512?[]:(null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]},totalSize(){var t;return null!==(t=this.currentFolder)&&void 0!==t&&t.size?(0,et.v7)(this.currentFolder.size,!0):(0,et.v7)(this.nodes.reduce(((t,e)=>t+e.size||0),0),!0)}},methods:{classForColumn(t){return{"files-list__row-column-custom":!0,["files-list__row-".concat(this.currentView.id,"-").concat(t.id)]:!0}},t:kn.Tl}});var to=s(31840),eo={};eo.styleTagTransform=ns(),eo.setAttributes=Jn(),eo.insert=Qn().bind(null,"head"),eo.domAPI=Yn(),eo.insertStyleElement=ts(),Wn()(to.A,eo),to.A&&to.A.locals&&to.A.locals;const no=(0,Sn.A)(Zr,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",[e("th",{staticClass:"files-list__row-checkbox"},[e("span",{staticClass:"hidden-visually"},[t._v(t._s(t.t("files","Total rows summary")))])]),t._v(" "),e("td",{staticClass:"files-list__row-name"},[e("span",{staticClass:"files-list__row-icon"}),t._v(" "),e("span",[t._v(t._s(t.summary))])]),t._v(" "),e("td",{staticClass:"files-list__row-actions"}),t._v(" "),t.isSizeAvailable?e("td",{staticClass:"files-list__column files-list__row-size"},[e("span",[t._v(t._s(t.totalSize))])]):t._e(),t._v(" "),t.isMtimeAvailable?e("td",{staticClass:"files-list__column files-list__row-mtime"}):t._e(),t._v(" "),t._l(t.columns,(function(n){var s;return e("th",{key:n.id,class:t.classForColumn(n)},[e("span",[t._v(t._s(null===(s=n.summary)||void 0===s?void 0:s.call(n,t.nodes,t.currentView)))])])}))],2)}),[],!1,null,"a85bde20",null).exports;var so=s(1795),io=s(33017);const ro=st.Ay.extend({computed:{...(ao=Dn,lo=["getConfig","setSortingBy","toggleSortingDirection"],Array.isArray(lo)?lo.reduce(((t,e)=>(t[e]=function(){return ao(this.$pinia)[e]},t)),{}):Object.keys(lo).reduce(((t,e)=>(t[e]=function(){const t=ao(this.$pinia),n=lo[e];return"function"==typeof n?n.call(this,t):t[n]},t)),{})),currentView(){return this.$navigation.active},sortingMode(){var t,e;return(null===(t=this.getConfig(this.currentView.id))||void 0===t?void 0:t.sorting_mode)||(null===(e=this.currentView)||void 0===e?void 0:e.defaultSortKey)||"basename"},isAscSorting(){var t;return"desc"!==(null===(t=this.getConfig(this.currentView.id))||void 0===t?void 0:t.sorting_direction)}},methods:{toggleSortBy(t){this.sortingMode!==t?this.setSortingBy(t,this.currentView.id):this.toggleSortingDirection(this.currentView.id)}}}),oo=(0,st.pM)({name:"FilesListTableHeaderButton",components:{MenuDown:so.A,MenuUp:io.A,NcButton:Bs.A},mixins:[ro],props:{name:{type:String,required:!0},mode:{type:String,required:!0}},methods:{t:kn.Tl}});var ao,lo,co=s(75290),uo={};uo.styleTagTransform=ns(),uo.setAttributes=Jn(),uo.insert=Qn().bind(null,"head"),uo.domAPI=Yn(),uo.insertStyleElement=ts(),Wn()(co.A,uo),co.A&&co.A.locals&&co.A.locals;const mo=(0,Sn.A)(oo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcButton",{class:["files-list__column-sort-button",{"files-list__column-sort-button--active":t.sortingMode===t.mode,"files-list__column-sort-button--size":"size"===t.sortingMode}],attrs:{alignment:"size"===t.mode?"end":"start-reverse",type:"tertiary"},on:{click:function(e){return t.toggleSortBy(t.mode)}},scopedSlots:t._u([{key:"icon",fn:function(){return[t.sortingMode!==t.mode||t.isAscSorting?e("MenuUp",{staticClass:"files-list__column-sort-button-icon"}):e("MenuDown",{staticClass:"files-list__column-sort-button-icon"})]},proxy:!0}])},[t._v(" "),e("span",{staticClass:"files-list__column-sort-button-text"},[t._v(t._s(t.name))])])}),[],!1,null,"097f69d4",null).exports,po=(0,st.pM)({name:"FilesListTableHeader",components:{FilesListTableHeaderButton:mo,NcCheckboxRadioSwitch:ls.A},mixins:[ro],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({filesStore:qs(),selectionStore:Ws()}),computed:{currentView(){return this.$navigation.active},columns(){var t;return this.filesListWidth<512?[]:(null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]},dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t?void 0:t.dir)||"/").replace(/^(.+)\/$/,"$1")},selectAllBind(){const t=(0,kn.Tl)("files","Toggle selection for all files and folders");return{"aria-label":t,checked:this.isAllSelected,indeterminate:this.isSomeSelected,title:t}},selectedNodes(){return this.selectionStore.selected},isAllSelected(){return this.selectedNodes.length===this.nodes.length},isNoneSelected(){return 0===this.selectedNodes.length},isSomeSelected(){return!this.isAllSelected&&!this.isNoneSelected}},methods:{ariaSortForMode(t){return this.sortingMode===t?this.isAscSorting?"ascending":"descending":null},classForColumn(t){var e;return{"files-list__column":!0,"files-list__column--sortable":!!t.sort,"files-list__row-column-custom":!0,["files-list__row-".concat(null===(e=this.currentView)||void 0===e?void 0:e.id,"-").concat(t.id)]:!0}},onToggleAll(t){if(t){const t=this.nodes.map((t=>t.fileid)).filter(Boolean);Un.debug("Added all nodes to selection",{selection:t}),this.selectionStore.setLastIndex(null),this.selectionStore.set(t)}else Un.debug("Cleared selection"),this.selectionStore.reset()},resetSelection(){this.selectionStore.reset()},t:kn.Tl}});var fo=s(60799),go={};go.styleTagTransform=ns(),go.setAttributes=Jn(),go.insert=Qn().bind(null,"head"),go.domAPI=Yn(),go.insertStyleElement=ts(),Wn()(fo.A,go),fo.A&&fo.A.locals&&fo.A.locals;const ho=(0,Sn.A)(po,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("tr",{staticClass:"files-list__row-head"},[e("th",{staticClass:"files-list__column files-list__row-checkbox",on:{keyup:function(e){return!e.type.indexOf("key")&&t._k(e.keyCode,"esc",27,e.key,["Esc","Escape"])||e.ctrlKey||e.shiftKey||e.altKey||e.metaKey?null:t.resetSelection.apply(null,arguments)}}},[e("NcCheckboxRadioSwitch",t._b({on:{"update:checked":t.onToggleAll}},"NcCheckboxRadioSwitch",t.selectAllBind,!1))],1),t._v(" "),e("th",{staticClass:"files-list__column files-list__row-name files-list__column--sortable",attrs:{"aria-sort":t.ariaSortForMode("basename")}},[e("span",{staticClass:"files-list__row-icon"}),t._v(" "),e("FilesListTableHeaderButton",{attrs:{name:t.t("files","Name"),mode:"basename"}})],1),t._v(" "),e("th",{staticClass:"files-list__row-actions"}),t._v(" "),t.isSizeAvailable?e("th",{staticClass:"files-list__column files-list__row-size",class:{"files-list__column--sortable":t.isSizeAvailable},attrs:{"aria-sort":t.ariaSortForMode("size")}},[e("FilesListTableHeaderButton",{attrs:{name:t.t("files","Size"),mode:"size"}})],1):t._e(),t._v(" "),t.isMtimeAvailable?e("th",{staticClass:"files-list__column files-list__row-mtime",class:{"files-list__column--sortable":t.isMtimeAvailable},attrs:{"aria-sort":t.ariaSortForMode("mtime")}},[e("FilesListTableHeaderButton",{attrs:{name:t.t("files","Modified"),mode:"mtime"}})],1):t._e(),t._v(" "),t._l(t.columns,(function(n){return e("th",{key:n.id,class:t.classForColumn(n),attrs:{"aria-sort":t.ariaSortForMode(n.id)}},[n.sort?e("FilesListTableHeaderButton",{attrs:{name:n.title,mode:n.id}}):e("span",[t._v("\n\t\t\t"+t._s(n.title)+"\n\t\t")])],1)}))],2)}),[],!1,null,"952162c2",null).exports;var vo=s(17334),Ao=s.n(vo),wo=s(96763);const yo=st.Ay.extend({name:"VirtualList",mixins:[Oi],props:{dataComponent:{type:[Object,Function],required:!0},dataKey:{type:String,required:!0},dataSources:{type:Array,required:!0},extraProps:{type:Object,default:()=>({})},scrollToIndex:{type:Number,default:0},gridMode:{type:Boolean,default:!1},caption:{type:String,default:""}},data(){return{index:this.scrollToIndex,beforeHeight:0,headerHeight:0,tableHeight:0,resizeObserver:null}},computed:{isReady(){return this.tableHeight>0},bufferItems(){return this.gridMode?this.columnCount:3},itemHeight(){return this.gridMode?197:55},itemWidth:()=>175,rowCount(){return Math.ceil((this.tableHeight-this.headerHeight)/this.itemHeight)+this.bufferItems/this.columnCount*2+1},columnCount(){return this.gridMode?Math.floor(this.filesListWidth/this.itemWidth):1},startIndex(){return Math.max(0,this.index-this.bufferItems)},shownItems(){return this.gridMode?this.rowCount*this.columnCount:this.rowCount},renderedItems(){if(!this.isReady)return[];const t=this.dataSources.slice(this.startIndex,this.startIndex+this.shownItems),e=t.filter((t=>Object.values(this.$_recycledPool).includes(t[this.dataKey]))).map((t=>t[this.dataKey])),n=Object.keys(this.$_recycledPool).filter((t=>!e.includes(this.$_recycledPool[t])));return t.map((t=>{const e=Object.values(this.$_recycledPool).indexOf(t[this.dataKey]);if(-1!==e)return{key:Object.keys(this.$_recycledPool)[e],item:t};const s=n.pop()||Math.random().toString(36).substr(2);return this.$_recycledPool[s]=t[this.dataKey],{key:s,item:t}}))},tbodyStyle(){const t=this.startIndex+this.rowCount>this.dataSources.length,e=this.dataSources.length-this.startIndex-this.shownItems,n=Math.floor(Math.min(this.dataSources.length-this.startIndex,e)/this.columnCount);return{paddingTop:"".concat(Math.floor(this.startIndex/this.columnCount)*this.itemHeight,"px"),paddingBottom:t?0:"".concat(n*this.itemHeight,"px")}}},watch:{scrollToIndex(t){this.scrollTo(t)},columnCount(t,e){0!==e?this.scrollTo(this.index):wo.debug("VirtualList: columnCount is 0, skipping scroll")}},mounted(){var t,e;const n=null===(t=this.$refs)||void 0===t?void 0:t.before,s=this.$el,i=null===(e=this.$refs)||void 0===e?void 0:e.thead;this.resizeObserver=new ResizeObserver((0,vo.debounce)((()=>{var t,e,r;this.beforeHeight=null!==(t=null==n?void 0:n.clientHeight)&&void 0!==t?t:0,this.headerHeight=null!==(e=null==i?void 0:i.clientHeight)&&void 0!==e?e:0,this.tableHeight=null!==(r=null==s?void 0:s.clientHeight)&&void 0!==r?r:0,Un.debug("VirtualList: resizeObserver updated"),this.onScroll()}),100,!1)),this.resizeObserver.observe(n),this.resizeObserver.observe(s),this.resizeObserver.observe(i),this.scrollToIndex&&this.scrollTo(this.scrollToIndex),this.$el.addEventListener("scroll",this.onScroll,{passive:!0}),this.$_recycledPool={}},beforeDestroy(){this.resizeObserver&&this.resizeObserver.disconnect()},methods:{scrollTo(t){const e=Math.ceil(this.dataSources.length/this.columnCount);if(e<this.rowCount)return void Un.debug("VirtualList: Skip scrolling. nothing to scroll",{index:t,targetRow:e,rowCount:this.rowCount});this.index=t;const n=(Math.floor(t/this.columnCount)-.5)*this.itemHeight+this.beforeHeight;Un.debug("VirtualList: scrolling to index "+t,{scrollTop:n,columnCount:this.columnCount}),this.$el.scrollTop=n},onScroll(){var t;null!==(t=this._onScrollHandle)&&void 0!==t||(this._onScrollHandle=requestAnimationFrame((()=>{this._onScrollHandle=null;const t=this.$el.scrollTop-this.beforeHeight,e=Math.floor(t/this.itemHeight)*this.columnCount;this.index=Math.max(0,e),this.$emit("scroll")})))}}}),bo=(0,Sn.A)(yo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list",attrs:{"data-cy-files-list":""}},[e("div",{ref:"before",staticClass:"files-list__before"},[t._t("before")],2),t._v(" "),t.$scopedSlots["header-overlay"]?e("div",{staticClass:"files-list__thead-overlay"},[t._t("header-overlay")],2):t._e(),t._v(" "),e("table",{staticClass:"files-list__table",class:{"files-list__table--with-thead-overlay":!!t.$scopedSlots["header-overlay"]}},[t.caption?e("caption",{staticClass:"hidden-visually"},[t._v("\n\t\t\t"+t._s(t.caption)+"\n\t\t")]):t._e(),t._v(" "),e("thead",{ref:"thead",staticClass:"files-list__thead",attrs:{"data-cy-files-list-thead":""}},[t._t("header")],2),t._v(" "),e("tbody",{staticClass:"files-list__tbody",class:t.gridMode?"files-list__tbody--grid":"files-list__tbody--list",style:t.tbodyStyle,attrs:{"data-cy-files-list-tbody":""}},t._l(t.renderedItems,(function(n,s){let{key:i,item:r}=n;return e(t.dataComponent,t._b({key:i,tag:"component",attrs:{source:r,index:s}},"component",t.extraProps,!1))})),1),t._v(" "),e("tfoot",{directives:[{name:"show",rawName:"v-show",value:t.isReady,expression:"isReady"}],staticClass:"files-list__tfoot",attrs:{"data-cy-files-list-tfoot":""}},[t._t("footer")],2)])])}),[],!1,null,null,null).exports,Co=(0,et.qK)(),xo=(0,st.pM)({name:"FilesListTableHeaderActions",components:{NcActions:lr.A,NcActionButton:ar.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Ds.A},mixins:[Oi],props:{currentView:{type:Object,required:!0},selectedNodes:{type:Array,default:()=>[]}},setup:()=>({actionsMenuStore:Ri(),filesStore:qs(),selectionStore:Ws()}),data:()=>({loading:null}),computed:{dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t?void 0:t.dir)||"/").replace(/^(.+)\/$/,"$1")},enabledActions(){return Co.filter((t=>t.execBatch)).filter((t=>!t.enabled||t.enabled(this.nodes,this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0)))},nodes(){return this.selectedNodes.map((t=>this.getNode(t))).filter(Boolean)},areSomeNodesLoading(){return this.nodes.some((t=>t.status===et.zI.LOADING))},openedMenu:{get(){return"global"===this.actionsMenuStore.opened},set(t){this.actionsMenuStore.opened=t?"global":null}},inlineActions(){return this.filesListWidth<512?0:this.filesListWidth<768?1:this.filesListWidth<1024?2:3}},methods:{getNode(t){return this.filesStore.getNode(t)},async onActionClick(t){const e=t.displayName(this.nodes,this.currentView),n=this.selectedNodes;try{this.loading=t.id,this.nodes.forEach((t=>{st.Ay.set(t,"status",et.zI.LOADING)}));const s=await t.execBatch(this.nodes,this.currentView,this.dir);if(!s.some((t=>null!==t)))return void this.selectionStore.reset();if(s.some((t=>!1===t))){const t=n.filter(((t,e)=>!1===s[e]));if(this.selectionStore.set(t),s.some((t=>null===t)))return;return void(0,zn.Qg)(this.t("files",'"{displayName}" failed on some elements ',{displayName:e}))}(0,zn.Te)(this.t("files",'"{displayName}" batch action executed successfully',{displayName:e})),this.selectionStore.reset()}catch(n){Un.error("Error while executing action",{action:t,e:n}),(0,zn.Qg)(this.t("files",'"{displayName}" action failed',{displayName:e}))}finally{this.loading=null,this.nodes.forEach((t=>{st.Ay.set(t,"status",void 0)}))}},t:kn.Tl}}),_o=xo;var To=s(58017),ko={};ko.styleTagTransform=ns(),ko.setAttributes=Jn(),ko.insert=Qn().bind(null,"head"),ko.domAPI=Yn(),ko.insertStyleElement=ts(),Wn()(To.A,ko),To.A&&To.A.locals&&To.A.locals;var Eo=(0,Sn.A)(_o,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{staticClass:"files-list__column files-list__row-actions-batch"},[e("NcActions",{ref:"actionsMenu",attrs:{disabled:!!t.loading||t.areSomeNodesLoading,"force-name":!0,inline:t.inlineActions,"menu-name":t.inlineActions<=1?t.t("files","Actions"):null,open:t.openedMenu},on:{"update:open":function(e){t.openedMenu=e}}},t._l(t.enabledActions,(function(n){return e("NcActionButton",{key:n.id,class:"files-list__row-actions-batch-"+n.id,on:{click:function(e){return t.onActionClick(n)}},scopedSlots:t._u([{key:"icon",fn:function(){return[t.loading===n.id?e("NcLoadingIcon",{attrs:{size:18}}):e("NcIconSvgWrapper",{attrs:{svg:n.iconSvgInline(t.nodes,t.currentView)}})]},proxy:!0}],null,!0)},[t._v("\n\t\t\t"+t._s(n.displayName(t.nodes,t.currentView))+"\n\t\t")])})),1)],1)}),[],!1,null,"d939292c",null);const So=Eo.exports,Lo=(0,st.pM)({name:"FilesListVirtual",components:{FilesListHeader:Jr,FilesListTableFooter:no,FilesListTableHeader:ho,VirtualList:bo,FilesListTableHeaderActions:So},mixins:[Oi],props:{currentView:{type:et.Ss,required:!0},currentFolder:{type:et.vd,required:!0},nodes:{type:Array,required:!0}},setup:()=>({userConfigStore:gs(),selectionStore:Ws()}),data:()=>({FileEntry:Gr,FileEntryGrid:Kr,headers:(0,et.By)(),scrollToIndex:0,openFileId:null}),computed:{userConfig(){return this.userConfigStore.userConfig},fileId(){return parseInt(this.$route.params.fileid)||null},openFile(){return!!this.$route.query.openfile},summary(){return ki(this.nodes)},isMtimeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.mtime))},isSizeAvailable(){return!(this.filesListWidth<768)&&this.nodes.some((t=>void 0!==t.attributes.size))},sortedHeaders(){return this.currentFolder&&this.currentView?[...this.headers].sort(((t,e)=>t.order-e.order)):[]},caption(){const t=(0,kn.Tl)("files","List of files and folders."),e=this.currentView.caption||t,n=(0,kn.Tl)("files","Column headers with buttons are sortable."),s=(0,kn.Tl)("files","This list is not fully rendered for performance reasons. The files will be rendered as you navigate through the list.");return"".concat(e,"\n").concat(n,"\n").concat(s)},selectedNodes(){return this.selectionStore.selected},isNoneSelected(){return 0===this.selectedNodes.length}},watch:{fileId(t){this.scrollToFile(t,!1)},openFile(t){t&&this.$nextTick((()=>this.handleOpenFile(this.fileId)))}},mounted(){window.document.querySelector("main.app-content").addEventListener("dragover",this.onDragOver);const{id:t}=(0,Pn.C)("files","openFileInfo",{});this.scrollToFile(null!=t?t:this.fileId),this.openSidebarForFile(null!=t?t:this.fileId),this.handleOpenFile(null!=t?t:null)},beforeDestroy(){window.document.querySelector("main.app-content").removeEventListener("dragover",this.onDragOver)},methods:{openSidebarForFile(t){if(document.documentElement.clientWidth>1024&&this.currentFolder.fileid!==t){var e;const n=this.nodes.find((e=>e.fileid===t));n&&null!=$s&&null!==(e=$s.enabled)&&void 0!==e&&e.call($s,[n],this.currentView)&&(Un.debug("Opening sidebar on file "+n.path,{node:n}),$s.exec(n,this.currentView,this.currentFolder.path))}},scrollToFile(t){let e=!(arguments.length>1&&void 0!==arguments[1])||arguments[1];if(t){const n=this.nodes.findIndex((e=>e.fileid===t));e&&-1===n&&t!==this.currentFolder.fileid&&(0,zn.Qg)(this.t("files","File not found")),this.scrollToIndex=Math.max(0,n)}},handleOpenFile(t){if(null===t||this.openFileId===t)return;const e=this.nodes.find((e=>e.fileid===t));void 0!==e&&e.type!==et.pt.Folder&&(Un.debug("Opening file "+e.path,{node:e}),this.openFileId=t,(0,et.qK)().filter((t=>!t.enabled||t.enabled([e],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0))).filter((t=>!(null==t||!t.default)))[0].exec(e,this.currentView,this.currentFolder.path))},getFileId:t=>t.fileid,onDragOver(t){var e;if(null===(e=t.dataTransfer)||void 0===e?void 0:e.types.includes("Files"))return;t.preventDefault(),t.stopPropagation();const n=this.$refs.table.$el.getBoundingClientRect().top,s=n+this.$refs.table.$el.getBoundingClientRect().height;t.clientY<n+100?this.$refs.table.$el.scrollTop=this.$refs.table.$el.scrollTop-25:t.clientY>s-50&&(this.$refs.table.$el.scrollTop=this.$refs.table.$el.scrollTop+25)},t:kn.Tl}});var No=s(8524),Fo={};Fo.styleTagTransform=ns(),Fo.setAttributes=Jn(),Fo.insert=Qn().bind(null,"head"),Fo.domAPI=Yn(),Fo.insertStyleElement=ts(),Wn()(No.A,Fo),No.A&&No.A.locals&&No.A.locals;var Io=s(66936),Po={};Po.styleTagTransform=ns(),Po.setAttributes=Jn(),Po.insert=Qn().bind(null,"head"),Po.domAPI=Yn(),Po.insertStyleElement=ts(),Wn()(Io.A,Po),Io.A&&Io.A.locals&&Io.A.locals;const Bo=(0,Sn.A)(Lo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("VirtualList",{ref:"table",attrs:{"data-component":t.userConfig.grid_view?t.FileEntryGrid:t.FileEntry,"data-key":"source","data-sources":t.nodes,"grid-mode":t.userConfig.grid_view,"extra-props":{isMtimeAvailable:t.isMtimeAvailable,isSizeAvailable:t.isSizeAvailable,nodes:t.nodes,filesListWidth:t.filesListWidth},"scroll-to-index":t.scrollToIndex,caption:t.caption},scopedSlots:t._u([t.isNoneSelected?null:{key:"header-overlay",fn:function(){return[e("FilesListTableHeaderActions",{attrs:{"current-view":t.currentView,"selected-nodes":t.selectedNodes}})]},proxy:!0},{key:"before",fn:function(){return t._l(t.sortedHeaders,(function(n){return e("FilesListHeader",{key:n.id,attrs:{"current-folder":t.currentFolder,"current-view":t.currentView,header:n}})}))},proxy:!0},{key:"header",fn:function(){return[e("FilesListTableHeader",{ref:"thead",attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes}})]},proxy:!0},{key:"footer",fn:function(){return[e("FilesListTableFooter",{attrs:{"files-list-width":t.filesListWidth,"is-mtime-available":t.isMtimeAvailable,"is-size-available":t.isSizeAvailable,nodes:t.nodes,summary:t.summary}})]},proxy:!0}],null,!0)})}),[],!1,null,"2bbbfb12",null).exports,Oo={name:"TrayArrowDownIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Do=(0,Sn.A)(Oo,(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon tray-arrow-down-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M2 12H4V17H20V12H22V17C22 18.11 21.11 19 20 19H4C2.9 19 2 18.11 2 17V12M12 15L17.55 9.54L16.13 8.13L13 11.25V2H11V11.25L7.88 8.13L6.46 9.55L12 15Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null).exports,Uo=(0,st.pM)({name:"DragAndDropNotice",components:{TrayArrowDownIcon:Do},props:{currentFolder:{type:et.vd,required:!0}},data:()=>({dragover:!1}),computed:{currentView(){return this.$navigation.active},canUpload(){return this.currentFolder&&!!(this.currentFolder.permissions&et.aX.CREATE)},isQuotaExceeded(){var t;return 0===(null===(t=this.currentFolder)||void 0===t||null===(t=t.attributes)||void 0===t?void 0:t["quota-available-bytes"])},cantUploadLabel(){return this.isQuotaExceeded?this.t("files","Your have used your space quota and cannot upload files anymore"):this.canUpload?null:this.t("files","You don’t have permission to upload or create files here")}},mounted(){const t=window.document.querySelector("main.app-content");t.addEventListener("dragover",this.onDragOver),t.addEventListener("dragleave",this.onDragLeave),t.addEventListener("drop",this.onContentDrop)},beforeDestroy(){const t=window.document.querySelector("main.app-content");t.removeEventListener("dragover",this.onDragOver),t.removeEventListener("dragleave",this.onDragLeave),t.removeEventListener("drop",this.onContentDrop)},methods:{onDragOver(t){var e;t.preventDefault(),(null===(e=t.dataTransfer)||void 0===e?void 0:e.types.includes("Files"))&&(this.dragover=!0)},onDragLeave(t){var e;const n=t.currentTarget;null!=n&&n.contains(null!==(e=t.relatedTarget)&&void 0!==e?e:t.target)||this.dragover&&(this.dragover=!1)},onContentDrop(t){Un.debug("Drag and drop cancelled, dropped on empty space",{event:t}),t.preventDefault(),this.dragover&&(this.dragover=!1)},async onDrop(t){var e,n,s;if(this.cantUploadLabel)return void(0,zn.Qg)(this.cantUploadLabel);if(null!==(e=this.$el.querySelector("tbody"))&&void 0!==e&&e.contains(t.target))return;t.preventDefault(),t.stopPropagation();const i=[...(null===(n=t.dataTransfer)||void 0===n?void 0:n.items)||[]],r=await Fi(i),o=await(null===(s=this.currentView)||void 0===s?void 0:s.getContents(this.currentFolder.path)),a=null==o?void 0:o.folder;if(!a)return void(0,zn.Qg)(this.t("files","Target folder does not exist any more"));if(t.button)return;Un.debug("Dropped",{event:t,folder:a,fileTree:r});const l=(await Ii(r,a,o.contents)).findLast((t=>{var e;return t.status!==Ls.c.FAILED&&!t.file.webkitRelativePath.includes("/")&&(null===(e=t.response)||void 0===e||null===(e=e.headers)||void 0===e?void 0:e["oc-fileid"])&&2===t.source.replace(a.source,"").split("/").length}));var c,d;void 0!==l&&(Un.debug("Scrolling to last upload in current folder",{lastUpload:l}),this.$router.push({...this.$route,params:{view:null!==(c=null===(d=this.$route.params)||void 0===d?void 0:d.view)&&void 0!==c?c:"files",fileid:parseInt(l.response.headers["oc-fileid"])}})),this.dragover=!1},t:kn.Tl}});var jo=s(82915),zo={};zo.styleTagTransform=ns(),zo.setAttributes=Jn(),zo.insert=Qn().bind(null,"head"),zo.domAPI=Yn(),zo.insertStyleElement=ts(),Wn()(jo.A,zo),jo.A&&jo.A.locals&&jo.A.locals;const Mo=(0,Sn.A)(Uo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("div",{directives:[{name:"show",rawName:"v-show",value:t.dragover,expression:"dragover"}],staticClass:"files-list__drag-drop-notice",attrs:{"data-cy-files-drag-drop-area":""},on:{drop:t.onDrop}},[e("div",{staticClass:"files-list__drag-drop-notice-wrapper"},[t.canUpload&&!t.isQuotaExceeded?[e("TrayArrowDownIcon",{attrs:{size:48}}),t._v(" "),e("h3",{staticClass:"files-list-drag-drop-notice__title"},[t._v("\n\t\t\t\t"+t._s(t.t("files","Drag and drop files here to upload"))+"\n\t\t\t")])]:[e("h3",{staticClass:"files-list-drag-drop-notice__title"},[t._v("\n\t\t\t\t"+t._s(t.cantUploadLabel)+"\n\t\t\t")])]],2)])}),[],!1,null,"02c943a6",null).exports;var Ro,Vo=s(96763);const $o=void 0!==(null===(Ro=(0,Ts.F)())||void 0===Ro?void 0:Ro.files_sharing),qo=(0,st.pM)({name:"FilesList",components:{BreadCrumbs:zi,DragAndDropNotice:Mo,FilesListVirtual:Bo,LinkIcon:Ns.A,ListViewIcon:Is,NcAppContent:Ps.A,NcButton:Bs.A,NcEmptyContent:Os.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Ds.A,PlusIcon:Us.A,AccountPlusIcon:zs,UploadPicker:Ls.U,ViewGridIcon:Rs},mixins:[Oi,ro],setup(){var t;return{filesStore:qs(),pathsStore:Hs(),selectionStore:Ws(),uploaderStore:Ys(),userConfigStore:gs(),viewConfigStore:Dn(),enableGridView:null===(t=(0,Pn.C)("core","config",[])["enable_non-accessible_features"])||void 0===t||t}},data:()=>({filterText:"",loading:!0,promise:null,Type:Ss.Z,_unsubscribeStore:()=>{}}),computed:{userConfig(){return this.userConfigStore.userConfig},currentView(){return this.$navigation.active||this.$navigation.views.find((t=>{var e,n;return t.id===(null!==(e=null===(n=this.$route.params)||void 0===n?void 0:n.view)&&void 0!==e?e:"files")}))},pageHeading(){var t,e;return null!==(t=null===(e=this.currentView)||void 0===e?void 0:e.name)&&void 0!==t?t:this.t("files","Files")},dir(){var t;return((null===(t=this.$route)||void 0===t||null===(t=t.query)||void 0===t||null===(t=t.dir)||void 0===t?void 0:t.toString())||"/").replace(/^(.+)\/$/,"$1")},currentFolder(){var t;if(null===(t=this.currentView)||void 0===t||!t.id)return;if("/"===this.dir)return this.filesStore.getRoot(this.currentView.id);const e=this.pathsStore.getPath(this.currentView.id,this.dir);return this.filesStore.getNode(e)},sortingParameters(){return[[...this.userConfig.sort_favorites_first?[t=>{var e;return 1!==(null===(e=t.attributes)||void 0===e?void 0:e.favorite)}]:[],...this.userConfig.sort_folders_first?[t=>"folder"!==t.type]:[],..."basename"!==this.sortingMode?[t=>t[this.sortingMode]]:[],t=>{var e;return(null===(e=t.attributes)||void 0===e?void 0:e.displayName)||t.basename},t=>t.basename],[...this.userConfig.sort_favorites_first?["asc"]:[],...this.userConfig.sort_folders_first?["asc"]:[],..."mtime"===this.sortingMode?[this.isAscSorting?"desc":"asc"]:[],..."mtime"!==this.sortingMode&&"basename"!==this.sortingMode?[this.isAscSorting?"asc":"desc"]:[],this.isAscSorting?"asc":"desc",this.isAscSorting?"asc":"desc"]]},dirContentsSorted(){var t;if(!this.currentView)return[];let e=[...this.dirContents];this.filterText&&(e=e.filter((t=>t.attributes.basename.toLowerCase().includes(this.filterText.toLowerCase()))),Vo.debug("Files view filtered",e));const n=((null===(t=this.currentView)||void 0===t?void 0:t.columns)||[]).find((t=>t.id===this.sortingMode));if(null!=n&&n.sort&&"function"==typeof n.sort){const t=[...this.dirContents].sort(n.sort);return this.isAscSorting?t:t.reverse()}return function(t,e,n){var s,i;e=null!==(s=e)&&void 0!==s?s:[t=>t],n=null!==(i=n)&&void 0!==i?i:[];const r=e.map(((t,e)=>{var s;return"asc"===(null!==(s=n[e])&&void 0!==s?s:"asc")?1:-1})),o=Intl.Collator([(0,kn.Z0)(),(0,kn.lO)()],{numeric:!0,usage:"sort"});return[...t].sort(((t,n)=>{for(const[s,i]of e.entries()){const e=o.compare(Ks(i(t)),Ks(i(n)));if(0!==e)return e*r[s]}return 0}))}(e,...this.sortingParameters)},dirContents(){var t,e;const n=null===(t=this.userConfigStore)||void 0===t?void 0:t.userConfig.show_hidden;return((null===(e=this.currentFolder)||void 0===e?void 0:e._children)||[]).map(this.getNode).filter((t=>{var e;return n?!!t:t&&!0!==(null==t||null===(e=t.attributes)||void 0===e?void 0:e.hidden)&&!(null!=t&&t.basename.startsWith("."))}))},isEmptyDir(){return 0===this.dirContents.length},isRefreshing(){return void 0!==this.currentFolder&&!this.isEmptyDir&&this.loading},toPreviousDir(){const t=this.dir.split("/").slice(0,-1).join("/")||"/";return{...this.$route,query:{dir:t}}},shareAttributes(){var t,e;if(null!==(t=this.currentFolder)&&void 0!==t&&null!==(t=t.attributes)&&void 0!==t&&t["share-types"])return Object.values((null===(e=this.currentFolder)||void 0===e||null===(e=e.attributes)||void 0===e?void 0:e["share-types"])||{}).flat()},shareButtonLabel(){return this.shareAttributes?this.shareButtonType===Ss.Z.SHARE_TYPE_LINK?this.t("files","Shared by link"):this.t("files","Shared"):this.t("files","Share")},shareButtonType(){return this.shareAttributes?this.shareAttributes.some((t=>t===Ss.Z.SHARE_TYPE_LINK))?Ss.Z.SHARE_TYPE_LINK:Ss.Z.SHARE_TYPE_USER:null},gridViewButtonLabel(){return this.userConfig.grid_view?this.t("files","Switch to list view"):this.t("files","Switch to grid view")},canUpload(){return this.currentFolder&&!!(this.currentFolder.permissions&et.aX.CREATE)},isQuotaExceeded(){var t;return 0===(null===(t=this.currentFolder)||void 0===t||null===(t=t.attributes)||void 0===t?void 0:t["quota-available-bytes"])},cantUploadLabel(){return this.isQuotaExceeded?this.t("files","Your have used your space quota and cannot upload files anymore"):this.t("files","You don’t have permission to upload or create files here")},canShare(){return $o&&this.currentFolder&&!!(this.currentFolder.permissions&et.aX.SHARE)}},watch:{currentView(t,e){(null==t?void 0:t.id)!==(null==e?void 0:e.id)&&(Un.debug("View changed",{newView:t,oldView:e}),this.selectionStore.reset(),this.resetSearch(),this.fetchContent())},dir(t,e){var n;Un.debug("Directory changed",{newDir:t,oldDir:e}),this.selectionStore.reset(),this.resetSearch(),this.fetchContent(),null!==(n=this.$refs)&&void 0!==n&&null!==(n=n.filesListVirtual)&&void 0!==n&&n.$el&&(this.$refs.filesListVirtual.$el.scrollTop=0)},dirContents(t){Un.debug("Directory contents changed",{view:this.currentView,folder:this.currentFolder,contents:t}),(0,Tn.Ic)("files:list:updated",{view:this.currentView,folder:this.currentFolder,contents:t})}},mounted(){this.fetchContent(),(0,Tn.B1)("files:node:updated",this.onUpdatedNode),(0,Tn.B1)("nextcloud:unified-search.search",this.onSearch),(0,Tn.B1)("nextcloud:unified-search.reset",this.onSearch),this._unsubscribeStore=this.userConfigStore.$subscribe((()=>this.fetchContent()),{deep:!0})},unmounted(){(0,Tn.al)("files:node:updated",this.onUpdatedNode),(0,Tn.al)("nextcloud:unified-search.search",this.onSearch),(0,Tn.al)("nextcloud:unified-search.reset",this.onSearch),this._unsubscribeStore()},methods:{async fetchContent(){var t;this.loading=!0;const e=this.dir,n=this.currentView;if(n){"function"==typeof(null===(t=this.promise)||void 0===t?void 0:t.cancel)&&(this.promise.cancel(),Un.debug("Cancelled previous ongoing fetch")),this.promise=n.getContents(e);try{const{folder:t,contents:s}=await this.promise;Un.debug("Fetched contents",{dir:e,folder:t,contents:s}),this.filesStore.updateNodes(s),this.$set(t,"_children",s.map((t=>t.fileid))),"/"===e?this.filesStore.setRoot({service:n.id,root:t}):t.fileid?(this.filesStore.updateNodes([t]),this.pathsStore.addPath({service:n.id,fileid:t.fileid,path:e})):Un.error("Invalid root folder returned",{dir:e,folder:t,currentView:n}),s.filter((t=>"folder"===t.type)).forEach((t=>{this.pathsStore.addPath({service:n.id,fileid:t.fileid,path:(0,ks.join)(e,t.basename)})}))}catch(t){Un.error("Error while fetching content",{error:t})}finally{this.loading=!1}}else Un.debug("The current view doesn't exists or is not ready.",{currentView:n})},getNode(t){return this.filesStore.getNode(t)},onUpload(t){var e;(0,ks.dirname)(t.source)===(null===(e=this.currentFolder)||void 0===e?void 0:e.source)&&this.fetchContent()},async onUploadFail(t){var e;const n=(null===(e=t.response)||void 0===e?void 0:e.status)||0;if(507!==n)if(404!==n&&409!==n)if(403!==n){try{var s;const e=new Es.Parser({trim:!0,explicitRoot:!1}),n=(await e.parseStringPromise(null===(s=t.response)||void 0===s?void 0:s.data))["s:message"][0];if("string"==typeof n&&""!==n.trim())return void(0,zn.Qg)(this.t("files","Error during upload: {message}",{message:n}))}catch(t){Un.error("Error while parsing",{error:t})}0===n?(0,zn.Qg)(this.t("files","Unknown error during upload")):(0,zn.Qg)(this.t("files","Error during upload, status code {status}",{status:n}))}else(0,zn.Qg)(this.t("files","Operation is blocked by access control"));else(0,zn.Qg)(this.t("files","Target folder does not exist any more"));else(0,zn.Qg)(this.t("files","Not enough free space"))},onUpdatedNode(t){var e;(null==t?void 0:t.fileid)===(null===(e=this.currentFolder)||void 0===e?void 0:e.fileid)&&this.fetchContent()},onSearch:Ao()((function(t){Vo.debug("Files app handling search event from unified search...",t),this.filterText=t.query}),500),resetSearch(){this.filterText=""},openSharingSidebar(){var t;this.currentFolder?(null!==(t=window)&&void 0!==t&&null!==(t=t.OCA)&&void 0!==t&&null!==(t=t.Files)&&void 0!==t&&null!==(t=t.Sidebar)&&void 0!==t&&t.setActiveTab&&window.OCA.Files.Sidebar.setActiveTab("sharing"),$s.exec(this.currentFolder,this.currentView,this.currentFolder.path)):Un.debug("No current folder found for opening sharing sidebar")},toggleGridView(){this.userConfigStore.update("grid_view",!this.userConfig.grid_view)},t:kn.Tl,n:kn.zw}});var Ho=s(23822),Wo={};Wo.styleTagTransform=ns(),Wo.setAttributes=Jn(),Wo.insert=Qn().bind(null,"head"),Wo.domAPI=Yn(),Wo.insertStyleElement=ts(),Wn()(Ho.A,Wo),Ho.A&&Ho.A.locals&&Ho.A.locals;const Go=(0,Sn.A)(qo,(function(){var t,e,n=this,s=n._self._c;return n._self._setupProxy,s("NcAppContent",{attrs:{"page-heading":n.pageHeading,"data-cy-files-content":""}},[s("div",{staticClass:"files-list__header"},[s("BreadCrumbs",{attrs:{path:n.dir},on:{reload:n.fetchContent},scopedSlots:n._u([{key:"actions",fn:function(){return[n.canShare&&n.filesListWidth>=512?s("NcButton",{staticClass:"files-list__header-share-button",class:{"files-list__header-share-button--shared":n.shareButtonType},attrs:{"aria-label":n.shareButtonLabel,title:n.shareButtonLabel,type:"tertiary"},on:{click:n.openSharingSidebar},scopedSlots:n._u([{key:"icon",fn:function(){return[n.shareButtonType===n.Type.SHARE_TYPE_LINK?s("LinkIcon"):s("AccountPlusIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2969853559)}):n._e(),n._v(" "),!n.canUpload||n.isQuotaExceeded?s("NcButton",{staticClass:"files-list__header-upload-button--disabled",attrs:{"aria-label":n.cantUploadLabel,title:n.cantUploadLabel,disabled:!0,type:"secondary"},scopedSlots:n._u([{key:"icon",fn:function(){return[s("PlusIcon",{attrs:{size:20}})]},proxy:!0}],null,!1,2953566425)},[n._v("\n\t\t\t\t\t"+n._s(n.t("files","New"))+"\n\t\t\t\t")]):n.currentFolder?s("UploadPicker",{staticClass:"files-list__header-upload-button",attrs:{content:n.dirContents,destination:n.currentFolder,multiple:!0},on:{failed:n.onUploadFail,uploaded:n.onUpload}}):n._e()]},proxy:!0}])}),n._v(" "),n.filesListWidth>=512&&n.enableGridView?s("NcButton",{staticClass:"files-list__header-grid-button",attrs:{"aria-label":n.gridViewButtonLabel,title:n.gridViewButtonLabel,type:"tertiary"},on:{click:n.toggleGridView},scopedSlots:n._u([{key:"icon",fn:function(){return[n.userConfig.grid_view?s("ListViewIcon"):s("ViewGridIcon")]},proxy:!0}],null,!1,1682960703)}):n._e(),n._v(" "),n.isRefreshing?s("NcLoadingIcon",{staticClass:"files-list__refresh-icon"}):n._e()],1),n._v(" "),!n.loading&&n.canUpload?s("DragAndDropNotice",{attrs:{"current-folder":n.currentFolder}}):n._e(),n._v(" "),n.loading&&!n.isRefreshing?s("NcLoadingIcon",{staticClass:"files-list__loading-icon",attrs:{size:38,name:n.t("files","Loading current folder")}}):!n.loading&&n.isEmptyDir?s("NcEmptyContent",{attrs:{name:(null===(t=n.currentView)||void 0===t?void 0:t.emptyTitle)||n.t("files","No files in here"),description:(null===(e=n.currentView)||void 0===e?void 0:e.emptyCaption)||n.t("files","Upload some content or sync with your devices!"),"data-cy-files-content-empty":""},scopedSlots:n._u([{key:"action",fn:function(){return["/"!==n.dir?s("NcButton",{attrs:{"aria-label":n.t("files","Go to the previous folder"),type:"primary",to:n.toPreviousDir}},[n._v("\n\t\t\t\t"+n._s(n.t("files","Go back"))+"\n\t\t\t")]):n._e()]},proxy:!0},{key:"icon",fn:function(){return[s("NcIconSvgWrapper",{attrs:{svg:n.currentView.icon}})]},proxy:!0}])}):s("FilesListVirtual",{ref:"filesListVirtual",attrs:{"current-folder":n.currentFolder,"current-view":n.currentView,nodes:n.dirContentsSorted}})],1)}),[],!1,null,"fa8969e4",null).exports,Yo=(0,st.pM)({name:"FilesApp",components:{NcContent:_n.A,FilesList:Go,Navigation:_s}}),Ko=(0,Sn.A)(Yo,(function(){var t=this,e=t._self._c;return t._self._setupProxy,e("NcContent",{attrs:{"app-name":"files"}},[e("Navigation"),t._v(" "),e("FilesList")],1)}),[],!1,null,null,null).exports;var Qo,Xo;s.nc=btoa((0,nt.do)()),window.OCA.Files=null!==(Qo=window.OCA.Files)&&void 0!==Qo?Qo:{},window.OCP.Files=null!==(Xo=window.OCP.Files)&&void 0!==Xo?Xo:{};const Jo=new class{constructor(t){var e,n,s;e=this,s=void 0,(n=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(n="_router"))in e?Object.defineProperty(e,n,{value:s,enumerable:!0,configurable:!0,writable:!0}):e[n]=s,this._router=t}get name(){return this._router.currentRoute.name}get query(){return this._router.currentRoute.query||{}}get params(){return this._router.currentRoute.params||{}}goTo(t){let e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return this._router.push({path:t,replace:e})}goToRoute(t,e,n,s){return this._router.push({name:t,query:n,params:e,replace:s})}}(bn);Object.assign(window.OCP.Files,{Router:Jo}),st.Ay.use((function(t){t.mixin({beforeCreate(){const t=this.$options;if(t.pinia){const e=t.pinia;if(!this._provided){const t={};Object.defineProperty(this,"_provided",{get:()=>t,set:e=>Object.assign(t,e)})}this._provided[d]=e,this.$pinia||(this.$pinia=e),e._a=this,p&&c(e),f&&M(e._a,e)}else!this.$pinia&&t.parent&&t.parent.$pinia&&(this.$pinia=t.parent.$pinia)},destroyed(){delete this._pStores}})}));const Zo=st.Ay.observable((0,et.bh)());st.Ay.prototype.$navigation=Zo;const ta=new class{constructor(){var t,e,n;t=this,n=void 0,(e=function(t){var e=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var s=n.call(t,"string");if("object"!=typeof s)return s;throw new TypeError("@@toPrimitive must return a primitive value.")}return String(t)}(t);return"symbol"==typeof e?e:e+""}(e="_settings"))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,this._settings=[],xn.debug("OCA.Files.Settings initialized")}register(t){return this._settings.filter((e=>e.name===t.name)).length>0?(xn.error("A setting with the same name is already registered"),!1):(this._settings.push(t),!0)}get settings(){return this._settings}};Object.assign(window.OCA.Files,{Settings:ta}),Object.assign(window.OCA.Files.Settings,{Setting:class{constructor(t,e){let{el:n,open:s,close:i}=e;Cn(this,"_close",void 0),Cn(this,"_el",void 0),Cn(this,"_name",void 0),Cn(this,"_open",void 0),this._name=t,this._el=n,this._open=s,this._close=i,"function"!=typeof this._open&&(this._open=()=>{}),"function"!=typeof this._close&&(this._close=()=>{})}get name(){return this._name}get el(){return this._el}get open(){return this._open}get close(){return this._close}}}),new(st.Ay.extend(Ko))({router:bn,pinia:it}).$mount("#content")},36117:function(t,e,n){var s,i,r=n(96763);function o(t){return o="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(t){return typeof t}:function(t){return t&&"function"==typeof Symbol&&t.constructor===Symbol&&t!==Symbol.prototype?"symbol":typeof t},o(t)}"undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self&&self,s=function(t){"use strict";function e(t,n){return e=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(t,e){return t.__proto__=e,t},e(t,n)}function n(t){var e=function(){if("undefined"==typeof Reflect||!Reflect.construct)return!1;if(Reflect.construct.sham)return!1;if("function"==typeof Proxy)return!0;try{return Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],(function(){}))),!0}catch(t){return!1}}();return function(){var n,i=s(t);if(e){var r=s(this).constructor;n=Reflect.construct(i,arguments,r)}else n=i.apply(this,arguments);return function(t,e){if(e&&("object"===o(e)||"function"==typeof e))return e;if(void 0!==e)throw new TypeError("Derived constructors may only return object or undefined");return function(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}(t)}(this,n)}}function s(t){return s=Object.setPrototypeOf?Object.getPrototypeOf.bind():function(t){return t.__proto__||Object.getPrototypeOf(t)},s(t)}function i(t,e){var n="undefined"!=typeof Symbol&&t[Symbol.iterator]||t["@@iterator"];if(!n){if(Array.isArray(t)||(n=function(t,e){if(t){if("string"==typeof t)return a(t,e);var n=Object.prototype.toString.call(t).slice(8,-1);return"Object"===n&&t.constructor&&(n=t.constructor.name),"Map"===n||"Set"===n?Array.from(t):"Arguments"===n||/^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)?a(t,e):void 0}}(t))||e&&t&&"number"==typeof t.length){n&&(t=n);var s=0,i=function(){};return{s:i,n:function(){return s>=t.length?{done:!0}:{done:!1,value:t[s++]}},e:function(t){throw t},f:i}}throw new TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var r,o=!0,l=!1;return{s:function(){n=n.call(t)},n:function(){var t=n.next();return o=t.done,t},e:function(t){l=!0,r=t},f:function(){try{o||null==n.return||n.return()}finally{if(l)throw r}}}}function a(t,e){(null==e||e>t.length)&&(e=t.length);for(var n=0,s=new Array(e);n<e;n++)s[n]=t[n];return s}function l(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function c(t,e){for(var n=0;n<e.length;n++){var s=e[n];s.enumerable=s.enumerable||!1,s.configurable=!0,"value"in s&&(s.writable=!0),Object.defineProperty(t,s.key,s)}}function d(t,e,n){return e&&c(t.prototype,e),n&&c(t,n),Object.defineProperty(t,"prototype",{writable:!1}),t}function u(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function m(t,e,n){(function(t,e){if(e.has(t))throw new TypeError("Cannot initialize the same private elements twice on an object")})(t,e),e.set(t,n)}function p(t,e){return function(t,e){return e.get?e.get.call(t):e.value}(t,g(t,e,"get"))}function f(t,e,n){return function(t,e,n){if(e.set)e.set.call(t,n);else{if(!e.writable)throw new TypeError("attempted to set read only private field");e.value=n}}(t,g(t,e,"set"),n),n}function g(t,e,n){if(!e.has(t))throw new TypeError("attempted to "+n+" private field on non-instance");return e.get(t)}Object.defineProperty(t,"__esModule",{value:!0}),t.CancelablePromise=void 0,t.cancelable=C,t.default=void 0,t.isCancelablePromise=x;var h="undefined"!=typeof Symbol?Symbol.toStringTag:"@@toStringTag",v=new WeakMap,A=new WeakMap,w=function(){function t(e){var n=e.executor,s=void 0===n?function(){}:n,i=e.internals,r=void 0===i?{isCanceled:!1,onCancelList:[]}:i,o=e.promise,a=void 0===o?new Promise((function(t,e){return s(t,e,(function(t){r.onCancelList.push(t)}))})):o;l(this,t),m(this,v,{writable:!0,value:void 0}),m(this,A,{writable:!0,value:void 0}),u(this,h,"CancelablePromise"),this.cancel=this.cancel.bind(this),f(this,v,r),f(this,A,a||new Promise((function(t,e){return s(t,e,(function(t){r.onCancelList.push(t)}))})))}return d(t,[{key:"then",value:function(t,e){return T(p(this,A).then(_(t,p(this,v)),_(e,p(this,v))),p(this,v))}},{key:"catch",value:function(t){return T(p(this,A).catch(_(t,p(this,v))),p(this,v))}},{key:"finally",value:function(t,e){var n=this;return e&&p(this,v).onCancelList.push(t),T(p(this,A).finally(_((function(){if(t)return e&&(p(n,v).onCancelList=p(n,v).onCancelList.filter((function(e){return e!==t}))),t()}),p(this,v))),p(this,v))}},{key:"cancel",value:function(){p(this,v).isCanceled=!0;var t=p(this,v).onCancelList;p(this,v).onCancelList=[];var e,n=i(t);try{for(n.s();!(e=n.n()).done;){var s=e.value;if("function"==typeof s)try{s()}catch(t){r.error(t)}}}catch(t){n.e(t)}finally{n.f()}}},{key:"isCanceled",value:function(){return!0===p(this,v).isCanceled}}]),t}(),y=function(t){!function(t,n){if("function"!=typeof n&&null!==n)throw new TypeError("Super expression must either be null or a function");t.prototype=Object.create(n&&n.prototype,{constructor:{value:t,writable:!0,configurable:!0}}),Object.defineProperty(t,"prototype",{writable:!1}),n&&e(t,n)}(i,t);var s=n(i);function i(t){return l(this,i),s.call(this,{executor:t})}return d(i)}(w);t.CancelablePromise=y,u(y,"all",(function(t){return k(t,Promise.all(t))})),u(y,"allSettled",(function(t){return k(t,Promise.allSettled(t))})),u(y,"any",(function(t){return k(t,Promise.any(t))})),u(y,"race",(function(t){return k(t,Promise.race(t))})),u(y,"resolve",(function(t){return C(Promise.resolve(t))})),u(y,"reject",(function(t){return C(Promise.reject(t))})),u(y,"isCancelable",x);var b=y;function C(t){return T(t,{isCanceled:!1,onCancelList:[]})}function x(t){return t instanceof y||t instanceof w}function _(t,e){if(t)return function(n){if(!e.isCanceled){var s=t(n);return x(s)&&e.onCancelList.push(s.cancel),s}return n}}function T(t,e){return new w({internals:e,promise:t})}function k(t,e){var n={isCanceled:!1,onCancelList:[]};return n.onCancelList.push((function(){var e,n=i(t);try{for(n.s();!(e=n.n()).done;){var s=e.value;x(s)&&s.cancel()}}catch(t){n.e(t)}finally{n.f()}})),new w({internals:n,promise:e})}t.default=b},void 0===(i=s.apply(e,[e]))||(t.exports=i)},14456:(t,e,n)=>{"use strict";n.d(e,{A:()=>f});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r),a=n(4417),l=n.n(a),c=new URL(n(57273),n.b),d=new URL(n(63710),n.b),u=o()(i()),m=l()(c),p=l()(d);u.push([t.id,`@charset "UTF-8";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\n *\n * @author Julius Härtl <jus@bitgrid.net>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license GNU AGPL version 3 or any later version\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n */\n.toastify.dialogs {\n min-width: 200px;\n background: none;\n background-color: var(--color-main-background);\n color: var(--color-main-text);\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\n padding: 0 12px;\n margin-top: 45px;\n position: fixed;\n z-index: 10100;\n border-radius: var(--border-radius);\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-container {\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-button,\n.toastify.dialogs .toast-close {\n position: static;\n overflow: hidden;\n box-sizing: border-box;\n min-width: 44px;\n height: 100%;\n padding: 12px;\n white-space: nowrap;\n background-repeat: no-repeat;\n background-position: center;\n background-color: transparent;\n min-height: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close,\n.toastify.dialogs .toast-close.toast-close {\n text-indent: 0;\n opacity: .4;\n border: none;\n min-height: 44px;\n margin-left: 10px;\n font-size: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close:before,\n.toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${m});\n content: " ";\n filter: var(--background-invert-if-dark);\n display: inline-block;\n width: 16px;\n height: 16px;\n}\n.toastify.dialogs .toast-undo-button.toast-undo-button,\n.toastify.dialogs .toast-close.toast-undo-button {\n height: calc(100% - 6px);\n margin: 3px 3px 3px 12px;\n}\n.toastify.dialogs .toast-undo-button:hover,\n.toastify.dialogs .toast-undo-button:focus,\n.toastify.dialogs .toast-undo-button:active,\n.toastify.dialogs .toast-close:hover,\n.toastify.dialogs .toast-close:focus,\n.toastify.dialogs .toast-close:active {\n cursor: pointer;\n opacity: 1;\n}\n.toastify.dialogs.toastify-top {\n right: 10px;\n}\n.toastify.dialogs.toast-with-click {\n cursor: pointer;\n}\n.toastify.dialogs.toast-error {\n border-left: 3px solid var(--color-error);\n}\n.toastify.dialogs.toast-info {\n border-left: 3px solid var(--color-primary);\n}\n.toastify.dialogs.toast-warning {\n border-left: 3px solid var(--color-warning);\n}\n.toastify.dialogs.toast-success,\n.toastify.dialogs.toast-undo {\n border-left: 3px solid var(--color-success);\n}\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${p});\n}\n._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-a25a2652] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-a06474d4] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n margin-block-start: 7px;\n overflow: auto;\n}\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-a06474d4] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-a06474d4] {\n max-width: unset;\n }\n}\n.file-picker__navigation {\n padding-inline: 8px 2px;\n}\n.file-picker__navigation,\n.file-picker__navigation * {\n box-sizing: border-box;\n}\n.file-picker__navigation .v-select.select {\n min-width: 220px;\n}\n@media (min-width: 513px) and (max-width: 736px) {\n .file-picker__navigation {\n gap: 11px;\n }\n}\n@media (max-width: 512px) {\n .file-picker__navigation {\n flex-direction: column-reverse !important;\n }\n}\n.file-picker__view[data-v-9def3ca4] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-9def3ca4] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-9def3ca4] {\n box-sizing: border-box;\n width: 100%;\n display: flex;\n flex-direction: column;\n min-height: 0;\n flex: 1;\n padding-inline: 2px;\n}\n.file-picker__main *[data-v-9def3ca4] {\n box-sizing: border-box;\n}\n[data-v-9def3ca4] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-9def3ca4] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-9def3ca4] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`,"",{version:3,sources:["webpack://./node_modules/@nextcloud/dialogs/dist/style.css"],names:[],mappings:"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,uBAAuB;EACvB,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,iBAAiB;EACjB,gBAAgB;AAClB;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;AACF;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;EACA;IACE,gBAAgB;EAClB;AACF;AACA;EACE,uBAAuB;AACzB;AACA;;EAEE,sBAAsB;AACxB;AACA;EACE,gBAAgB;AAClB;AACA;EACE;IACE,SAAS;EACX;AACF;AACA;EACE;IACE,yCAAyC;EAC3C;AACF;AACA;EACE,YAAY;EACZ,aAAa;EACb,sBAAsB;EACtB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,SAAS;AACX;AACA;EACE,sBAAsB;EACtB,WAAW;EACX,aAAa;EACb,sBAAsB;EACtB,aAAa;EACb,OAAO;EACP,mBAAmB;AACrB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,mCAAmC;AACrC;AACA;EACE;IACE,oEAAoE;EACtE;AACF;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,gBAAgB;AAClB",sourcesContent:["@charset \"UTF-8\";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\n *\n * @author Julius Härtl <jus@bitgrid.net>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license GNU AGPL version 3 or any later version\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n */\n.toastify.dialogs {\n min-width: 200px;\n background: none;\n background-color: var(--color-main-background);\n color: var(--color-main-text);\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\n padding: 0 12px;\n margin-top: 45px;\n position: fixed;\n z-index: 10100;\n border-radius: var(--border-radius);\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-container {\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-button,\n.toastify.dialogs .toast-close {\n position: static;\n overflow: hidden;\n box-sizing: border-box;\n min-width: 44px;\n height: 100%;\n padding: 12px;\n white-space: nowrap;\n background-repeat: no-repeat;\n background-position: center;\n background-color: transparent;\n min-height: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close,\n.toastify.dialogs .toast-close.toast-close {\n text-indent: 0;\n opacity: .4;\n border: none;\n min-height: 44px;\n margin-left: 10px;\n font-size: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close:before,\n.toastify.dialogs .toast-close.toast-close:before {\n background-image: url(\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'/%3e%3c/svg%3e\");\n content: \" \";\n filter: var(--background-invert-if-dark);\n display: inline-block;\n width: 16px;\n height: 16px;\n}\n.toastify.dialogs .toast-undo-button.toast-undo-button,\n.toastify.dialogs .toast-close.toast-undo-button {\n height: calc(100% - 6px);\n margin: 3px 3px 3px 12px;\n}\n.toastify.dialogs .toast-undo-button:hover,\n.toastify.dialogs .toast-undo-button:focus,\n.toastify.dialogs .toast-undo-button:active,\n.toastify.dialogs .toast-close:hover,\n.toastify.dialogs .toast-close:focus,\n.toastify.dialogs .toast-close:active {\n cursor: pointer;\n opacity: 1;\n}\n.toastify.dialogs.toastify-top {\n right: 10px;\n}\n.toastify.dialogs.toast-with-click {\n cursor: pointer;\n}\n.toastify.dialogs.toast-error {\n border-left: 3px solid var(--color-error);\n}\n.toastify.dialogs.toast-info {\n border-left: 3px solid var(--color-primary);\n}\n.toastify.dialogs.toast-warning {\n border-left: 3px solid var(--color-warning);\n}\n.toastify.dialogs.toast-success,\n.toastify.dialogs.toast-undo {\n border-left: 3px solid var(--color-success);\n}\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\n background-image: url(\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'%20style='fill-opacity:1;fill:%23ffffff'/%3e%3c/svg%3e\");\n}\n._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-a25a2652] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-a06474d4] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n margin-block-start: 7px;\n overflow: auto;\n}\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-a06474d4] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-a06474d4] {\n max-width: unset;\n }\n}\n.file-picker__navigation {\n padding-inline: 8px 2px;\n}\n.file-picker__navigation,\n.file-picker__navigation * {\n box-sizing: border-box;\n}\n.file-picker__navigation .v-select.select {\n min-width: 220px;\n}\n@media (min-width: 513px) and (max-width: 736px) {\n .file-picker__navigation {\n gap: 11px;\n }\n}\n@media (max-width: 512px) {\n .file-picker__navigation {\n flex-direction: column-reverse !important;\n }\n}\n.file-picker__view[data-v-9def3ca4] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-9def3ca4] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-9def3ca4] {\n box-sizing: border-box;\n width: 100%;\n display: flex;\n flex-direction: column;\n min-height: 0;\n flex: 1;\n padding-inline: 2px;\n}\n.file-picker__main *[data-v-9def3ca4] {\n box-sizing: border-box;\n}\n[data-v-9def3ca4] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-9def3ca4] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-9def3ca4] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n"],sourceRoot:""}]);const f=u},30521:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".upload-picker[data-v-eca9500a] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-eca9500a] {\n width: 200px;\n max-width: 0;\n transition: max-width var(--animation-quick) ease-in-out;\n margin-top: 8px;\n}\n.upload-picker__progress p[data-v-eca9500a] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\n animation: breathing-eca9500a 3s ease-out infinite normal;\n}\n@keyframes breathing-eca9500a {\n 0% {\n opacity: .5;\n }\n 25% {\n opacity: 1;\n }\n 60% {\n opacity: .5;\n }\n to {\n opacity: .5;\n }\n}\n","",{version:3,sources:["webpack://./node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css"],names:[],mappings:"AAAA;EACE,oBAAoB;EACpB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,YAAY;EACZ,YAAY;EACZ,wDAAwD;EACxD,eAAe;AACjB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,uBAAuB;AACzB;AACA;EACE,gBAAgB;EAChB,kBAAkB;EAClB,gBAAgB;AAClB;AACA;EACE,yDAAyD;AAC3D;AACA;EACE;IACE,WAAW;EACb;EACA;IACE,UAAU;EACZ;EACA;IACE,WAAW;EACb;EACA;IACE,WAAW;EACb;AACF",sourcesContent:[".upload-picker[data-v-eca9500a] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-eca9500a] {\n width: 200px;\n max-width: 0;\n transition: max-width var(--animation-quick) ease-in-out;\n margin-top: 8px;\n}\n.upload-picker__progress p[data-v-eca9500a] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\n animation: breathing-eca9500a 3s ease-out infinite normal;\n}\n@keyframes breathing-eca9500a {\n 0% {\n opacity: .5;\n }\n 25% {\n opacity: 1;\n }\n 60% {\n opacity: .5;\n }\n to {\n opacity: .5;\n }\n}\n"],sourceRoot:""}]);const a=o},86334:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__breadcrumbs[data-v-740bb6f2]{flex:1 1 100% !important;width:100%;height:100%;margin-block:0;margin-inline:10px}.files-list__breadcrumbs[data-v-740bb6f2] a{cursor:pointer !important}.files-list__breadcrumbs--with-progress[data-v-740bb6f2]{flex-direction:column !important;align-items:flex-start !important}","",{version:3,sources:["webpack://./apps/files/src/components/BreadCrumbs.vue"],names:[],mappings:"AACA,0CAEC,wBAAA,CACA,UAAA,CACA,WAAA,CACA,cAAA,CACA,kBAAA,CAGC,6CACC,yBAAA,CAIF,yDACC,gCAAA,CACA,iCAAA",sourcesContent:["\n.files-list__breadcrumbs {\n\t// Take as much space as possible\n\tflex: 1 1 100% !important;\n\twidth: 100%;\n\theight: 100%;\n\tmargin-block: 0;\n\tmargin-inline: 10px;\n\n\t:deep() {\n\t\ta {\n\t\t\tcursor: pointer !important;\n\t\t}\n\t}\n\n\t&--with-progress {\n\t\tflex-direction: column !important;\n\t\talign-items: flex-start !important;\n\t}\n}\n"],sourceRoot:""}]);const a=o},82915:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__drag-drop-notice[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;width:100%;min-height:113px;margin:0;user-select:none;color:var(--color-text-maxcontrast);background-color:var(--color-main-background);border-color:#000}.files-list__drag-drop-notice h3[data-v-02c943a6]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;height:15vh;max-height:70%;padding:0 5vw;border:2px var(--color-border-dark) dashed;border-radius:var(--border-radius-large)}","",{version:3,sources:["webpack://./apps/files/src/components/DragAndDropNotice.vue"],names:[],mappings:"AACA,+CACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CAEA,gBAAA,CACA,QAAA,CACA,gBAAA,CACA,mCAAA,CACA,6CAAA,CACA,iBAAA,CAEA,kDACC,gBAAA,CACA,aAAA,CAGD,uDACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,WAAA,CACA,cAAA,CACA,aAAA,CACA,0CAAA,CACA,wCAAA",sourcesContent:["\n.files-list__drag-drop-notice {\n\tdisplay: flex;\n\talign-items: center;\n\tjustify-content: center;\n\twidth: 100%;\n\t// Breadcrumbs height + row thead height\n\tmin-height: calc(58px + 55px);\n\tmargin: 0;\n\tuser-select: none;\n\tcolor: var(--color-text-maxcontrast);\n\tbackground-color: var(--color-main-background);\n\tborder-color: black;\n\n\th3 {\n\t\tmargin-left: 16px;\n\t\tcolor: inherit;\n\t}\n\n\t&-wrapper {\n\t\tdisplay: flex;\n\t\talign-items: center;\n\t\tjustify-content: center;\n\t\theight: 15vh;\n\t\tmax-height: 70%;\n\t\tpadding: 0 5vw;\n\t\tborder: 2px var(--color-border-dark) dashed;\n\t\tborder-radius: var(--border-radius-large);\n\t}\n}\n\n"],sourceRoot:""}]);const a=o},52608:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list-drag-image{position:absolute;top:-9999px;left:-9999px;display:flex;overflow:hidden;align-items:center;height:44px;padding:6px 12px;background:var(--color-main-background)}.files-list-drag-image__icon,.files-list-drag-image .files-list__row-icon{display:flex;overflow:hidden;align-items:center;justify-content:center;width:32px;height:32px;border-radius:var(--border-radius)}.files-list-drag-image__icon{overflow:visible;margin-right:12px}.files-list-drag-image__icon img{max-width:100%;max-height:100%}.files-list-drag-image__icon .material-design-icon{color:var(--color-text-maxcontrast)}.files-list-drag-image__icon .material-design-icon.folder-icon{color:var(--color-primary-element)}.files-list-drag-image__icon>span{display:flex}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon{margin-top:6px;margin-left:-26px}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon+.files-list__row-icon{margin-top:12px}.files-list-drag-image__icon>span:not(:empty)+*{display:none}.files-list-drag-image__name{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}","",{version:3,sources:["webpack://./apps/files/src/components/DragAndDropPreview.vue"],names:[],mappings:"AAIA,uBACC,iBAAA,CACA,WAAA,CACA,YAAA,CACA,YAAA,CACA,eAAA,CACA,kBAAA,CACA,WAAA,CACA,gBAAA,CACA,uCAAA,CAEA,0EAEC,YAAA,CACA,eAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CACA,WAAA,CACA,kCAAA,CAGD,6BACC,gBAAA,CACA,iBAAA,CAEA,iCACC,cAAA,CACA,eAAA,CAGD,mDACC,mCAAA,CACA,+DACC,kCAAA,CAKF,kCACC,YAAA,CAGA,8EACC,cA9CU,CA+CV,iBAAA,CACA,oGACC,eAAA,CAKF,gDACC,YAAA,CAKH,6BACC,eAAA,CACA,kBAAA,CACA,sBAAA",sourcesContent:["\n$size: 32px;\n$stack-shift: 6px;\n\n.files-list-drag-image {\n\tposition: absolute;\n\ttop: -9999px;\n\tleft: -9999px;\n\tdisplay: flex;\n\toverflow: hidden;\n\talign-items: center;\n\theight: 44px;\n\tpadding: 6px 12px;\n\tbackground: var(--color-main-background);\n\n\t&__icon,\n\t.files-list__row-icon {\n\t\tdisplay: flex;\n\t\toverflow: hidden;\n\t\talign-items: center;\n\t\tjustify-content: center;\n\t\twidth: 32px;\n\t\theight: 32px;\n\t\tborder-radius: var(--border-radius);\n\t}\n\n\t&__icon {\n\t\toverflow: visible;\n\t\tmargin-right: 12px;\n\n\t\timg {\n\t\t\tmax-width: 100%;\n\t\t\tmax-height: 100%;\n\t\t}\n\n\t\t.material-design-icon {\n\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\t&.folder-icon {\n\t\t\t\tcolor: var(--color-primary-element);\n\t\t\t}\n\t\t}\n\n\t\t// Previews container\n\t\t> span {\n\t\t\tdisplay: flex;\n\n\t\t\t// Stack effect if more than one element\n\t\t\t.files-list__row-icon + .files-list__row-icon {\n\t\t\t\tmargin-top: $stack-shift;\n\t\t\t\tmargin-left: $stack-shift - $size;\n\t\t\t\t& + .files-list__row-icon {\n\t\t\t\t\tmargin-top: $stack-shift * 2;\n\t\t\t\t}\n\t\t\t}\n\t\t\t// If we have manually clone the preview,\n\t\t\t// let's hide any fallback icons\n\t\t\t&:not(:empty) + * {\n\t\t\t\tdisplay: none;\n\t\t\t}\n\t\t}\n\t}\n\n\t&__name {\n\t\toverflow: hidden;\n\t\twhite-space: nowrap;\n\t\ttext-overflow: ellipsis;\n\t}\n}\n\n"],sourceRoot:""}]);const a=o},55559:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".favorite-marker-icon[data-v-04e52abc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg path{stroke:var(--color-main-background);stroke-width:8px;stroke-linejoin:round;paint-order:stroke}","",{version:3,sources:["webpack://./apps/files/src/components/FileEntry/FavoriteIcon.vue"],names:[],mappings:"AACA,uCACC,aAAA,CAEA,0BAAA,CACG,2BAAA,CAGF,4CAEC,qBAAA,CACA,sBAAA,CAGA,0BAAA,CACA,2BAAA,CAGA,iDACC,mCAAA,CACA,gBAAA,CACA,qBAAA,CACA,kBAAA",sourcesContent:["\n.favorite-marker-icon {\n\tcolor: #a08b00;\n\t// Override NcIconSvgWrapper defaults (clickable area)\n\tmin-width: unset !important;\n min-height: unset !important;\n\n\t:deep() {\n\t\tsvg {\n\t\t\t// We added a stroke for a11y so we must increase the size to include the stroke\n\t\t\twidth: 26px !important;\n\t\t\theight: 26px !important;\n\n\t\t\t// Override NcIconSvgWrapper defaults of 20px\n\t\t\tmax-width: unset !important;\n\t\t\tmax-height: unset !important;\n\n\t\t\t// Sow a border around the icon for better contrast\n\t\t\tpath {\n\t\t\t\tstroke: var(--color-main-background);\n\t\t\t\tstroke-width: 8px;\n\t\t\t\tstroke-linejoin: round;\n\t\t\t\tpaint-order: stroke;\n\t\t\t}\n\t\t}\n\t}\n}\n"],sourceRoot:""}]);const a=o},23237:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"main.app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper[data-popper-placement=top]{transform:translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper .v-popper__arrow-container{display:none}","",{version:3,sources:["webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue"],names:[],mappings:"AAGA,uDACC,6EAAA,CAGA,kFAEC,iGAAA,CAGD,kFACC,YAAA",sourcesContent:['\n// Allow right click to define the position of the menu\n// only if defined\nmain.app-content[style*="mouse-pos-x"] .v-popper__popper {\n\ttransform: translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important;\n\n\t// If the menu is too close to the bottom, we move it up\n\t&[data-popper-placement="top"] {\n\t\t// 34px added to align with the top of the cursor\n\t\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important;\n\t}\n\t// Hide arrow if floating\n\t.v-popper__arrow-container {\n\t\tdisplay: none;\n\t}\n}\n'],sourceRoot:""}]);const a=o},2077:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"[data-v-03cc6660] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-03cc6660] .button-vue--icon-and-text .button-vue__icon{color:var(--color-primary-element)}","",{version:3,sources:["webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue"],names:[],mappings:"AAEC,+DACC,kCAAA,CAED,+DACC,kCAAA",sourcesContent:["\n:deep(.button-vue--icon-and-text, .files-list__row-action-sharing-status) {\n\t.button-vue__text {\n\t\tcolor: var(--color-primary-element);\n\t}\n\t.button-vue__icon {\n\t\tcolor: var(--color-primary-element);\n\t}\n}\n"],sourceRoot:""}]);const a=o},31840:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"tr[data-v-a85bde20]{margin-bottom:300px;border-top:1px solid var(--color-border);background-color:rgba(0,0,0,0) !important;border-bottom:none !important}tr td[data-v-a85bde20]{user-select:none;color:var(--color-text-maxcontrast) !important}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableFooter.vue"],names:[],mappings:"AAEA,oBACC,mBAAA,CACA,wCAAA,CAEA,yCAAA,CACA,6BAAA,CAEA,uBACC,gBAAA,CAEA,8CAAA",sourcesContent:["\n// Scoped row\ntr {\n\tmargin-bottom: 300px;\n\tborder-top: 1px solid var(--color-border);\n\t// Prevent hover effect on the whole row\n\tbackground-color: transparent !important;\n\tborder-bottom: none !important;\n\n\ttd {\n\t\tuser-select: none;\n\t\t// Make sure the cell colors don't apply to column headers\n\t\tcolor: var(--color-text-maxcontrast) !important;\n\t}\n}\n"],sourceRoot:""}]);const a=o},60799:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__column[data-v-952162c2]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-952162c2]{cursor:pointer}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableHeader.vue"],names:[],mappings:"AACA,qCACC,gBAAA,CAEA,8CAAA,CAEA,+CACC,cAAA",sourcesContent:["\n.files-list__column {\n\tuser-select: none;\n\t// Make sure the cell colors don't apply to column headers\n\tcolor: var(--color-text-maxcontrast) !important;\n\n\t&--sortable {\n\t\tcursor: pointer;\n\t}\n}\n\n"],sourceRoot:""}]);const a=o},58017:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__row-actions-batch[data-v-d939292c]{flex:1 1 100% !important;max-width:100%}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableHeaderActions.vue"],names:[],mappings:"AACA,gDACC,wBAAA,CACA,cAAA",sourcesContent:["\n.files-list__row-actions-batch {\n\tflex: 1 1 100% !important;\n\tmax-width: 100%;\n}\n"],sourceRoot:""}]);const a=o},75290:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list__column-sort-button[data-v-097f69d4]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-097f69d4]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-097f69d4]{color:var(--color-text-maxcontrast);opacity:0;transition:opacity var(--animation-quick);inset-inline-start:-10px}.files-list__column-sort-button--size .files-list__column-sort-button-icon[data-v-097f69d4]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-097f69d4]{opacity:1}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListTableHeaderButton.vue"],names:[],mappings:"AACA,iDAEC,oCAAA,CACA,sDAAA,CAEA,sDACC,mCAAA,CACA,kBAAA,CAGD,sDACC,mCAAA,CACA,SAAA,CACA,yCAAA,CACA,wBAAA,CAGD,4FACC,uBAAA,CAGD,mXAIC,SAAA",sourcesContent:["\n.files-list__column-sort-button {\n\t// Compensate for cells margin\n\tmargin: 0 calc(var(--cell-margin) * -1);\n\tmin-width: calc(100% - 3 * var(--cell-margin))!important;\n\n\t&-text {\n\t\tcolor: var(--color-text-maxcontrast);\n\t\tfont-weight: normal;\n\t}\n\n\t&-icon {\n\t\tcolor: var(--color-text-maxcontrast);\n\t\topacity: 0;\n\t\ttransition: opacity var(--animation-quick);\n\t\tinset-inline-start: -10px;\n\t}\n\n\t&--size &-icon {\n\t\tinset-inline-start: 10px;\n\t}\n\n\t&--active &-icon,\n\t&:hover &-icon,\n\t&:focus &-icon,\n\t&:active &-icon {\n\t\topacity: 1;\n\t}\n}\n"],sourceRoot:""}]);const a=o},8524:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".files-list[data-v-2bbbfb12]{--row-height: 55px;--cell-margin: 14px;--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);--checkbox-size: 24px;--clickable-area: 44px;--icon-preview-size: 32px;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-2bbbfb12] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2bbbfb12] tbody tr{contain:strict}.files-list[data-v-2bbbfb12] tbody tr:hover,.files-list[data-v-2bbbfb12] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2bbbfb12] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2bbbfb12] .files-list__table{display:block}.files-list[data-v-2bbbfb12] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2bbbfb12] .files-list__thead-overlay{position:sticky;top:0;margin-left:var(--row-height);z-index:20;display:flex;align-items:center;background-color:var(--color-main-background);border-bottom:1px solid var(--color-border);height:var(--row-height)}.files-list[data-v-2bbbfb12] .files-list__thead,.files-list[data-v-2bbbfb12] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2bbbfb12] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2bbbfb12] .files-list__tfoot{min-height:300px}.files-list[data-v-2bbbfb12] tr{position:relative;display:flex;align-items:center;width:100%;user-select:none;border-bottom:1px solid var(--color-border);box-sizing:border-box;user-select:none;height:var(--row-height)}.files-list[data-v-2bbbfb12] td,.files-list[data-v-2bbbfb12] th{display:flex;align-items:center;flex:0 0 auto;justify-content:left;width:var(--row-height);height:var(--row-height);margin:0;padding:0;color:var(--color-text-maxcontrast);border:none}.files-list[data-v-2bbbfb12] td span,.files-list[data-v-2bbbfb12] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2bbbfb12] .files-list__row--failed{position:absolute;display:block;top:0;left:0;right:0;bottom:0;opacity:.1;z-index:-1;background:var(--color-error)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch label.checkbox-radio-switch__label{width:var(--clickable-area);height:var(--clickable-area);margin:0;padding:calc((var(--clickable-area) - var(--checkbox-size))/2)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2bbbfb12] .files-list__row:hover,.files-list[data-v-2bbbfb12] .files-list__row:focus,.files-list[data-v-2bbbfb12] .files-list__row:active,.files-list[data-v-2bbbfb12] .files-list__row--active,.files-list[data-v-2bbbfb12] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2bbbfb12] .files-list__row:hover>*,.files-list[data-v-2bbbfb12] .files-list__row:focus>*,.files-list[data-v-2bbbfb12] .files-list__row:active>*,.files-list[data-v-2bbbfb12] .files-list__row--active>*,.files-list[data-v-2bbbfb12] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2bbbfb12] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2bbbfb12] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2bbbfb12] .files-list__row-icon{position:relative;display:flex;overflow:visible;align-items:center;flex:0 0 var(--icon-preview-size);justify-content:center;width:var(--icon-preview-size);height:100%;margin-right:var(--checkbox-padding);color:var(--color-primary-element)}.files-list[data-v-2bbbfb12] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2bbbfb12] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2bbbfb12] .files-list__row-icon>span:not(.files-list__row-icon-favorite) svg{width:var(--icon-preview-size);height:var(--icon-preview-size)}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon svg{width:calc(var(--icon-preview-size) + 6px);height:calc(var(--icon-preview-size) + 6px)}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview{overflow:hidden;width:var(--icon-preview-size);height:var(--icon-preview-size);border-radius:var(--border-radius);object-fit:contain;object-position:center}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2bbbfb12] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay{position:absolute;max-height:calc(var(--icon-preview-size)*.5);max-width:calc(var(--icon-preview-size)*.5);color:var(--color-primary-element-text);margin-top:2px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2bbbfb12] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2bbbfb12] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus .files-list__row-name-text{outline:2px solid var(--color-main-text) !important;border-radius:20px}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-text{color:var(--color-main-text);padding:5px 10px;margin-left:-10px;display:inline-flex}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2bbbfb12] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2bbbfb12] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2bbbfb12] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2bbbfb12] .files-list__row-actions{width:auto}.files-list[data-v-2bbbfb12] .files-list__row-actions~td,.files-list[data-v-2bbbfb12] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2bbbfb12] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2bbbfb12] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2bbbfb12] .files-list__row-mtime,.files-list[data-v-2bbbfb12] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2bbbfb12] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2bbbfb12] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2bbbfb12] .files-list__row-column-custom{width:calc(var(--row-height)*2)}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListVirtual.vue"],names:[],mappings:"AACA,6BACC,kBAAA,CACA,mBAAA,CAEA,wEAAA,CACA,qBAAA,CACA,sBAAA,CACA,yBAAA,CAEA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAEA,uFAEC,qCAAA,CAIF,yDAEC,eAAA,CACA,KAAA,CAEA,6BAAA,CAEA,UAAA,CAEA,YAAA,CACA,kBAAA,CAGA,6CAAA,CACA,2CAAA,CACA,wBAAA,CAGD,kGAEC,YAAA,CACA,qBAAA,CACA,UAAA,CACA,6CAAA,CAKD,iDAEC,eAAA,CACA,UAAA,CACA,KAAA,CAID,iDACC,gBAAA,CAGD,iCACC,iBAAA,CACA,YAAA,CACA,kBAAA,CACA,UAAA,CACA,gBAAA,CACA,2CAAA,CACA,qBAAA,CACA,gBAAA,CACA,wBAAA,CAGD,kEACC,YAAA,CACA,kBAAA,CACA,aAAA,CACA,oBAAA,CACA,uBAAA,CACA,wBAAA,CACA,QAAA,CACA,SAAA,CACA,mCAAA,CACA,WAAA,CAKA,4EACC,eAAA,CACA,kBAAA,CACA,sBAAA,CAIF,uDACC,iBAAA,CACA,aAAA,CACA,KAAA,CACA,MAAA,CACA,OAAA,CACA,QAAA,CACA,UAAA,CACA,UAAA,CACA,6BAAA,CAGD,wDACC,sBAAA,CAEA,+EACC,YAAA,CACA,sBAAA,CAEA,iCAAA,CAEA,kHACC,2BAAA,CACA,4BAAA,CACA,QAAA,CACA,8DAAA,CAGD,4GACC,mBAAA,CAMF,gRAEC,8CAAA,CAGA,gDAAA,CACA,0RACC,wCAAA,CAID,2aACC,oCAAA,CAIF,2DAEC,mBAAA,CAKF,oDACC,iBAAA,CACA,YAAA,CACA,gBAAA,CACA,kBAAA,CAEA,iCAAA,CACA,sBAAA,CACA,8BAAA,CACA,WAAA,CAEA,oCAAA,CACA,kCAAA,CAGA,sDACC,cAAA,CAGD,yDACC,0BAAA,CAEA,iGACC,8BAAA,CACA,+BAAA,CAID,+IAEC,WAAA,CACA,uJACC,0CAAA,CACA,2CAAA,CAKH,4DACC,eAAA,CACA,8BAAA,CACA,+BAAA,CACA,kCAAA,CAEA,kBAAA,CACA,sBAAA,CAGA,uGACC,oCAAA,CAKF,6DACC,iBAAA,CACA,OAAA,CACA,WAAA,CAID,4DACC,iBAAA,CACA,4CAAA,CACA,2CAAA,CACA,uCAAA,CAEA,cAAA,CAGA,kEACC,4BAAA,CACA,uCAAA,CACA,kBAAA,CAMH,oDAEC,eAAA,CAEA,aAAA,CAEA,sDACC,YAAA,CACA,kBAAA,CAEA,UAAA,CACA,WAAA,CAEA,WAAA,CAGA,oEACC,YAAA,CAID,uFACC,mDAAA,CACA,kBAAA,CAED,2GACC,uBAAA,CAIF,+EACC,4BAAA,CAEA,gBAAA,CACA,iBAAA,CAEA,mBAAA,CAGD,8EACC,mCAAA,CAEA,gBAAA,CAKF,sDACC,UAAA,CACA,eAAA,CACA,4DACC,UAAA,CAEA,gBAAA,CACA,eAAA,CACA,gBAAA,CAEA,oEAEC,+BAAA,CACA,SAAA,CAKH,uDAEC,UAAA,CAGA,oHAEC,2BAAA,CAIA,gFAEC,kBAAA,CAKH,8DACC,gBAAA,CAGD,yGAEC,mCAAA,CAED,oDACC,iCAAA,CAEA,wBAAA,CAGD,qDACC,+BAAA,CAGD,6DACC,+BAAA",sourcesContent:["\n.files-list {\n\t--row-height: 55px;\n\t--cell-margin: 14px;\n\n\t--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);\n\t--checkbox-size: 24px;\n\t--clickable-area: 44px;\n\t--icon-preview-size: 32px;\n\n\toverflow: auto;\n\theight: 100%;\n\twill-change: scroll-position;\n\n\t& :deep() {\n\t\t// Table head, body and footer\n\t\ttbody {\n\t\t\twill-change: padding;\n\t\t\tcontain: layout paint style;\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t\twidth: 100%;\n\t\t\t// Necessary for virtual scrolling absolute\n\t\t\tposition: relative;\n\n\t\t\t/* Hover effect on tbody lines only */\n\t\t\ttr {\n\t\t\t\tcontain: strict;\n\t\t\t\t&:hover,\n\t\t\t\t&:focus {\n\t\t\t\t\tbackground-color: var(--color-background-dark);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Before table and thead\n\t\t.files-list__before {\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t}\n\n\t\t.files-list__table {\n\t\t\tdisplay: block;\n\n\t\t\t&.files-list__table--with-thead-overlay {\n\t\t\t\t// Hide the table header below the overlay\n\t\t\t\tmargin-top: calc(-1 * var(--row-height));\n\t\t\t}\n\t\t}\n\n\t\t.files-list__thead-overlay {\n\t\t\t// Pinned on top when scrolling\n\t\t\tposition: sticky;\n\t\t\ttop: 0;\n\t\t\t// Save space for a row checkbox\n\t\t\tmargin-left: var(--row-height);\n\t\t\t// More than .files-list__thead\n\t\t\tz-index: 20;\n\n\t\t\tdisplay: flex;\n\t\t\talign-items: center;\n\n\t\t\t// Reuse row styles\n\t\t\tbackground-color: var(--color-main-background);\n\t\t\tborder-bottom: 1px solid var(--color-border);\n\t\t\theight: var(--row-height);\n\t\t}\n\n\t\t.files-list__thead,\n\t\t.files-list__tfoot {\n\t\t\tdisplay: flex;\n\t\t\tflex-direction: column;\n\t\t\twidth: 100%;\n\t\t\tbackground-color: var(--color-main-background);\n\n\t\t}\n\n\t\t// Table header\n\t\t.files-list__thead {\n\t\t\t// Pinned on top when scrolling\n\t\t\tposition: sticky;\n\t\t\tz-index: 10;\n\t\t\ttop: 0;\n\t\t}\n\n\t\t// Table footer\n\t\t.files-list__tfoot {\n\t\t\tmin-height: 300px;\n\t\t}\n\n\t\ttr {\n\t\t\tposition: relative;\n\t\t\tdisplay: flex;\n\t\t\talign-items: center;\n\t\t\twidth: 100%;\n\t\t\tuser-select: none;\n\t\t\tborder-bottom: 1px solid var(--color-border);\n\t\t\tbox-sizing: border-box;\n\t\t\tuser-select: none;\n\t\t\theight: var(--row-height);\n\t\t}\n\n\t\ttd, th {\n\t\t\tdisplay: flex;\n\t\t\talign-items: center;\n\t\t\tflex: 0 0 auto;\n\t\t\tjustify-content: left;\n\t\t\twidth: var(--row-height);\n\t\t\theight: var(--row-height);\n\t\t\tmargin: 0;\n\t\t\tpadding: 0;\n\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\tborder: none;\n\n\t\t\t// Columns should try to add any text\n\t\t\t// node wrapped in a span. That should help\n\t\t\t// with the ellipsis on overflow.\n\t\t\tspan {\n\t\t\t\toverflow: hidden;\n\t\t\t\twhite-space: nowrap;\n\t\t\t\ttext-overflow: ellipsis;\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row--failed {\n\t\t\tposition: absolute;\n\t\t\tdisplay: block;\n\t\t\ttop: 0;\n\t\t\tleft: 0;\n\t\t\tright: 0;\n\t\t\tbottom: 0;\n\t\t\topacity: .1;\n\t\t\tz-index: -1;\n\t\t\tbackground: var(--color-error);\n\t\t}\n\n\t\t.files-list__row-checkbox {\n\t\t\tjustify-content: center;\n\n\t\t\t.checkbox-radio-switch {\n\t\t\t\tdisplay: flex;\n\t\t\t\tjustify-content: center;\n\n\t\t\t\t--icon-size: var(--checkbox-size);\n\n\t\t\t\tlabel.checkbox-radio-switch__label {\n\t\t\t\t\twidth: var(--clickable-area);\n\t\t\t\t\theight: var(--clickable-area);\n\t\t\t\t\tmargin: 0;\n\t\t\t\t\tpadding: calc((var(--clickable-area) - var(--checkbox-size)) / 2);\n\t\t\t\t}\n\n\t\t\t\t.checkbox-radio-switch__icon {\n\t\t\t\t\tmargin: 0 !important;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row {\n\t\t\t&:hover, &:focus, &:active, &--active, &--dragover {\n\t\t\t\t// WCAG AA compliant\n\t\t\t\tbackground-color: var(--color-background-hover);\n\t\t\t\t// text-maxcontrast have been designed to pass WCAG AA over\n\t\t\t\t// a white background, we need to adjust then.\n\t\t\t\t--color-text-maxcontrast: var(--color-main-text);\n\t\t\t\t> * {\n\t\t\t\t\t--color-border: var(--color-border-dark);\n\t\t\t\t}\n\n\t\t\t\t// Hover state of the row should also change the favorite markers background\n\t\t\t\t.favorite-marker-icon svg path {\n\t\t\t\t\tstroke: var(--color-background-hover);\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t&--dragover * {\n\t\t\t\t// Prevent dropping on row children\n\t\t\t\tpointer-events: none;\n\t\t\t}\n\t\t}\n\n\t\t// Entry preview or mime icon\n\t\t.files-list__row-icon {\n\t\t\tposition: relative;\n\t\t\tdisplay: flex;\n\t\t\toverflow: visible;\n\t\t\talign-items: center;\n\t\t\t// No shrinking or growing allowed\n\t\t\tflex: 0 0 var(--icon-preview-size);\n\t\t\tjustify-content: center;\n\t\t\twidth: var(--icon-preview-size);\n\t\t\theight: 100%;\n\t\t\t// Show same padding as the checkbox right padding for visual balance\n\t\t\tmargin-right: var(--checkbox-padding);\n\t\t\tcolor: var(--color-primary-element);\n\n\t\t\t// Icon is also clickable\n\t\t\t* {\n\t\t\t\tcursor: pointer;\n\t\t\t}\n\n\t\t\t& > span {\n\t\t\t\tjustify-content: flex-start;\n\n\t\t\t\t&:not(.files-list__row-icon-favorite) svg {\n\t\t\t\t\twidth: var(--icon-preview-size);\n\t\t\t\t\theight: var(--icon-preview-size);\n\t\t\t\t}\n\n\t\t\t\t// Slightly increase the size of the folder icon\n\t\t\t\t&.folder-icon,\n\t\t\t\t&.folder-open-icon {\n\t\t\t\t\tmargin: -3px;\n\t\t\t\t\tsvg {\n\t\t\t\t\t\twidth: calc(var(--icon-preview-size) + 6px);\n\t\t\t\t\t\theight: calc(var(--icon-preview-size) + 6px);\n\t\t\t\t\t}\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t&-preview {\n\t\t\t\toverflow: hidden;\n\t\t\t\twidth: var(--icon-preview-size);\n\t\t\t\theight: var(--icon-preview-size);\n\t\t\t\tborder-radius: var(--border-radius);\n\t\t\t\t// Center and contain the preview\n\t\t\t\tobject-fit: contain;\n\t\t\t\tobject-position: center;\n\n\t\t\t\t/* Preview not loaded animation effect */\n\t\t\t\t&:not(.files-list__row-icon-preview--loaded) {\n\t\t\t\t\tbackground: var(--color-loading-dark);\n\t\t\t\t\t// animation: preview-gradient-fade 1.2s ease-in-out infinite;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t&-favorite {\n\t\t\t\tposition: absolute;\n\t\t\t\ttop: 0px;\n\t\t\t\tright: -10px;\n\t\t\t}\n\n\t\t\t// File and folder overlay\n\t\t\t&-overlay {\n\t\t\t\tposition: absolute;\n\t\t\t\tmax-height: calc(var(--icon-preview-size) * 0.5);\n\t\t\t\tmax-width: calc(var(--icon-preview-size) * 0.5);\n\t\t\t\tcolor: var(--color-primary-element-text);\n\t\t\t\t// better alignment with the folder icon\n\t\t\t\tmargin-top: 2px;\n\n\t\t\t\t// Improve icon contrast with a background for files\n\t\t\t\t&--file {\n\t\t\t\t\tcolor: var(--color-main-text);\n\t\t\t\t\tbackground: var(--color-main-background);\n\t\t\t\t\tborder-radius: 100%;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t// Entry link\n\t\t.files-list__row-name {\n\t\t\t// Prevent link from overflowing\n\t\t\toverflow: hidden;\n\t\t\t// Take as much space as possible\n\t\t\tflex: 1 1 auto;\n\n\t\t\ta {\n\t\t\t\tdisplay: flex;\n\t\t\t\talign-items: center;\n\t\t\t\t// Fill cell height and width\n\t\t\t\twidth: 100%;\n\t\t\t\theight: 100%;\n\t\t\t\t// Necessary for flex grow to work\n\t\t\t\tmin-width: 0;\n\n\t\t\t\t// Already added to the inner text, see rule below\n\t\t\t\t&:focus-visible {\n\t\t\t\t\toutline: none;\n\t\t\t\t}\n\n\t\t\t\t// Keyboard indicator a11y\n\t\t\t\t&:focus .files-list__row-name-text {\n\t\t\t\t\toutline: 2px solid var(--color-main-text) !important;\n\t\t\t\t\tborder-radius: 20px;\n\t\t\t\t}\n\t\t\t\t&:focus:not(:focus-visible) .files-list__row-name-text {\n\t\t\t\t\toutline: none !important;\n\t\t\t\t}\n\t\t\t}\n\n\t\t\t.files-list__row-name-text {\n\t\t\t\tcolor: var(--color-main-text);\n\t\t\t\t// Make some space for the outline\n\t\t\t\tpadding: 5px 10px;\n\t\t\t\tmargin-left: -10px;\n\t\t\t\t// Align two name and ext\n\t\t\t\tdisplay: inline-flex;\n\t\t\t}\n\n\t\t\t.files-list__row-name-ext {\n\t\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t\t\t// always show the extension\n\t\t\t\toverflow: visible;\n\t\t\t}\n\t\t}\n\n\t\t// Rename form\n\t\t.files-list__row-rename {\n\t\t\twidth: 100%;\n\t\t\tmax-width: 600px;\n\t\t\tinput {\n\t\t\t\twidth: 100%;\n\t\t\t\t// Align with text, 0 - padding - border\n\t\t\t\tmargin-left: -8px;\n\t\t\t\tpadding: 2px 6px;\n\t\t\t\tborder-width: 2px;\n\n\t\t\t\t&:invalid {\n\t\t\t\t\t// Show red border on invalid input\n\t\t\t\t\tborder-color: var(--color-error);\n\t\t\t\t\tcolor: red;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row-actions {\n\t\t\t// take as much space as necessary\n\t\t\twidth: auto;\n\n\t\t\t// Add margin to all cells after the actions\n\t\t\t& ~ td,\n\t\t\t& ~ th {\n\t\t\t\tmargin: 0 var(--cell-margin);\n\t\t\t}\n\n\t\t\tbutton {\n\t\t\t\t.button-vue__text {\n\t\t\t\t\t// Remove bold from default button styling\n\t\t\t\t\tfont-weight: normal;\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\n\t\t.files-list__row-action--inline {\n\t\t\tmargin-right: 7px;\n\t\t}\n\n\t\t.files-list__row-mtime,\n\t\t.files-list__row-size {\n\t\t\tcolor: var(--color-text-maxcontrast);\n\t\t}\n\t\t.files-list__row-size {\n\t\t\twidth: calc(var(--row-height) * 1.5);\n\t\t\t// Right align content/text\n\t\t\tjustify-content: flex-end;\n\t\t}\n\n\t\t.files-list__row-mtime {\n\t\t\twidth: calc(var(--row-height) * 2);\n\t\t}\n\n\t\t.files-list__row-column-custom {\n\t\t\twidth: calc(var(--row-height) * 2);\n\t\t}\n\t}\n}\n"],sourceRoot:""}]);const a=o},66936:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,"tbody.files-list__tbody.files-list__tbody--grid{--half-clickable-area: calc(var(--clickable-area) / 2);--row-width: 160px;--row-height: calc(var(--row-width) - var(--half-clickable-area));--icon-preview-size: calc(var(--row-width) - var(--clickable-area));--checkbox-padding: 0px;display:grid;grid-template-columns:repeat(auto-fill, var(--row-width));grid-gap:15px;row-gap:15px;align-content:center;align-items:center;justify-content:space-around;justify-items:center}tbody.files-list__tbody.files-list__tbody--grid tr{width:var(--row-width);height:calc(var(--row-height) + var(--clickable-area));border:none;border-radius:var(--border-radius)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-checkbox{position:absolute;z-index:9;top:0;left:0;overflow:hidden;width:var(--clickable-area);height:var(--clickable-area);border-radius:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-icon-favorite{position:absolute;top:0;right:0;display:flex;align-items:center;justify-content:center;width:var(--clickable-area);height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name{display:grid;justify-content:stretch;width:100%;height:100%;grid-auto-rows:var(--row-height) var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name span.files-list__row-icon{width:100%;height:100%;padding-top:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name a.files-list__row-name-link{width:calc(100% - var(--clickable-area));height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name .files-list__row-name-text{margin:0;padding-right:0}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-actions{position:absolute;right:0;bottom:0;width:var(--clickable-area);height:var(--clickable-area)}","",{version:3,sources:["webpack://./apps/files/src/components/FilesListVirtual.vue"],names:[],mappings:"AAEA,gDACC,sDAAA,CACA,kBAAA,CAEA,iEAAA,CACA,mEAAA,CACA,uBAAA,CAEA,YAAA,CACA,yDAAA,CACA,aAAA,CACA,YAAA,CAEA,oBAAA,CACA,kBAAA,CACA,4BAAA,CACA,oBAAA,CAEA,mDACC,sBAAA,CACA,sDAAA,CACA,WAAA,CACA,kCAAA,CAID,0EACC,iBAAA,CACA,SAAA,CACA,KAAA,CACA,MAAA,CACA,eAAA,CACA,2BAAA,CACA,4BAAA,CACA,wCAAA,CAID,+EACC,iBAAA,CACA,KAAA,CACA,OAAA,CACA,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,2BAAA,CACA,4BAAA,CAGD,sEACC,YAAA,CACA,uBAAA,CACA,UAAA,CACA,WAAA,CACA,sDAAA,CAEA,gGACC,UAAA,CACA,WAAA,CAGA,sCAAA,CAGD,kGAEC,wCAAA,CACA,4BAAA,CAGD,iGACC,QAAA,CACA,eAAA,CAIF,yEACC,iBAAA,CACA,OAAA,CACA,QAAA,CACA,2BAAA,CACA,4BAAA",sourcesContent:["\n// Grid mode\ntbody.files-list__tbody.files-list__tbody--grid {\n\t--half-clickable-area: calc(var(--clickable-area) / 2);\n\t--row-width: 160px;\n\t// We use half of the clickable area as visual balance margin\n\t--row-height: calc(var(--row-width) - var(--half-clickable-area));\n\t--icon-preview-size: calc(var(--row-width) - var(--clickable-area));\n\t--checkbox-padding: 0px;\n\n\tdisplay: grid;\n\tgrid-template-columns: repeat(auto-fill, var(--row-width));\n\tgrid-gap: 15px;\n\trow-gap: 15px;\n\n\talign-content: center;\n\talign-items: center;\n\tjustify-content: space-around;\n\tjustify-items: center;\n\n\ttr {\n\t\twidth: var(--row-width);\n\t\theight: calc(var(--row-height) + var(--clickable-area));\n\t\tborder: none;\n\t\tborder-radius: var(--border-radius);\n\t}\n\n\t// Checkbox in the top left\n\t.files-list__row-checkbox {\n\t\tposition: absolute;\n\t\tz-index: 9;\n\t\ttop: 0;\n\t\tleft: 0;\n\t\toverflow: hidden;\n\t\twidth: var(--clickable-area);\n\t\theight: var(--clickable-area);\n\t\tborder-radius: var(--half-clickable-area);\n\t}\n\n\t// Star icon in the top right\n\t.files-list__row-icon-favorite {\n\t\tposition: absolute;\n\t\ttop: 0;\n\t\tright: 0;\n\t\tdisplay: flex;\n\t\talign-items: center;\n\t\tjustify-content: center;\n\t\twidth: var(--clickable-area);\n\t\theight: var(--clickable-area);\n\t}\n\n\t.files-list__row-name {\n\t\tdisplay: grid;\n\t\tjustify-content: stretch;\n\t\twidth: 100%;\n\t\theight: 100%;\n\t\tgrid-auto-rows: var(--row-height) var(--clickable-area);\n\n\t\tspan.files-list__row-icon {\n\t\t\twidth: 100%;\n\t\t\theight: 100%;\n\t\t\t// Visual balance, we use half of the clickable area\n\t\t\t// as a margin around the preview\n\t\t\tpadding-top: var(--half-clickable-area);\n\t\t}\n\n\t\ta.files-list__row-name-link {\n\t\t\t// Minus action menu\n\t\t\twidth: calc(100% - var(--clickable-area));\n\t\t\theight: var(--clickable-area);\n\t\t}\n\n\t\t.files-list__row-name-text {\n\t\t\tmargin: 0;\n\t\t\tpadding-right: 0;\n\t\t}\n\t}\n\n\t.files-list__row-actions {\n\t\tposition: absolute;\n\t\tright: 0;\n\t\tbottom: 0;\n\t\twidth: var(--clickable-area);\n\t\theight: var(--clickable-area);\n\t}\n}\n"],sourceRoot:""}]);const a=o},33149:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".app-navigation-entry__settings-quota--not-unlimited[data-v-063ed938] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-063ed938]{position:absolute;bottom:12px;margin-left:44px;width:calc(100% - 44px - 22px)}","",{version:3,sources:["webpack://./apps/files/src/components/NavigationQuota.vue"],names:[],mappings:"AAIC,kGACC,eAAA,CAGD,gEACC,iBAAA,CACA,WAAA,CACA,gBAAA,CACA,8BAAA",sourcesContent:["\n// User storage stats display\n.app-navigation-entry__settings-quota {\n\t// Align title with progress and icon\n\t&--not-unlimited::v-deep .app-navigation-entry__name {\n\t\tmargin-top: -6px;\n\t}\n\n\tprogress {\n\t\tposition: absolute;\n\t\tbottom: 12px;\n\t\tmargin-left: 44px;\n\t\twidth: calc(100% - 44px - 22px);\n\t}\n}\n"],sourceRoot:""}]);const a=o},23822:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".app-content[data-v-fa8969e4]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-fa8969e4]{display:flex;align-items:center;flex:0 0;max-width:100%;margin-block:var(--app-navigation-padding, 4px);margin-inline:calc(var(--default-clickable-area, 44px) + 2*var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px)}.files-list__header>*[data-v-fa8969e4]{flex:0 0}.files-list__header-share-button[data-v-fa8969e4]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-fa8969e4]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-fa8969e4]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-fa8969e4]{margin:auto}","",{version:3,sources:["webpack://./apps/files/src/views/FilesList.vue"],names:[],mappings:"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,4BAAA,CAIA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CACA,cAAA,CAEA,+CAAA,CACA,iIAAA,CAEA,uCAGC,QAAA,CAGD,kDACC,8CAAA,CAEA,0DACC,uCAAA,CAKH,2CACC,aAAA,CACA,UAAA,CACA,WAAA,CAGD,2CACC,WAAA",sourcesContent:["\n.app-content {\n\t// Virtual list needs to be full height and is scrollable\n\tdisplay: flex;\n\toverflow: hidden;\n\tflex-direction: column;\n\tmax-height: 100%;\n\tposition: relative !important;\n}\n\n.files-list {\n\t&__header {\n\t\tdisplay: flex;\n\t\talign-items: center;\n\t\t// Do not grow or shrink (vertically)\n\t\tflex: 0 0;\n\t\tmax-width: 100%;\n\t\t// Align with the navigation toggle icon\n\t\tmargin-block: var(--app-navigation-padding, 4px);\n\t\tmargin-inline: calc(var(--default-clickable-area, 44px) + 2 * var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px);\n\n\t\t>* {\n\t\t\t// Do not grow or shrink (horizontally)\n\t\t\t// Only the breadcrumbs shrinks\n\t\t\tflex: 0 0;\n\t\t}\n\n\t\t&-share-button {\n\t\t\tcolor: var(--color-text-maxcontrast) !important;\n\n\t\t\t&--shared {\n\t\t\t\tcolor: var(--color-main-text) !important;\n\t\t\t}\n\t\t}\n\t}\n\n\t&__refresh-icon {\n\t\tflex: 0 0 44px;\n\t\twidth: 44px;\n\t\theight: 44px;\n\t}\n\n\t&__loading-icon {\n\t\tmargin: auto;\n\t}\n}\n"],sourceRoot:""}]);const a=o},59062:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".app-navigation[data-v-8291caa8] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-8291caa8] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-8291caa8]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-8291caa8]{height:auto !important;overflow:hidden !important;padding-top:0 !important;flex:0 0 auto}","",{version:3,sources:["webpack://./apps/files/src/views/Navigation.vue"],names:[],mappings:"AAEA,4DACC,2BAAA,CACA,0BAAA,CAGD,oGACC,uCAAA,CAGD,yDAEC,gDAAA,CAGD,iDACC,sBAAA,CACA,0BAAA,CACA,wBAAA,CAEA,aAAA",sourcesContent:["\n// TODO: remove when https://github.com/nextcloud/nextcloud-vue/pull/3539 is in\n.app-navigation::v-deep .app-navigation-entry-icon {\n\tbackground-repeat: no-repeat;\n\tbackground-position: center;\n}\n\n.app-navigation::v-deep .app-navigation-entry.active .button-vue.icon-collapse:not(:hover) {\n\tcolor: var(--color-primary-element-text);\n}\n\n.app-navigation > ul.app-navigation__list {\n\t// Use flex gap value for more elegant spacing\n\tpadding-bottom: var(--default-grid-baseline, 4px);\n}\n\n.app-navigation-entry__settings {\n\theight: auto !important;\n\toverflow: hidden !important;\n\tpadding-top: 0 !important;\n\t// Prevent shrinking or growing\n\tflex: 0 0 auto;\n}\n"],sourceRoot:""}]);const a=o},83331:(t,e,n)=>{"use strict";n.d(e,{A:()=>a});var s=n(71354),i=n.n(s),r=n(76314),o=n.n(r)()(i());o.push([t.id,".setting-link[data-v-109572de]:hover{text-decoration:underline}","",{version:3,sources:["webpack://./apps/files/src/views/Settings.vue"],names:[],mappings:"AACA,qCACC,yBAAA",sourcesContent:["\n.setting-link:hover {\n\ttext-decoration: underline;\n}\n"],sourceRoot:""}]);const a=o},64043:(t,e,n)=>{var s=n(48287).Buffer;!function(t){t.parser=function(t,e){return new r(t,e)},t.SAXParser=r,t.SAXStream=a,t.createStream=function(t,e){return new a(t,e)},t.MAX_BUFFER_LENGTH=65536;var e,i=["comment","sgmlDecl","textNode","tagName","doctype","procInstName","procInstBody","entity","attribName","attribValue","cdata","script"];function r(e,n){if(!(this instanceof r))return new r(e,n);var s=this;!function(t){for(var e=0,n=i.length;e<n;e++)t[i[e]]=""}(s),s.q=s.c="",s.bufferCheckPosition=t.MAX_BUFFER_LENGTH,s.opt=n||{},s.opt.lowercase=s.opt.lowercase||s.opt.lowercasetags,s.looseCase=s.opt.lowercase?"toLowerCase":"toUpperCase",s.tags=[],s.closed=s.closedRoot=s.sawRoot=!1,s.tag=s.error=null,s.strict=!!e,s.noscript=!(!e&&!s.opt.noscript),s.state=T.BEGIN,s.strictEntities=s.opt.strictEntities,s.ENTITIES=s.strictEntities?Object.create(t.XML_ENTITIES):Object.create(t.ENTITIES),s.attribList=[],s.opt.xmlns&&(s.ns=Object.create(m)),s.trackPosition=!1!==s.opt.position,s.trackPosition&&(s.position=s.line=s.column=0),E(s,"onready")}t.EVENTS=["text","processinginstruction","sgmldeclaration","doctype","comment","opentagstart","attribute","opentag","closetag","opencdata","cdata","closecdata","error","end","ready","script","opennamespace","closenamespace"],Object.create||(Object.create=function(t){function e(){}return e.prototype=t,new e}),Object.keys||(Object.keys=function(t){var e=[];for(var n in t)t.hasOwnProperty(n)&&e.push(n);return e}),r.prototype={end:function(){I(this)},write:function(e){var n=this;if(this.error)throw this.error;if(n.closed)return F(n,"Cannot write after close. Assign an onready handler.");if(null===e)return I(n);"object"==typeof e&&(e=e.toString());for(var s=0,r="";r=R(e,s++),n.c=r,r;)switch(n.trackPosition&&(n.position++,"\n"===r?(n.line++,n.column=0):n.column++),n.state){case T.BEGIN:if(n.state=T.BEGIN_WHITESPACE,"\ufeff"===r)continue;M(n,r);continue;case T.BEGIN_WHITESPACE:M(n,r);continue;case T.TEXT:if(n.sawRoot&&!n.closedRoot){for(var o=s-1;r&&"<"!==r&&"&"!==r;)(r=R(e,s++))&&n.trackPosition&&(n.position++,"\n"===r?(n.line++,n.column=0):n.column++);n.textNode+=e.substring(o,s-1)}"<"!==r||n.sawRoot&&n.closedRoot&&!n.strict?(v(r)||n.sawRoot&&!n.closedRoot||P(n,"Text data outside of root node."),"&"===r?n.state=T.TEXT_ENTITY:n.textNode+=r):(n.state=T.OPEN_WAKA,n.startTagPosition=n.position);continue;case T.SCRIPT:"<"===r?n.state=T.SCRIPT_ENDING:n.script+=r;continue;case T.SCRIPT_ENDING:"/"===r?n.state=T.CLOSE_TAG:(n.script+="<"+r,n.state=T.SCRIPT);continue;case T.OPEN_WAKA:if("!"===r)n.state=T.SGML_DECL,n.sgmlDecl="";else if(v(r));else if(y(p,r))n.state=T.OPEN_TAG,n.tagName=r;else if("/"===r)n.state=T.CLOSE_TAG,n.tagName="";else if("?"===r)n.state=T.PROC_INST,n.procInstName=n.procInstBody="";else{if(P(n,"Unencoded <"),n.startTagPosition+1<n.position){var a=n.position-n.startTagPosition;r=new Array(a).join(" ")+r}n.textNode+="<"+r,n.state=T.TEXT}continue;case T.SGML_DECL:(n.sgmlDecl+r).toUpperCase()===l?(S(n,"onopencdata"),n.state=T.CDATA,n.sgmlDecl="",n.cdata=""):n.sgmlDecl+r==="--"?(n.state=T.COMMENT,n.comment="",n.sgmlDecl=""):(n.sgmlDecl+r).toUpperCase()===c?(n.state=T.DOCTYPE,(n.doctype||n.sawRoot)&&P(n,"Inappropriately located doctype declaration"),n.doctype="",n.sgmlDecl=""):">"===r?(S(n,"onsgmldeclaration",n.sgmlDecl),n.sgmlDecl="",n.state=T.TEXT):A(r)?(n.state=T.SGML_DECL_QUOTED,n.sgmlDecl+=r):n.sgmlDecl+=r;continue;case T.SGML_DECL_QUOTED:r===n.q&&(n.state=T.SGML_DECL,n.q=""),n.sgmlDecl+=r;continue;case T.DOCTYPE:">"===r?(n.state=T.TEXT,S(n,"ondoctype",n.doctype),n.doctype=!0):(n.doctype+=r,"["===r?n.state=T.DOCTYPE_DTD:A(r)&&(n.state=T.DOCTYPE_QUOTED,n.q=r));continue;case T.DOCTYPE_QUOTED:n.doctype+=r,r===n.q&&(n.q="",n.state=T.DOCTYPE);continue;case T.DOCTYPE_DTD:n.doctype+=r,"]"===r?n.state=T.DOCTYPE:A(r)&&(n.state=T.DOCTYPE_DTD_QUOTED,n.q=r);continue;case T.DOCTYPE_DTD_QUOTED:n.doctype+=r,r===n.q&&(n.state=T.DOCTYPE_DTD,n.q="");continue;case T.COMMENT:"-"===r?n.state=T.COMMENT_ENDING:n.comment+=r;continue;case T.COMMENT_ENDING:"-"===r?(n.state=T.COMMENT_ENDED,n.comment=N(n.opt,n.comment),n.comment&&S(n,"oncomment",n.comment),n.comment=""):(n.comment+="-"+r,n.state=T.COMMENT);continue;case T.COMMENT_ENDED:">"!==r?(P(n,"Malformed comment"),n.comment+="--"+r,n.state=T.COMMENT):n.state=T.TEXT;continue;case T.CDATA:"]"===r?n.state=T.CDATA_ENDING:n.cdata+=r;continue;case T.CDATA_ENDING:"]"===r?n.state=T.CDATA_ENDING_2:(n.cdata+="]"+r,n.state=T.CDATA);continue;case T.CDATA_ENDING_2:">"===r?(n.cdata&&S(n,"oncdata",n.cdata),S(n,"onclosecdata"),n.cdata="",n.state=T.TEXT):"]"===r?n.cdata+="]":(n.cdata+="]]"+r,n.state=T.CDATA);continue;case T.PROC_INST:"?"===r?n.state=T.PROC_INST_ENDING:v(r)?n.state=T.PROC_INST_BODY:n.procInstName+=r;continue;case T.PROC_INST_BODY:if(!n.procInstBody&&v(r))continue;"?"===r?n.state=T.PROC_INST_ENDING:n.procInstBody+=r;continue;case T.PROC_INST_ENDING:">"===r?(S(n,"onprocessinginstruction",{name:n.procInstName,body:n.procInstBody}),n.procInstName=n.procInstBody="",n.state=T.TEXT):(n.procInstBody+="?"+r,n.state=T.PROC_INST_BODY);continue;case T.OPEN_TAG:y(f,r)?n.tagName+=r:(B(n),">"===r?U(n):"/"===r?n.state=T.OPEN_TAG_SLASH:(v(r)||P(n,"Invalid character in tag name"),n.state=T.ATTRIB));continue;case T.OPEN_TAG_SLASH:">"===r?(U(n,!0),j(n)):(P(n,"Forward-slash in opening tag not followed by >"),n.state=T.ATTRIB);continue;case T.ATTRIB:if(v(r))continue;">"===r?U(n):"/"===r?n.state=T.OPEN_TAG_SLASH:y(p,r)?(n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME:"="===r?n.state=T.ATTRIB_VALUE:">"===r?(P(n,"Attribute without value"),n.attribValue=n.attribName,D(n),U(n)):v(r)?n.state=T.ATTRIB_NAME_SAW_WHITE:y(f,r)?n.attribName+=r:P(n,"Invalid attribute name");continue;case T.ATTRIB_NAME_SAW_WHITE:if("="===r)n.state=T.ATTRIB_VALUE;else{if(v(r))continue;P(n,"Attribute without value"),n.tag.attributes[n.attribName]="",n.attribValue="",S(n,"onattribute",{name:n.attribName,value:""}),n.attribName="",">"===r?U(n):y(p,r)?(n.attribName=r,n.state=T.ATTRIB_NAME):(P(n,"Invalid attribute name"),n.state=T.ATTRIB)}continue;case T.ATTRIB_VALUE:if(v(r))continue;A(r)?(n.q=r,n.state=T.ATTRIB_VALUE_QUOTED):(P(n,"Unquoted attribute value"),n.state=T.ATTRIB_VALUE_UNQUOTED,n.attribValue=r);continue;case T.ATTRIB_VALUE_QUOTED:if(r!==n.q){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_Q:n.attribValue+=r;continue}D(n),n.q="",n.state=T.ATTRIB_VALUE_CLOSED;continue;case T.ATTRIB_VALUE_CLOSED:v(r)?n.state=T.ATTRIB:">"===r?U(n):"/"===r?n.state=T.OPEN_TAG_SLASH:y(p,r)?(P(n,"No whitespace between attributes"),n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):P(n,"Invalid attribute name");continue;case T.ATTRIB_VALUE_UNQUOTED:if(!w(r)){"&"===r?n.state=T.ATTRIB_VALUE_ENTITY_U:n.attribValue+=r;continue}D(n),">"===r?U(n):n.state=T.ATTRIB;continue;case T.CLOSE_TAG:if(n.tagName)">"===r?j(n):y(f,r)?n.tagName+=r:n.script?(n.script+="</"+n.tagName,n.tagName="",n.state=T.SCRIPT):(v(r)||P(n,"Invalid tagname in closing tag"),n.state=T.CLOSE_TAG_SAW_WHITE);else{if(v(r))continue;b(p,r)?n.script?(n.script+="</"+r,n.state=T.SCRIPT):P(n,"Invalid tagname in closing tag."):n.tagName=r}continue;case T.CLOSE_TAG_SAW_WHITE:if(v(r))continue;">"===r?j(n):P(n,"Invalid characters in closing tag");continue;case T.TEXT_ENTITY:case T.ATTRIB_VALUE_ENTITY_Q:case T.ATTRIB_VALUE_ENTITY_U:var d,u;switch(n.state){case T.TEXT_ENTITY:d=T.TEXT,u="textNode";break;case T.ATTRIB_VALUE_ENTITY_Q:d=T.ATTRIB_VALUE_QUOTED,u="attribValue";break;case T.ATTRIB_VALUE_ENTITY_U:d=T.ATTRIB_VALUE_UNQUOTED,u="attribValue"}if(";"===r)if(n.opt.unparsedEntities){var m=z(n);n.entity="",n.state=d,n.write(m)}else n[u]+=z(n),n.entity="",n.state=d;else y(n.entity.length?h:g,r)?n.entity+=r:(P(n,"Invalid character in entity name"),n[u]+="&"+n.entity+r,n.entity="",n.state=d);continue;default:throw new Error(n,"Unknown state: "+n.state)}return n.position>=n.bufferCheckPosition&&function(e){for(var n=Math.max(t.MAX_BUFFER_LENGTH,10),s=0,r=0,o=i.length;r<o;r++){var a=e[i[r]].length;if(a>n)switch(i[r]){case"textNode":L(e);break;case"cdata":S(e,"oncdata",e.cdata),e.cdata="";break;case"script":S(e,"onscript",e.script),e.script="";break;default:F(e,"Max buffer length exceeded: "+i[r])}s=Math.max(s,a)}var l=t.MAX_BUFFER_LENGTH-s;e.bufferCheckPosition=l+e.position}(n),n},resume:function(){return this.error=null,this},close:function(){return this.write(null)},flush:function(){var t;L(t=this),""!==t.cdata&&(S(t,"oncdata",t.cdata),t.cdata=""),""!==t.script&&(S(t,"onscript",t.script),t.script="")}};try{e=n(88310).Stream}catch(t){e=function(){}}e||(e=function(){});var o=t.EVENTS.filter((function(t){return"error"!==t&&"end"!==t}));function a(t,n){if(!(this instanceof a))return new a(t,n);e.apply(this),this._parser=new r(t,n),this.writable=!0,this.readable=!0;var s=this;this._parser.onend=function(){s.emit("end")},this._parser.onerror=function(t){s.emit("error",t),s._parser.error=null},this._decoder=null,o.forEach((function(t){Object.defineProperty(s,"on"+t,{get:function(){return s._parser["on"+t]},set:function(e){if(!e)return s.removeAllListeners(t),s._parser["on"+t]=e,e;s.on(t,e)},enumerable:!0,configurable:!1})}))}a.prototype=Object.create(e.prototype,{constructor:{value:a}}),a.prototype.write=function(t){if("function"==typeof s&&"function"==typeof s.isBuffer&&s.isBuffer(t)){if(!this._decoder){var e=n(83141).I;this._decoder=new e("utf8")}t=this._decoder.write(t)}return this._parser.write(t.toString()),this.emit("data",t),!0},a.prototype.end=function(t){return t&&t.length&&this.write(t),this._parser.end(),!0},a.prototype.on=function(t,n){var s=this;return s._parser["on"+t]||-1===o.indexOf(t)||(s._parser["on"+t]=function(){var e=1===arguments.length?[arguments[0]]:Array.apply(null,arguments);e.splice(0,0,t),s.emit.apply(s,e)}),e.prototype.on.call(s,t,n)};var l="[CDATA[",c="DOCTYPE",d="http://www.w3.org/XML/1998/namespace",u="http://www.w3.org/2000/xmlns/",m={xml:d,xmlns:u},p=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,f=/[:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/,g=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]/,h=/[#:_A-Za-z\u00C0-\u00D6\u00D8-\u00F6\u00F8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C-\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD\u00B7\u0300-\u036F\u203F-\u2040.\d-]/;function v(t){return" "===t||"\n"===t||"\r"===t||"\t"===t}function A(t){return'"'===t||"'"===t}function w(t){return">"===t||v(t)}function y(t,e){return t.test(e)}function b(t,e){return!y(t,e)}var C,x,_,T=0;for(var k in t.STATE={BEGIN:T++,BEGIN_WHITESPACE:T++,TEXT:T++,TEXT_ENTITY:T++,OPEN_WAKA:T++,SGML_DECL:T++,SGML_DECL_QUOTED:T++,DOCTYPE:T++,DOCTYPE_QUOTED:T++,DOCTYPE_DTD:T++,DOCTYPE_DTD_QUOTED:T++,COMMENT_STARTING:T++,COMMENT:T++,COMMENT_ENDING:T++,COMMENT_ENDED:T++,CDATA:T++,CDATA_ENDING:T++,CDATA_ENDING_2:T++,PROC_INST:T++,PROC_INST_BODY:T++,PROC_INST_ENDING:T++,OPEN_TAG:T++,OPEN_TAG_SLASH:T++,ATTRIB:T++,ATTRIB_NAME:T++,ATTRIB_NAME_SAW_WHITE:T++,ATTRIB_VALUE:T++,ATTRIB_VALUE_QUOTED:T++,ATTRIB_VALUE_CLOSED:T++,ATTRIB_VALUE_UNQUOTED:T++,ATTRIB_VALUE_ENTITY_Q:T++,ATTRIB_VALUE_ENTITY_U:T++,CLOSE_TAG:T++,CLOSE_TAG_SAW_WHITE:T++,SCRIPT:T++,SCRIPT_ENDING:T++},t.XML_ENTITIES={amp:"&",gt:">",lt:"<",quot:'"',apos:"'"},t.ENTITIES={amp:"&",gt:">",lt:"<",quot:'"',apos:"'",AElig:198,Aacute:193,Acirc:194,Agrave:192,Aring:197,Atilde:195,Auml:196,Ccedil:199,ETH:208,Eacute:201,Ecirc:202,Egrave:200,Euml:203,Iacute:205,Icirc:206,Igrave:204,Iuml:207,Ntilde:209,Oacute:211,Ocirc:212,Ograve:210,Oslash:216,Otilde:213,Ouml:214,THORN:222,Uacute:218,Ucirc:219,Ugrave:217,Uuml:220,Yacute:221,aacute:225,acirc:226,aelig:230,agrave:224,aring:229,atilde:227,auml:228,ccedil:231,eacute:233,ecirc:234,egrave:232,eth:240,euml:235,iacute:237,icirc:238,igrave:236,iuml:239,ntilde:241,oacute:243,ocirc:244,ograve:242,oslash:248,otilde:245,ouml:246,szlig:223,thorn:254,uacute:250,ucirc:251,ugrave:249,uuml:252,yacute:253,yuml:255,copy:169,reg:174,nbsp:160,iexcl:161,cent:162,pound:163,curren:164,yen:165,brvbar:166,sect:167,uml:168,ordf:170,laquo:171,not:172,shy:173,macr:175,deg:176,plusmn:177,sup1:185,sup2:178,sup3:179,acute:180,micro:181,para:182,middot:183,cedil:184,ordm:186,raquo:187,frac14:188,frac12:189,frac34:190,iquest:191,times:215,divide:247,OElig:338,oelig:339,Scaron:352,scaron:353,Yuml:376,fnof:402,circ:710,tilde:732,Alpha:913,Beta:914,Gamma:915,Delta:916,Epsilon:917,Zeta:918,Eta:919,Theta:920,Iota:921,Kappa:922,Lambda:923,Mu:924,Nu:925,Xi:926,Omicron:927,Pi:928,Rho:929,Sigma:931,Tau:932,Upsilon:933,Phi:934,Chi:935,Psi:936,Omega:937,alpha:945,beta:946,gamma:947,delta:948,epsilon:949,zeta:950,eta:951,theta:952,iota:953,kappa:954,lambda:955,mu:956,nu:957,xi:958,omicron:959,pi:960,rho:961,sigmaf:962,sigma:963,tau:964,upsilon:965,phi:966,chi:967,psi:968,omega:969,thetasym:977,upsih:978,piv:982,ensp:8194,emsp:8195,thinsp:8201,zwnj:8204,zwj:8205,lrm:8206,rlm:8207,ndash:8211,mdash:8212,lsquo:8216,rsquo:8217,sbquo:8218,ldquo:8220,rdquo:8221,bdquo:8222,dagger:8224,Dagger:8225,bull:8226,hellip:8230,permil:8240,prime:8242,Prime:8243,lsaquo:8249,rsaquo:8250,oline:8254,frasl:8260,euro:8364,image:8465,weierp:8472,real:8476,trade:8482,alefsym:8501,larr:8592,uarr:8593,rarr:8594,darr:8595,harr:8596,crarr:8629,lArr:8656,uArr:8657,rArr:8658,dArr:8659,hArr:8660,forall:8704,part:8706,exist:8707,empty:8709,nabla:8711,isin:8712,notin:8713,ni:8715,prod:8719,sum:8721,minus:8722,lowast:8727,radic:8730,prop:8733,infin:8734,ang:8736,and:8743,or:8744,cap:8745,cup:8746,int:8747,there4:8756,sim:8764,cong:8773,asymp:8776,ne:8800,equiv:8801,le:8804,ge:8805,sub:8834,sup:8835,nsub:8836,sube:8838,supe:8839,oplus:8853,otimes:8855,perp:8869,sdot:8901,lceil:8968,rceil:8969,lfloor:8970,rfloor:8971,lang:9001,rang:9002,loz:9674,spades:9824,clubs:9827,hearts:9829,diams:9830},Object.keys(t.ENTITIES).forEach((function(e){var n=t.ENTITIES[e],s="number"==typeof n?String.fromCharCode(n):n;t.ENTITIES[e]=s})),t.STATE)t.STATE[t.STATE[k]]=k;function E(t,e,n){t[e]&&t[e](n)}function S(t,e,n){t.textNode&&L(t),E(t,e,n)}function L(t){t.textNode=N(t.opt,t.textNode),t.textNode&&E(t,"ontext",t.textNode),t.textNode=""}function N(t,e){return t.trim&&(e=e.trim()),t.normalize&&(e=e.replace(/\s+/g," ")),e}function F(t,e){return L(t),t.trackPosition&&(e+="\nLine: "+t.line+"\nColumn: "+t.column+"\nChar: "+t.c),e=new Error(e),t.error=e,E(t,"onerror",e),t}function I(t){return t.sawRoot&&!t.closedRoot&&P(t,"Unclosed root tag"),t.state!==T.BEGIN&&t.state!==T.BEGIN_WHITESPACE&&t.state!==T.TEXT&&F(t,"Unexpected end"),L(t),t.c="",t.closed=!0,E(t,"onend"),r.call(t,t.strict,t.opt),t}function P(t,e){if("object"!=typeof t||!(t instanceof r))throw new Error("bad call to strictFail");t.strict&&F(t,e)}function B(t){t.strict||(t.tagName=t.tagName[t.looseCase]());var e=t.tags[t.tags.length-1]||t,n=t.tag={name:t.tagName,attributes:{}};t.opt.xmlns&&(n.ns=e.ns),t.attribList.length=0,S(t,"onopentagstart",n)}function O(t,e){var n=t.indexOf(":")<0?["",t]:t.split(":"),s=n[0],i=n[1];return e&&"xmlns"===t&&(s="xmlns",i=""),{prefix:s,local:i}}function D(t){if(t.strict||(t.attribName=t.attribName[t.looseCase]()),-1!==t.attribList.indexOf(t.attribName)||t.tag.attributes.hasOwnProperty(t.attribName))t.attribName=t.attribValue="";else{if(t.opt.xmlns){var e=O(t.attribName,!0),n=e.prefix,s=e.local;if("xmlns"===n)if("xml"===s&&t.attribValue!==d)P(t,"xml: prefix must be bound to "+d+"\nActual: "+t.attribValue);else if("xmlns"===s&&t.attribValue!==u)P(t,"xmlns: prefix must be bound to "+u+"\nActual: "+t.attribValue);else{var i=t.tag,r=t.tags[t.tags.length-1]||t;i.ns===r.ns&&(i.ns=Object.create(r.ns)),i.ns[s]=t.attribValue}t.attribList.push([t.attribName,t.attribValue])}else t.tag.attributes[t.attribName]=t.attribValue,S(t,"onattribute",{name:t.attribName,value:t.attribValue});t.attribName=t.attribValue=""}}function U(t,e){if(t.opt.xmlns){var n=t.tag,s=O(t.tagName);n.prefix=s.prefix,n.local=s.local,n.uri=n.ns[s.prefix]||"",n.prefix&&!n.uri&&(P(t,"Unbound namespace prefix: "+JSON.stringify(t.tagName)),n.uri=s.prefix);var i=t.tags[t.tags.length-1]||t;n.ns&&i.ns!==n.ns&&Object.keys(n.ns).forEach((function(e){S(t,"onopennamespace",{prefix:e,uri:n.ns[e]})}));for(var r=0,o=t.attribList.length;r<o;r++){var a=t.attribList[r],l=a[0],c=a[1],d=O(l,!0),u=d.prefix,m=d.local,p=""===u?"":n.ns[u]||"",f={name:l,value:c,prefix:u,local:m,uri:p};u&&"xmlns"!==u&&!p&&(P(t,"Unbound namespace prefix: "+JSON.stringify(u)),f.uri=u),t.tag.attributes[l]=f,S(t,"onattribute",f)}t.attribList.length=0}t.tag.isSelfClosing=!!e,t.sawRoot=!0,t.tags.push(t.tag),S(t,"onopentag",t.tag),e||(t.noscript||"script"!==t.tagName.toLowerCase()?t.state=T.TEXT:t.state=T.SCRIPT,t.tag=null,t.tagName=""),t.attribName=t.attribValue="",t.attribList.length=0}function j(t){if(!t.tagName)return P(t,"Weird empty close tag."),t.textNode+="</>",void(t.state=T.TEXT);if(t.script){if("script"!==t.tagName)return t.script+="</"+t.tagName+">",t.tagName="",void(t.state=T.SCRIPT);S(t,"onscript",t.script),t.script=""}var e=t.tags.length,n=t.tagName;t.strict||(n=n[t.looseCase]());for(var s=n;e--&&t.tags[e].name!==s;)P(t,"Unexpected close tag");if(e<0)return P(t,"Unmatched closing tag: "+t.tagName),t.textNode+="</"+t.tagName+">",void(t.state=T.TEXT);t.tagName=n;for(var i=t.tags.length;i-- >e;){var r=t.tag=t.tags.pop();t.tagName=t.tag.name,S(t,"onclosetag",t.tagName);var o={};for(var a in r.ns)o[a]=r.ns[a];var l=t.tags[t.tags.length-1]||t;t.opt.xmlns&&r.ns!==l.ns&&Object.keys(r.ns).forEach((function(e){var n=r.ns[e];S(t,"onclosenamespace",{prefix:e,uri:n})}))}0===e&&(t.closedRoot=!0),t.tagName=t.attribValue=t.attribName="",t.attribList.length=0,t.state=T.TEXT}function z(t){var e,n=t.entity,s=n.toLowerCase(),i="";return t.ENTITIES[n]?t.ENTITIES[n]:t.ENTITIES[s]?t.ENTITIES[s]:("#"===(n=s).charAt(0)&&("x"===n.charAt(1)?(n=n.slice(2),i=(e=parseInt(n,16)).toString(16)):(n=n.slice(1),i=(e=parseInt(n,10)).toString(10))),n=n.replace(/^0+/,""),isNaN(e)||i.toLowerCase()!==n?(P(t,"Invalid character entity"),"&"+t.entity+";"):String.fromCodePoint(e))}function M(t,e){"<"===e?(t.state=T.OPEN_WAKA,t.startTagPosition=t.position):v(e)||(P(t,"Non-whitespace before first tag."),t.textNode=e,t.state=T.TEXT)}function R(t,e){var n="";return e<t.length&&(n=t.charAt(e)),n}T=t.STATE,String.fromCodePoint||(C=String.fromCharCode,x=Math.floor,_=function(){var t,e,n=[],s=-1,i=arguments.length;if(!i)return"";for(var r="";++s<i;){var o=Number(arguments[s]);if(!isFinite(o)||o<0||o>1114111||x(o)!==o)throw RangeError("Invalid code point: "+o);o<=65535?n.push(o):(t=55296+((o-=65536)>>10),e=o%1024+56320,n.push(t,e)),(s+1===i||n.length>16384)&&(r+=C.apply(null,n),n.length=0)}return r},Object.defineProperty?Object.defineProperty(String,"fromCodePoint",{value:_,configurable:!0,writable:!0}):String.fromCodePoint=_)}(e)},42791:function(t,e,n){var s=n(65606);!function(t,e){"use strict";if(!t.setImmediate){var n,i,r,o,a,l=1,c={},d=!1,u=t.document,m=Object.getPrototypeOf&&Object.getPrototypeOf(t);m=m&&m.setTimeout?m:t,"[object process]"==={}.toString.call(t.process)?n=function(t){s.nextTick((function(){f(t)}))}:function(){if(t.postMessage&&!t.importScripts){var e=!0,n=t.onmessage;return t.onmessage=function(){e=!1},t.postMessage("","*"),t.onmessage=n,e}}()?(o="setImmediate$"+Math.random()+"$",a=function(e){e.source===t&&"string"==typeof e.data&&0===e.data.indexOf(o)&&f(+e.data.slice(o.length))},t.addEventListener?t.addEventListener("message",a,!1):t.attachEvent("onmessage",a),n=function(e){t.postMessage(o+e,"*")}):t.MessageChannel?((r=new MessageChannel).port1.onmessage=function(t){f(t.data)},n=function(t){r.port2.postMessage(t)}):u&&"onreadystatechange"in u.createElement("script")?(i=u.documentElement,n=function(t){var e=u.createElement("script");e.onreadystatechange=function(){f(t),e.onreadystatechange=null,i.removeChild(e),e=null},i.appendChild(e)}):n=function(t){setTimeout(f,0,t)},m.setImmediate=function(t){"function"!=typeof t&&(t=new Function(""+t));for(var e=new Array(arguments.length-1),s=0;s<e.length;s++)e[s]=arguments[s+1];var i={callback:t,args:e};return c[l]=i,n(l),l++},m.clearImmediate=p}function p(t){delete c[t]}function f(t){if(d)setTimeout(f,0,t);else{var e=c[t];if(e){d=!0;try{!function(t){var e=t.callback,n=t.args;switch(n.length){case 0:e();break;case 1:e(n[0]);break;case 2:e(n[0],n[1]);break;case 3:e(n[0],n[1],n[2]);break;default:e.apply(undefined,n)}}(e)}finally{p(t),d=!1}}}}}("undefined"==typeof self?void 0===n.g?this:n.g:self)},75270:t=>{function e(t,e){return null==t?e:t}t.exports=function(t){var n,s=e((t=t||{}).max,1),i=e(t.min,0),r=e(t.autostart,!0),o=e(t.ignoreSameProgress,!1),a=null,l=null,c=null,d=(n=e(t.historyTimeConstant,2.5),function(t,e,s){return t+s/(s+n)*(e-t)});function u(){m(i)}function m(t,e){if("number"!=typeof e&&(e=Date.now()),l!==e&&(!o||c!==t)){if(null===l||null===c)return c=t,void(l=e);var n=.001*(e-l),s=(t-c)/n;a=null===a?s:d(a,s,n),c=t,l=e}}return{start:u,reset:function(){a=null,l=null,c=null,r&&u()},report:m,estimate:function(t){if(null===c)return 1/0;if(c>=s)return 0;if(null===a)return 1/0;var e=(s-c)/a;return"number"==typeof t&&"number"==typeof l&&(e-=.001*(t-l)),Math.max(0,e)},rate:function(){return null===a?0:a}}}},97103:function(t,e,n){var s=void 0!==n.g&&n.g||"undefined"!=typeof self&&self||window,i=Function.prototype.apply;function r(t,e){this._id=t,this._clearFn=e}e.setTimeout=function(){return new r(i.call(setTimeout,s,arguments),clearTimeout)},e.setInterval=function(){return new r(i.call(setInterval,s,arguments),clearInterval)},e.clearTimeout=e.clearInterval=function(t){t&&t.close()},r.prototype.unref=r.prototype.ref=function(){},r.prototype.close=function(){this._clearFn.call(s,this._id)},e.enroll=function(t,e){clearTimeout(t._idleTimeoutId),t._idleTimeout=e},e.unenroll=function(t){clearTimeout(t._idleTimeoutId),t._idleTimeout=-1},e._unrefActive=e.active=function(t){clearTimeout(t._idleTimeoutId);var e=t._idleTimeout;e>=0&&(t._idleTimeoutId=setTimeout((function(){t._onTimeout&&t._onTimeout()}),e))},n(42791),e.setImmediate="undefined"!=typeof self&&self.setImmediate||void 0!==n.g&&n.g.setImmediate||this&&this.setImmediate,e.clearImmediate="undefined"!=typeof self&&self.clearImmediate||void 0!==n.g&&n.g.clearImmediate||this&&this.clearImmediate},83177:function(t,e){(function(){"use strict";e.stripBOM=function(t){return"\ufeff"===t[0]?t.substring(1):t}}).call(this)},56712:function(t,e,n){(function(){"use strict";var t,s,i,r,o,a={}.hasOwnProperty;t=n(59665),s=n(66465).defaults,r=function(t){return"string"==typeof t&&(t.indexOf("&")>=0||t.indexOf(">")>=0||t.indexOf("<")>=0)},o=function(t){return"<![CDATA["+i(t)+"]]>"},i=function(t){return t.replace("]]>","]]]]><![CDATA[>")},e.Builder=function(){function e(t){var e,n,i;for(e in this.options={},n=s[.2])a.call(n,e)&&(i=n[e],this.options[e]=i);for(e in t)a.call(t,e)&&(i=t[e],this.options[e]=i)}return e.prototype.buildObject=function(e){var n,i,l,c,d,u;return n=this.options.attrkey,i=this.options.charkey,1===Object.keys(e).length&&this.options.rootName===s[.2].rootName?e=e[d=Object.keys(e)[0]]:d=this.options.rootName,u=this,l=function(t,e){var s,c,d,m,p,f;if("object"!=typeof e)u.options.cdata&&r(e)?t.raw(o(e)):t.txt(e);else if(Array.isArray(e)){for(m in e)if(a.call(e,m))for(p in c=e[m])d=c[p],t=l(t.ele(p),d).up()}else for(p in e)if(a.call(e,p))if(c=e[p],p===n){if("object"==typeof c)for(s in c)f=c[s],t=t.att(s,f)}else if(p===i)t=u.options.cdata&&r(c)?t.raw(o(c)):t.txt(c);else if(Array.isArray(c))for(m in c)a.call(c,m)&&(t="string"==typeof(d=c[m])?u.options.cdata&&r(d)?t.ele(p).raw(o(d)).up():t.ele(p,d).up():l(t.ele(p),d).up());else"object"==typeof c?t=l(t.ele(p),c).up():"string"==typeof c&&u.options.cdata&&r(c)?t=t.ele(p).raw(o(c)).up():(null==c&&(c=""),t=t.ele(p,c.toString()).up());return t},c=t.create(d,this.options.xmldec,this.options.doctype,{headless:this.options.headless,allowSurrogateChars:this.options.allowSurrogateChars}),l(c,e).end(this.options.renderOpts)},e}()}).call(this)},66465:function(t,e){(function(){e.defaults={.1:{explicitCharkey:!1,trim:!0,normalize:!0,normalizeTags:!1,attrkey:"@",charkey:"#",explicitArray:!1,ignoreAttrs:!1,mergeAttrs:!1,explicitRoot:!1,validator:null,xmlns:!1,explicitChildren:!1,childkey:"@@",charsAsChildren:!1,includeWhiteChars:!1,async:!1,strict:!0,attrNameProcessors:null,attrValueProcessors:null,tagNameProcessors:null,valueProcessors:null,emptyTag:""},.2:{explicitCharkey:!1,trim:!1,normalize:!1,normalizeTags:!1,attrkey:"$",charkey:"_",explicitArray:!0,ignoreAttrs:!1,mergeAttrs:!1,explicitRoot:!0,validator:null,xmlns:!1,explicitChildren:!1,preserveChildrenOrder:!1,childkey:"$$",charsAsChildren:!1,includeWhiteChars:!1,async:!1,strict:!0,attrNameProcessors:null,attrValueProcessors:null,tagNameProcessors:null,valueProcessors:null,rootName:"root",xmldec:{version:"1.0",encoding:"UTF-8",standalone:!0},doctype:null,renderOpts:{pretty:!0,indent:" ",newline:"\n"},headless:!1,chunkSize:1e4,emptyTag:"",cdata:!1}}}).call(this)},11912:function(t,e,n){(function(){"use strict";var t,s,i,r,o,a,l,c,d,u=function(t,e){return function(){return t.apply(e,arguments)}},m={}.hasOwnProperty;c=n(64043),r=n(37007),t=n(83177),l=n(92114),d=n(97103).setImmediate,s=n(66465).defaults,o=function(t){return"object"==typeof t&&null!=t&&0===Object.keys(t).length},a=function(t,e,n){var s,i;for(s=0,i=t.length;s<i;s++)e=(0,t[s])(e,n);return e},i=function(t,e,n){var s;return(s=Object.create(null)).value=n,s.writable=!0,s.enumerable=!0,s.configurable=!0,Object.defineProperty(t,e,s)},e.Parser=function(n){function r(t){var n,i,r;if(this.parseStringPromise=u(this.parseStringPromise,this),this.parseString=u(this.parseString,this),this.reset=u(this.reset,this),this.assignOrPush=u(this.assignOrPush,this),this.processAsync=u(this.processAsync,this),!(this instanceof e.Parser))return new e.Parser(t);for(n in this.options={},i=s[.2])m.call(i,n)&&(r=i[n],this.options[n]=r);for(n in t)m.call(t,n)&&(r=t[n],this.options[n]=r);this.options.xmlns&&(this.options.xmlnskey=this.options.attrkey+"ns"),this.options.normalizeTags&&(this.options.tagNameProcessors||(this.options.tagNameProcessors=[]),this.options.tagNameProcessors.unshift(l.normalize)),this.reset()}return function(t,e){for(var n in e)m.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(r,n),r.prototype.processAsync=function(){var t,e;try{return this.remaining.length<=this.options.chunkSize?(t=this.remaining,this.remaining="",this.saxParser=this.saxParser.write(t),this.saxParser.close()):(t=this.remaining.substr(0,this.options.chunkSize),this.remaining=this.remaining.substr(this.options.chunkSize,this.remaining.length),this.saxParser=this.saxParser.write(t),d(this.processAsync))}catch(t){if(e=t,!this.saxParser.errThrown)return this.saxParser.errThrown=!0,this.emit(e)}},r.prototype.assignOrPush=function(t,e,n){return e in t?(t[e]instanceof Array||i(t,e,[t[e]]),t[e].push(n)):this.options.explicitArray?i(t,e,[n]):i(t,e,n)},r.prototype.reset=function(){var t,e,n,s,r;return this.removeAllListeners(),this.saxParser=c.parser(this.options.strict,{trim:!1,normalize:!1,xmlns:this.options.xmlns}),this.saxParser.errThrown=!1,this.saxParser.onerror=(r=this,function(t){if(r.saxParser.resume(),!r.saxParser.errThrown)return r.saxParser.errThrown=!0,r.emit("error",t)}),this.saxParser.onend=function(t){return function(){if(!t.saxParser.ended)return t.saxParser.ended=!0,t.emit("end",t.resultObject)}}(this),this.saxParser.ended=!1,this.EXPLICIT_CHARKEY=this.options.explicitCharkey,this.resultObject=null,s=[],t=this.options.attrkey,e=this.options.charkey,this.saxParser.onopentag=function(n){return function(r){var o,l,c,d,u;if((c={})[e]="",!n.options.ignoreAttrs)for(o in u=r.attributes)m.call(u,o)&&(t in c||n.options.mergeAttrs||(c[t]={}),l=n.options.attrValueProcessors?a(n.options.attrValueProcessors,r.attributes[o],o):r.attributes[o],d=n.options.attrNameProcessors?a(n.options.attrNameProcessors,o):o,n.options.mergeAttrs?n.assignOrPush(c,d,l):i(c[t],d,l));return c["#name"]=n.options.tagNameProcessors?a(n.options.tagNameProcessors,r.name):r.name,n.options.xmlns&&(c[n.options.xmlnskey]={uri:r.uri,local:r.local}),s.push(c)}}(this),this.saxParser.onclosetag=function(t){return function(){var n,r,l,c,d,u,p,f,g,h;if(u=s.pop(),d=u["#name"],t.options.explicitChildren&&t.options.preserveChildrenOrder||delete u["#name"],!0===u.cdata&&(n=u.cdata,delete u.cdata),g=s[s.length-1],u[e].match(/^\s*$/)&&!n?(r=u[e],delete u[e]):(t.options.trim&&(u[e]=u[e].trim()),t.options.normalize&&(u[e]=u[e].replace(/\s{2,}/g," ").trim()),u[e]=t.options.valueProcessors?a(t.options.valueProcessors,u[e],d):u[e],1===Object.keys(u).length&&e in u&&!t.EXPLICIT_CHARKEY&&(u=u[e])),o(u)&&(u="function"==typeof t.options.emptyTag?t.options.emptyTag():""!==t.options.emptyTag?t.options.emptyTag:r),null!=t.options.validator&&(h="/"+function(){var t,e,n;for(n=[],t=0,e=s.length;t<e;t++)c=s[t],n.push(c["#name"]);return n}().concat(d).join("/"),function(){var e;try{return u=t.options.validator(h,g&&g[d],u)}catch(n){return e=n,t.emit("error",e)}}()),t.options.explicitChildren&&!t.options.mergeAttrs&&"object"==typeof u)if(t.options.preserveChildrenOrder){if(g){for(l in g[t.options.childkey]=g[t.options.childkey]||[],p={},u)m.call(u,l)&&i(p,l,u[l]);g[t.options.childkey].push(p),delete u["#name"],1===Object.keys(u).length&&e in u&&!t.EXPLICIT_CHARKEY&&(u=u[e])}}else c={},t.options.attrkey in u&&(c[t.options.attrkey]=u[t.options.attrkey],delete u[t.options.attrkey]),!t.options.charsAsChildren&&t.options.charkey in u&&(c[t.options.charkey]=u[t.options.charkey],delete u[t.options.charkey]),Object.getOwnPropertyNames(u).length>0&&(c[t.options.childkey]=u),u=c;return s.length>0?t.assignOrPush(g,d,u):(t.options.explicitRoot&&(f=u,i(u={},d,f)),t.resultObject=u,t.saxParser.ended=!0,t.emit("end",t.resultObject))}}(this),n=function(t){return function(n){var i,r;if(r=s[s.length-1])return r[e]+=n,t.options.explicitChildren&&t.options.preserveChildrenOrder&&t.options.charsAsChildren&&(t.options.includeWhiteChars||""!==n.replace(/\\n/g,"").trim())&&(r[t.options.childkey]=r[t.options.childkey]||[],(i={"#name":"__text__"})[e]=n,t.options.normalize&&(i[e]=i[e].replace(/\s{2,}/g," ").trim()),r[t.options.childkey].push(i)),r}}(this),this.saxParser.ontext=n,this.saxParser.oncdata=function(t){var e;if(e=n(t))return e.cdata=!0}},r.prototype.parseString=function(e,n){var s;null!=n&&"function"==typeof n&&(this.on("end",(function(t){return this.reset(),n(null,t)})),this.on("error",(function(t){return this.reset(),n(t)})));try{return""===(e=e.toString()).trim()?(this.emit("end",null),!0):(e=t.stripBOM(e),this.options.async?(this.remaining=e,d(this.processAsync),this.saxParser):this.saxParser.write(e).close())}catch(t){if(s=t,!this.saxParser.errThrown&&!this.saxParser.ended)return this.emit("error",s),this.saxParser.errThrown=!0;if(this.saxParser.ended)throw s}},r.prototype.parseStringPromise=function(t){return new Promise((e=this,function(n,s){return e.parseString(t,(function(t,e){return t?s(t):n(e)}))}));var e},r}(r),e.parseString=function(t,n,s){var i,r;return null!=s?("function"==typeof s&&(i=s),"object"==typeof n&&(r=n)):("function"==typeof n&&(i=n),r={}),new e.Parser(r).parseString(t,i)},e.parseStringPromise=function(t,n){var s;return"object"==typeof n&&(s=n),new e.Parser(s).parseStringPromise(t)}}).call(this)},92114:function(t,e){(function(){"use strict";var t;t=new RegExp(/(?!xmlns)^.*:/),e.normalize=function(t){return t.toLowerCase()},e.firstCharLowerCase=function(t){return t.charAt(0).toLowerCase()+t.slice(1)},e.stripPrefix=function(e){return e.replace(t,"")},e.parseNumbers=function(t){return isNaN(t)||(t=t%1==0?parseInt(t,10):parseFloat(t)),t},e.parseBooleans=function(t){return/^(?:true|false)$/i.test(t)&&(t="true"===t.toLowerCase()),t}}).call(this)},38805:function(t,e,n){(function(){"use strict";var t,s,i,r,o={}.hasOwnProperty;s=n(66465),t=n(56712),i=n(11912),r=n(92114),e.defaults=s.defaults,e.processors=r,e.ValidationError=function(t){function e(t){this.message=t}return function(t,e){for(var n in e)o.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(e,Error),e}(),e.Builder=t.Builder,e.Parser=i.Parser,e.parseString=i.parseString,e.parseStringPromise=i.parseStringPromise}).call(this)},34923:function(t){(function(){t.exports={Disconnected:1,Preceding:2,Following:4,Contains:8,ContainedBy:16,ImplementationSpecific:32}}).call(this)},71737:function(t){(function(){t.exports={Element:1,Attribute:2,Text:3,CData:4,EntityReference:5,EntityDeclaration:6,ProcessingInstruction:7,Comment:8,Document:9,DocType:10,DocumentFragment:11,NotationDeclaration:12,Declaration:201,Raw:202,AttributeDeclaration:203,ElementDeclaration:204,Dummy:205}}).call(this)},49241:function(t){(function(){var e,n,s,i,r,o,a,l=[].slice,c={}.hasOwnProperty;e=function(){var t,e,n,s,i,o;if(o=arguments[0],i=2<=arguments.length?l.call(arguments,1):[],r(Object.assign))Object.assign.apply(null,arguments);else for(t=0,n=i.length;t<n;t++)if(null!=(s=i[t]))for(e in s)c.call(s,e)&&(o[e]=s[e]);return o},r=function(t){return!!t&&"[object Function]"===Object.prototype.toString.call(t)},o=function(t){var e;return!!t&&("function"==(e=typeof t)||"object"===e)},s=function(t){return r(Array.isArray)?Array.isArray(t):"[object Array]"===Object.prototype.toString.call(t)},i=function(t){var e;if(s(t))return!t.length;for(e in t)if(c.call(t,e))return!1;return!0},a=function(t){var e,n;return o(t)&&(n=Object.getPrototypeOf(t))&&(e=n.constructor)&&"function"==typeof e&&e instanceof e&&Function.prototype.toString.call(e)===Function.prototype.toString.call(Object)},n=function(t){return r(t.valueOf)?t.valueOf():t},t.exports.assign=e,t.exports.isFunction=r,t.exports.isObject=o,t.exports.isArray=s,t.exports.isEmpty=i,t.exports.isPlainObject=a,t.exports.getValue=n}).call(this)},88753:function(t){(function(){t.exports={None:0,OpenTag:1,InsideTag:2,CloseTag:3}}).call(this)},54238:function(t,e,n){(function(){var e;e=n(71737),n(10468),t.exports=function(){function t(t,n,s){if(this.parent=t,this.parent&&(this.options=this.parent.options,this.stringify=this.parent.stringify),null==n)throw new Error("Missing attribute name. "+this.debugInfo(n));this.name=this.stringify.name(n),this.value=this.stringify.attValue(s),this.type=e.Attribute,this.isId=!1,this.schemaTypeInfo=null}return Object.defineProperty(t.prototype,"nodeType",{get:function(){return this.type}}),Object.defineProperty(t.prototype,"ownerElement",{get:function(){return this.parent}}),Object.defineProperty(t.prototype,"textContent",{get:function(){return this.value},set:function(t){return this.value=t||""}}),Object.defineProperty(t.prototype,"namespaceURI",{get:function(){return""}}),Object.defineProperty(t.prototype,"prefix",{get:function(){return""}}),Object.defineProperty(t.prototype,"localName",{get:function(){return this.name}}),Object.defineProperty(t.prototype,"specified",{get:function(){return!0}}),t.prototype.clone=function(){return Object.create(this)},t.prototype.toString=function(t){return this.options.writer.attribute(this,this.options.writer.filterOptions(t))},t.prototype.debugInfo=function(t){return null==(t=t||this.name)?"parent: <"+this.parent.name+">":"attribute: {"+t+"}, parent: <"+this.parent.name+">"},t.prototype.isEqualNode=function(t){return t.namespaceURI===this.namespaceURI&&t.prefix===this.prefix&&t.localName===this.localName&&t.value===this.value},t}()}).call(this)},92691:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing CDATA text. "+this.debugInfo());this.name="#cdata-section",this.type=e.CData,this.value=this.stringify.cdata(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.cdata(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},17457:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(10468),t.exports=function(t){function e(t){e.__super__.constructor.call(this,t),this.value=""}return function(t,e){for(var n in e)s.call(e,n)&&(t[n]=e[n]);function i(){this.constructor=t}i.prototype=e.prototype,t.prototype=new i,t.__super__=e.prototype}(e,t),Object.defineProperty(e.prototype,"data",{get:function(){return this.value},set:function(t){return this.value=t||""}}),Object.defineProperty(e.prototype,"length",{get:function(){return this.value.length}}),Object.defineProperty(e.prototype,"textContent",{get:function(){return this.value},set:function(t){return this.value=t||""}}),e.prototype.clone=function(){return Object.create(this)},e.prototype.substringData=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.appendData=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.insertData=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.deleteData=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.replaceData=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},e.prototype.isEqualNode=function(t){return!!e.__super__.isEqualNode.apply(this,arguments).isEqualNode(t)&&t.data===this.data},e}(e)}).call(this)},32679:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing comment text. "+this.debugInfo());this.name="#comment",this.type=e.Comment,this.value=this.stringify.comment(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.comment(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},33074:function(t,e,n){(function(){var e,s;e=n(55660),s=n(92527),t.exports=function(){function t(){this.defaultParams={"canonical-form":!1,"cdata-sections":!1,comments:!1,"datatype-normalization":!1,"element-content-whitespace":!0,entities:!0,"error-handler":new e,infoset:!0,"validate-if-schema":!1,namespaces:!0,"namespace-declarations":!0,"normalize-characters":!1,"schema-location":"","schema-type":"","split-cdata-sections":!0,validate:!1,"well-formed":!0},this.params=Object.create(this.defaultParams)}return Object.defineProperty(t.prototype,"parameterNames",{get:function(){return new s(Object.keys(this.defaultParams))}}),t.prototype.getParameter=function(t){return this.params.hasOwnProperty(t)?this.params[t]:null},t.prototype.canSetParameter=function(t,e){return!0},t.prototype.setParameter=function(t,e){return null!=e?this.params[t]=e:delete this.params[t]},t}()}).call(this)},55660:function(t){(function(){t.exports=function(){function t(){}return t.prototype.handleError=function(t){throw new Error(t)},t}()}).call(this)},67260:function(t){(function(){t.exports=function(){function t(){}return t.prototype.hasFeature=function(t,e){return!0},t.prototype.createDocumentType=function(t,e,n){throw new Error("This DOM method is not implemented.")},t.prototype.createDocument=function(t,e,n){throw new Error("This DOM method is not implemented.")},t.prototype.createHTMLDocument=function(t){throw new Error("This DOM method is not implemented.")},t.prototype.getFeature=function(t,e){throw new Error("This DOM method is not implemented.")},t}()}).call(this)},92527:function(t){(function(){t.exports=function(){function t(t){this.arr=t||[]}return Object.defineProperty(t.prototype,"length",{get:function(){return this.arr.length}}),t.prototype.item=function(t){return this.arr[t]||null},t.prototype.contains=function(t){return-1!==this.arr.indexOf(t)},t}()}).call(this)},34111:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,i,r,o,a){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing DTD element name. "+this.debugInfo());if(null==i)throw new Error("Missing DTD attribute name. "+this.debugInfo(s));if(!r)throw new Error("Missing DTD attribute type. "+this.debugInfo(s));if(!o)throw new Error("Missing DTD attribute default. "+this.debugInfo(s));if(0!==o.indexOf("#")&&(o="#"+o),!o.match(/^(#REQUIRED|#IMPLIED|#FIXED|#DEFAULT)$/))throw new Error("Invalid default value type; expected: #REQUIRED, #IMPLIED, #FIXED or #DEFAULT. "+this.debugInfo(s));if(a&&!o.match(/^(#FIXED|#DEFAULT)$/))throw new Error("Default value only applies to #FIXED or #DEFAULT. "+this.debugInfo(s));this.elementName=this.stringify.name(s),this.type=e.AttributeDeclaration,this.attributeName=this.stringify.name(i),this.attributeType=this.stringify.dtdAttType(r),a&&(this.defaultValue=this.stringify.dtdAttDefault(a)),this.defaultValueType=o}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.toString=function(t){return this.options.writer.dtdAttList(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},67696:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,i){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing DTD element name. "+this.debugInfo());i||(i="(#PCDATA)"),Array.isArray(i)&&(i="("+i.join(",")+")"),this.name=this.stringify.name(s),this.type=e.ElementDeclaration,this.value=this.stringify.dtdElementValue(i)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.toString=function(t){return this.options.writer.dtdElement(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},5529:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(49241).isObject,s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,r,o){if(n.__super__.constructor.call(this,t),null==r)throw new Error("Missing DTD entity name. "+this.debugInfo(r));if(null==o)throw new Error("Missing DTD entity value. "+this.debugInfo(r));if(this.pe=!!s,this.name=this.stringify.name(r),this.type=e.EntityDeclaration,i(o)){if(!o.pubID&&!o.sysID)throw new Error("Public and/or system identifiers are required for an external entity. "+this.debugInfo(r));if(o.pubID&&!o.sysID)throw new Error("System identifier is required for a public external entity. "+this.debugInfo(r));if(this.internal=!1,null!=o.pubID&&(this.pubID=this.stringify.dtdPubID(o.pubID)),null!=o.sysID&&(this.sysID=this.stringify.dtdSysID(o.sysID)),null!=o.nData&&(this.nData=this.stringify.dtdNData(o.nData)),this.pe&&this.nData)throw new Error("Notation declaration is not allowed in a parameter entity. "+this.debugInfo(r))}else this.value=this.stringify.dtdEntityValue(o),this.internal=!0}return function(t,e){for(var n in e)r.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"publicId",{get:function(){return this.pubID}}),Object.defineProperty(n.prototype,"systemId",{get:function(){return this.sysID}}),Object.defineProperty(n.prototype,"notationName",{get:function(){return this.nData||null}}),Object.defineProperty(n.prototype,"inputEncoding",{get:function(){return null}}),Object.defineProperty(n.prototype,"xmlEncoding",{get:function(){return null}}),Object.defineProperty(n.prototype,"xmlVersion",{get:function(){return null}}),n.prototype.toString=function(t){return this.options.writer.dtdEntity(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},28012:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,i){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing DTD notation name. "+this.debugInfo(s));if(!i.pubID&&!i.sysID)throw new Error("Public or system identifiers are required for an external entity. "+this.debugInfo(s));this.name=this.stringify.name(s),this.type=e.NotationDeclaration,null!=i.pubID&&(this.pubID=this.stringify.dtdPubID(i.pubID)),null!=i.sysID&&(this.sysID=this.stringify.dtdSysID(i.sysID))}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"publicId",{get:function(){return this.pubID}}),Object.defineProperty(n.prototype,"systemId",{get:function(){return this.sysID}}),n.prototype.toString=function(t){return this.options.writer.dtdNotation(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},34130:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(49241).isObject,s=n(10468),e=n(71737),t.exports=function(t){function n(t,s,r,o){var a;n.__super__.constructor.call(this,t),i(s)&&(s=(a=s).version,r=a.encoding,o=a.standalone),s||(s="1.0"),this.type=e.Declaration,this.version=this.stringify.xmlVersion(s),null!=r&&(this.encoding=this.stringify.xmlEncoding(r)),null!=o&&(this.standalone=this.stringify.xmlStandalone(o))}return function(t,e){for(var n in e)r.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.toString=function(t){return this.options.writer.declaration(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},96376:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d={}.hasOwnProperty;c=n(49241).isObject,l=n(10468),e=n(71737),s=n(34111),r=n(5529),i=n(67696),o=n(28012),a=n(24797),t.exports=function(t){function n(t,s,i){var r,o,a,l,d,u;if(n.__super__.constructor.call(this,t),this.type=e.DocType,t.children)for(o=0,a=(l=t.children).length;o<a;o++)if((r=l[o]).type===e.Element){this.name=r.name;break}this.documentObject=t,c(s)&&(s=(d=s).pubID,i=d.sysID),null==i&&(i=(u=[s,i])[0],s=u[1]),null!=s&&(this.pubID=this.stringify.dtdPubID(s)),null!=i&&(this.sysID=this.stringify.dtdSysID(i))}return function(t,e){for(var n in e)d.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"entities",{get:function(){var t,n,s,i,r;for(i={},n=0,s=(r=this.children).length;n<s;n++)(t=r[n]).type!==e.EntityDeclaration||t.pe||(i[t.name]=t);return new a(i)}}),Object.defineProperty(n.prototype,"notations",{get:function(){var t,n,s,i,r;for(i={},n=0,s=(r=this.children).length;n<s;n++)(t=r[n]).type===e.NotationDeclaration&&(i[t.name]=t);return new a(i)}}),Object.defineProperty(n.prototype,"publicId",{get:function(){return this.pubID}}),Object.defineProperty(n.prototype,"systemId",{get:function(){return this.sysID}}),Object.defineProperty(n.prototype,"internalSubset",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),n.prototype.element=function(t,e){var n;return n=new i(this,t,e),this.children.push(n),this},n.prototype.attList=function(t,e,n,i,r){var o;return o=new s(this,t,e,n,i,r),this.children.push(o),this},n.prototype.entity=function(t,e){var n;return n=new r(this,!1,t,e),this.children.push(n),this},n.prototype.pEntity=function(t,e){var n;return n=new r(this,!0,t,e),this.children.push(n),this},n.prototype.notation=function(t,e){var n;return n=new o(this,t,e),this.children.push(n),this},n.prototype.toString=function(t){return this.options.writer.docType(this,this.options.writer.filterOptions(t))},n.prototype.ele=function(t,e){return this.element(t,e)},n.prototype.att=function(t,e,n,s,i){return this.attList(t,e,n,s,i)},n.prototype.ent=function(t,e){return this.entity(t,e)},n.prototype.pent=function(t,e){return this.pEntity(t,e)},n.prototype.not=function(t,e){return this.notation(t,e)},n.prototype.up=function(){return this.root()||this.documentObject},n.prototype.isEqualNode=function(t){return!!n.__super__.isEqualNode.apply(this,arguments).isEqualNode(t)&&t.name===this.name&&t.publicId===this.publicId&&t.systemId===this.systemId},n}(l)}).call(this)},71933:function(t,e,n){(function(){var e,s,i,r,o,a,l,c={}.hasOwnProperty;l=n(49241).isPlainObject,i=n(67260),s=n(33074),r=n(10468),e=n(71737),a=n(43976),o=n(40382),t.exports=function(t){function n(t){n.__super__.constructor.call(this,null),this.name="#document",this.type=e.Document,this.documentURI=null,this.domConfig=new s,t||(t={}),t.writer||(t.writer=new o),this.options=t,this.stringify=new a(t)}return function(t,e){for(var n in e)c.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"implementation",{value:new i}),Object.defineProperty(n.prototype,"doctype",{get:function(){var t,n,s,i;for(n=0,s=(i=this.children).length;n<s;n++)if((t=i[n]).type===e.DocType)return t;return null}}),Object.defineProperty(n.prototype,"documentElement",{get:function(){return this.rootObject||null}}),Object.defineProperty(n.prototype,"inputEncoding",{get:function(){return null}}),Object.defineProperty(n.prototype,"strictErrorChecking",{get:function(){return!1}}),Object.defineProperty(n.prototype,"xmlEncoding",{get:function(){return 0!==this.children.length&&this.children[0].type===e.Declaration?this.children[0].encoding:null}}),Object.defineProperty(n.prototype,"xmlStandalone",{get:function(){return 0!==this.children.length&&this.children[0].type===e.Declaration&&"yes"===this.children[0].standalone}}),Object.defineProperty(n.prototype,"xmlVersion",{get:function(){return 0!==this.children.length&&this.children[0].type===e.Declaration?this.children[0].version:"1.0"}}),Object.defineProperty(n.prototype,"URL",{get:function(){return this.documentURI}}),Object.defineProperty(n.prototype,"origin",{get:function(){return null}}),Object.defineProperty(n.prototype,"compatMode",{get:function(){return null}}),Object.defineProperty(n.prototype,"characterSet",{get:function(){return null}}),Object.defineProperty(n.prototype,"contentType",{get:function(){return null}}),n.prototype.end=function(t){var e;return e={},t?l(t)&&(e=t,t=this.options.writer):t=this.options.writer,t.document(this,t.filterOptions(e))},n.prototype.toString=function(t){return this.options.writer.document(this,this.options.writer.filterOptions(t))},n.prototype.createElement=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createDocumentFragment=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createTextNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createComment=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createCDATASection=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createProcessingInstruction=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createAttribute=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createEntityReference=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.importNode=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createElementNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagNameNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementById=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.adoptNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.normalizeDocument=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.renameNode=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByClassName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createEvent=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createRange=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createNodeIterator=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.createTreeWalker=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n}(r)}).call(this)},80400:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d,u,m,p,f,g,h,v,A,w,y,b,C,x,_,T={}.hasOwnProperty;_=n(49241),C=_.isObject,b=_.isFunction,x=_.isPlainObject,y=_.getValue,e=n(71737),p=n(71933),f=n(33906),r=n(92691),o=n(32679),h=n(1268),w=n(82535),g=n(85915),u=n(34130),m=n(96376),a=n(34111),c=n(5529),l=n(67696),d=n(28012),i=n(54238),A=n(43976),v=n(40382),s=n(88753),t.exports=function(){function t(t,n,s){var i;this.name="?xml",this.type=e.Document,t||(t={}),i={},t.writer?x(t.writer)&&(i=t.writer,t.writer=new v):t.writer=new v,this.options=t,this.writer=t.writer,this.writerOptions=this.writer.filterOptions(i),this.stringify=new A(t),this.onDataCallback=n||function(){},this.onEndCallback=s||function(){},this.currentNode=null,this.currentLevel=-1,this.openTags={},this.documentStarted=!1,this.documentCompleted=!1,this.root=null}return t.prototype.createChildNode=function(t){var n,s,i,r,o,a,l,c;switch(t.type){case e.CData:this.cdata(t.value);break;case e.Comment:this.comment(t.value);break;case e.Element:for(s in i={},l=t.attribs)T.call(l,s)&&(n=l[s],i[s]=n.value);this.node(t.name,i);break;case e.Dummy:this.dummy();break;case e.Raw:this.raw(t.value);break;case e.Text:this.text(t.value);break;case e.ProcessingInstruction:this.instruction(t.target,t.value);break;default:throw new Error("This XML node type is not supported in a JS object: "+t.constructor.name)}for(o=0,a=(c=t.children).length;o<a;o++)r=c[o],this.createChildNode(r),r.type===e.Element&&this.up();return this},t.prototype.dummy=function(){return this},t.prototype.node=function(t,e,n){var s;if(null==t)throw new Error("Missing node name.");if(this.root&&-1===this.currentLevel)throw new Error("Document can only have one root node. "+this.debugInfo(t));return this.openCurrent(),t=y(t),null==e&&(e={}),e=y(e),C(e)||(n=(s=[e,n])[0],e=s[1]),this.currentNode=new f(this,t,e),this.currentNode.children=!1,this.currentLevel++,this.openTags[this.currentLevel]=this.currentNode,null!=n&&this.text(n),this},t.prototype.element=function(t,n,s){var i,r,o,a,l,c;if(this.currentNode&&this.currentNode.type===e.DocType)this.dtdElement.apply(this,arguments);else if(Array.isArray(t)||C(t)||b(t))for(a=this.options.noValidation,this.options.noValidation=!0,(c=new p(this.options).element("TEMP_ROOT")).element(t),this.options.noValidation=a,r=0,o=(l=c.children).length;r<o;r++)i=l[r],this.createChildNode(i),i.type===e.Element&&this.up();else this.node(t,n,s);return this},t.prototype.attribute=function(t,e){var n,s;if(!this.currentNode||this.currentNode.children)throw new Error("att() can only be used immediately after an ele() call in callback mode. "+this.debugInfo(t));if(null!=t&&(t=y(t)),C(t))for(n in t)T.call(t,n)&&(s=t[n],this.attribute(n,s));else b(e)&&(e=e.apply()),this.options.keepNullAttributes&&null==e?this.currentNode.attribs[t]=new i(this,t,""):null!=e&&(this.currentNode.attribs[t]=new i(this,t,e));return this},t.prototype.text=function(t){var e;return this.openCurrent(),e=new w(this,t),this.onData(this.writer.text(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.cdata=function(t){var e;return this.openCurrent(),e=new r(this,t),this.onData(this.writer.cdata(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.comment=function(t){var e;return this.openCurrent(),e=new o(this,t),this.onData(this.writer.comment(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.raw=function(t){var e;return this.openCurrent(),e=new h(this,t),this.onData(this.writer.raw(e,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.instruction=function(t,e){var n,s,i,r,o;if(this.openCurrent(),null!=t&&(t=y(t)),null!=e&&(e=y(e)),Array.isArray(t))for(n=0,r=t.length;n<r;n++)s=t[n],this.instruction(s);else if(C(t))for(s in t)T.call(t,s)&&(i=t[s],this.instruction(s,i));else b(e)&&(e=e.apply()),o=new g(this,t,e),this.onData(this.writer.processingInstruction(o,this.writerOptions,this.currentLevel+1),this.currentLevel+1);return this},t.prototype.declaration=function(t,e,n){var s;if(this.openCurrent(),this.documentStarted)throw new Error("declaration() must be the first node.");return s=new u(this,t,e,n),this.onData(this.writer.declaration(s,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.doctype=function(t,e,n){if(this.openCurrent(),null==t)throw new Error("Missing root node name.");if(this.root)throw new Error("dtd() must come before the root node.");return this.currentNode=new m(this,e,n),this.currentNode.rootNodeName=t,this.currentNode.children=!1,this.currentLevel++,this.openTags[this.currentLevel]=this.currentNode,this},t.prototype.dtdElement=function(t,e){var n;return this.openCurrent(),n=new l(this,t,e),this.onData(this.writer.dtdElement(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.attList=function(t,e,n,s,i){var r;return this.openCurrent(),r=new a(this,t,e,n,s,i),this.onData(this.writer.dtdAttList(r,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.entity=function(t,e){var n;return this.openCurrent(),n=new c(this,!1,t,e),this.onData(this.writer.dtdEntity(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.pEntity=function(t,e){var n;return this.openCurrent(),n=new c(this,!0,t,e),this.onData(this.writer.dtdEntity(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.notation=function(t,e){var n;return this.openCurrent(),n=new d(this,t,e),this.onData(this.writer.dtdNotation(n,this.writerOptions,this.currentLevel+1),this.currentLevel+1),this},t.prototype.up=function(){if(this.currentLevel<0)throw new Error("The document node has no parent.");return this.currentNode?(this.currentNode.children?this.closeNode(this.currentNode):this.openNode(this.currentNode),this.currentNode=null):this.closeNode(this.openTags[this.currentLevel]),delete this.openTags[this.currentLevel],this.currentLevel--,this},t.prototype.end=function(){for(;this.currentLevel>=0;)this.up();return this.onEnd()},t.prototype.openCurrent=function(){if(this.currentNode)return this.currentNode.children=!0,this.openNode(this.currentNode)},t.prototype.openNode=function(t){var n,i,r,o;if(!t.isOpen){if(this.root||0!==this.currentLevel||t.type!==e.Element||(this.root=t),i="",t.type===e.Element){for(r in this.writerOptions.state=s.OpenTag,i=this.writer.indent(t,this.writerOptions,this.currentLevel)+"<"+t.name,o=t.attribs)T.call(o,r)&&(n=o[r],i+=this.writer.attribute(n,this.writerOptions,this.currentLevel));i+=(t.children?">":"/>")+this.writer.endline(t,this.writerOptions,this.currentLevel),this.writerOptions.state=s.InsideTag}else this.writerOptions.state=s.OpenTag,i=this.writer.indent(t,this.writerOptions,this.currentLevel)+"<!DOCTYPE "+t.rootNodeName,t.pubID&&t.sysID?i+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.sysID&&(i+=' SYSTEM "'+t.sysID+'"'),t.children?(i+=" [",this.writerOptions.state=s.InsideTag):(this.writerOptions.state=s.CloseTag,i+=">"),i+=this.writer.endline(t,this.writerOptions,this.currentLevel);return this.onData(i,this.currentLevel),t.isOpen=!0}},t.prototype.closeNode=function(t){var n;if(!t.isClosed)return"",this.writerOptions.state=s.CloseTag,n=t.type===e.Element?this.writer.indent(t,this.writerOptions,this.currentLevel)+"</"+t.name+">"+this.writer.endline(t,this.writerOptions,this.currentLevel):this.writer.indent(t,this.writerOptions,this.currentLevel)+"]>"+this.writer.endline(t,this.writerOptions,this.currentLevel),this.writerOptions.state=s.None,this.onData(n,this.currentLevel),t.isClosed=!0},t.prototype.onData=function(t,e){return this.documentStarted=!0,this.onDataCallback(t,e+1)},t.prototype.onEnd=function(){return this.documentCompleted=!0,this.onEndCallback()},t.prototype.debugInfo=function(t){return null==t?"":"node: <"+t+">"},t.prototype.ele=function(){return this.element.apply(this,arguments)},t.prototype.nod=function(t,e,n){return this.node(t,e,n)},t.prototype.txt=function(t){return this.text(t)},t.prototype.dat=function(t){return this.cdata(t)},t.prototype.com=function(t){return this.comment(t)},t.prototype.ins=function(t,e){return this.instruction(t,e)},t.prototype.dec=function(t,e,n){return this.declaration(t,e,n)},t.prototype.dtd=function(t,e,n){return this.doctype(t,e,n)},t.prototype.e=function(t,e,n){return this.element(t,e,n)},t.prototype.n=function(t,e,n){return this.node(t,e,n)},t.prototype.t=function(t){return this.text(t)},t.prototype.d=function(t){return this.cdata(t)},t.prototype.c=function(t){return this.comment(t)},t.prototype.r=function(t){return this.raw(t)},t.prototype.i=function(t,e){return this.instruction(t,e)},t.prototype.att=function(){return this.currentNode&&this.currentNode.type===e.DocType?this.attList.apply(this,arguments):this.attribute.apply(this,arguments)},t.prototype.a=function(){return this.currentNode&&this.currentNode.type===e.DocType?this.attList.apply(this,arguments):this.attribute.apply(this,arguments)},t.prototype.ent=function(t,e){return this.entity(t,e)},t.prototype.pent=function(t,e){return this.pEntity(t,e)},t.prototype.not=function(t,e){return this.notation(t,e)},t}()}).call(this)},21218:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;s=n(10468),e=n(71737),t.exports=function(t){function n(t){n.__super__.constructor.call(this,t),this.type=e.Dummy}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return""},n}(s)}).call(this)},33906:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d={}.hasOwnProperty;c=n(49241),l=c.isObject,a=c.isFunction,o=c.getValue,r=n(10468),e=n(71737),s=n(54238),i=n(24797),t.exports=function(t){function n(t,s,i){var r,o,a,l;if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing element name. "+this.debugInfo());if(this.name=this.stringify.name(s),this.type=e.Element,this.attribs={},this.schemaTypeInfo=null,null!=i&&this.attribute(i),t.type===e.Document&&(this.isRoot=!0,this.documentObject=t,t.rootObject=this,t.children))for(o=0,a=(l=t.children).length;o<a;o++)if((r=l[o]).type===e.DocType){r.name=this.name;break}}return function(t,e){for(var n in e)d.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"tagName",{get:function(){return this.name}}),Object.defineProperty(n.prototype,"namespaceURI",{get:function(){return""}}),Object.defineProperty(n.prototype,"prefix",{get:function(){return""}}),Object.defineProperty(n.prototype,"localName",{get:function(){return this.name}}),Object.defineProperty(n.prototype,"id",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"className",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"classList",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"attributes",{get:function(){return this.attributeMap&&this.attributeMap.nodes||(this.attributeMap=new i(this.attribs)),this.attributeMap}}),n.prototype.clone=function(){var t,e,n,s;for(e in(n=Object.create(this)).isRoot&&(n.documentObject=null),n.attribs={},s=this.attribs)d.call(s,e)&&(t=s[e],n.attribs[e]=t.clone());return n.children=[],this.children.forEach((function(t){var e;return(e=t.clone()).parent=n,n.children.push(e)})),n},n.prototype.attribute=function(t,e){var n,i;if(null!=t&&(t=o(t)),l(t))for(n in t)d.call(t,n)&&(i=t[n],this.attribute(n,i));else a(e)&&(e=e.apply()),this.options.keepNullAttributes&&null==e?this.attribs[t]=new s(this,t,""):null!=e&&(this.attribs[t]=new s(this,t,e));return this},n.prototype.removeAttribute=function(t){var e,n,s;if(null==t)throw new Error("Missing attribute name. "+this.debugInfo());if(t=o(t),Array.isArray(t))for(n=0,s=t.length;n<s;n++)e=t[n],delete this.attribs[e];else delete this.attribs[t];return this},n.prototype.toString=function(t){return this.options.writer.element(this,this.options.writer.filterOptions(t))},n.prototype.att=function(t,e){return this.attribute(t,e)},n.prototype.a=function(t,e){return this.attribute(t,e)},n.prototype.getAttribute=function(t){return this.attribs.hasOwnProperty(t)?this.attribs[t].value:null},n.prototype.setAttribute=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getAttributeNode=function(t){return this.attribs.hasOwnProperty(t)?this.attribs[t]:null},n.prototype.setAttributeNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.removeAttributeNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setAttributeNS=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.removeAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getAttributeNodeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setAttributeNodeNS=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagNameNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.hasAttribute=function(t){return this.attribs.hasOwnProperty(t)},n.prototype.hasAttributeNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setIdAttribute=function(t,e){return this.attribs.hasOwnProperty(t)?this.attribs[t].isId:e},n.prototype.setIdAttributeNS=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.setIdAttributeNode=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByTagNameNS=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.getElementsByClassName=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.isEqualNode=function(t){var e,s,i;if(!n.__super__.isEqualNode.apply(this,arguments).isEqualNode(t))return!1;if(t.namespaceURI!==this.namespaceURI)return!1;if(t.prefix!==this.prefix)return!1;if(t.localName!==this.localName)return!1;if(t.attribs.length!==this.attribs.length)return!1;for(e=s=0,i=this.attribs.length-1;0<=i?s<=i:s>=i;e=0<=i?++s:--s)if(!this.attribs[e].isEqualNode(t.attribs[e]))return!1;return!0},n}(r)}).call(this)},24797:function(t){(function(){t.exports=function(){function t(t){this.nodes=t}return Object.defineProperty(t.prototype,"length",{get:function(){return Object.keys(this.nodes).length||0}}),t.prototype.clone=function(){return this.nodes=null},t.prototype.getNamedItem=function(t){return this.nodes[t]},t.prototype.setNamedItem=function(t){var e;return e=this.nodes[t.nodeName],this.nodes[t.nodeName]=t,e||null},t.prototype.removeNamedItem=function(t){var e;return e=this.nodes[t],delete this.nodes[t],e||null},t.prototype.item=function(t){return this.nodes[Object.keys(this.nodes)[t]]||null},t.prototype.getNamedItemNS=function(t,e){throw new Error("This DOM method is not implemented.")},t.prototype.setNamedItemNS=function(t){throw new Error("This DOM method is not implemented.")},t.prototype.removeNamedItemNS=function(t,e){throw new Error("This DOM method is not implemented.")},t}()}).call(this)},10468:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d,u,m,p,f,g,h,v,A,w={}.hasOwnProperty;A=n(49241),v=A.isObject,h=A.isFunction,g=A.isEmpty,f=A.getValue,c=null,i=null,r=null,o=null,a=null,m=null,p=null,u=null,l=null,s=null,d=null,e=null,t.exports=function(){function t(t){this.parent=t,this.parent&&(this.options=this.parent.options,this.stringify=this.parent.stringify),this.value=null,this.children=[],this.baseURI=null,c||(c=n(33906),i=n(92691),r=n(32679),o=n(34130),a=n(96376),m=n(1268),p=n(82535),u=n(85915),l=n(21218),s=n(71737),d=n(16684),n(24797),e=n(34923))}return Object.defineProperty(t.prototype,"nodeName",{get:function(){return this.name}}),Object.defineProperty(t.prototype,"nodeType",{get:function(){return this.type}}),Object.defineProperty(t.prototype,"nodeValue",{get:function(){return this.value}}),Object.defineProperty(t.prototype,"parentNode",{get:function(){return this.parent}}),Object.defineProperty(t.prototype,"childNodes",{get:function(){return this.childNodeList&&this.childNodeList.nodes||(this.childNodeList=new d(this.children)),this.childNodeList}}),Object.defineProperty(t.prototype,"firstChild",{get:function(){return this.children[0]||null}}),Object.defineProperty(t.prototype,"lastChild",{get:function(){return this.children[this.children.length-1]||null}}),Object.defineProperty(t.prototype,"previousSibling",{get:function(){var t;return t=this.parent.children.indexOf(this),this.parent.children[t-1]||null}}),Object.defineProperty(t.prototype,"nextSibling",{get:function(){var t;return t=this.parent.children.indexOf(this),this.parent.children[t+1]||null}}),Object.defineProperty(t.prototype,"ownerDocument",{get:function(){return this.document()||null}}),Object.defineProperty(t.prototype,"textContent",{get:function(){var t,e,n,i,r;if(this.nodeType===s.Element||this.nodeType===s.DocumentFragment){for(r="",e=0,n=(i=this.children).length;e<n;e++)(t=i[e]).textContent&&(r+=t.textContent);return r}return null},set:function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),t.prototype.setParent=function(t){var e,n,s,i,r;for(this.parent=t,t&&(this.options=t.options,this.stringify=t.stringify),r=[],n=0,s=(i=this.children).length;n<s;n++)e=i[n],r.push(e.setParent(this));return r},t.prototype.element=function(t,e,n){var s,i,r,o,a,l,c,d,u,m,p;if(l=null,null===e&&null==n&&(e=(u=[{},null])[0],n=u[1]),null==e&&(e={}),e=f(e),v(e)||(n=(m=[e,n])[0],e=m[1]),null!=t&&(t=f(t)),Array.isArray(t))for(r=0,c=t.length;r<c;r++)i=t[r],l=this.element(i);else if(h(t))l=this.element(t.apply());else if(v(t)){for(a in t)if(w.call(t,a))if(p=t[a],h(p)&&(p=p.apply()),!this.options.ignoreDecorators&&this.stringify.convertAttKey&&0===a.indexOf(this.stringify.convertAttKey))l=this.attribute(a.substr(this.stringify.convertAttKey.length),p);else if(!this.options.separateArrayItems&&Array.isArray(p)&&g(p))l=this.dummy();else if(v(p)&&g(p))l=this.element(a);else if(this.options.keepNullNodes||null!=p)if(!this.options.separateArrayItems&&Array.isArray(p))for(o=0,d=p.length;o<d;o++)i=p[o],(s={})[a]=i,l=this.element(s);else v(p)?!this.options.ignoreDecorators&&this.stringify.convertTextKey&&0===a.indexOf(this.stringify.convertTextKey)?l=this.element(p):(l=this.element(a)).element(p):l=this.element(a,p);else l=this.dummy()}else l=this.options.keepNullNodes||null!==n?!this.options.ignoreDecorators&&this.stringify.convertTextKey&&0===t.indexOf(this.stringify.convertTextKey)?this.text(n):!this.options.ignoreDecorators&&this.stringify.convertCDataKey&&0===t.indexOf(this.stringify.convertCDataKey)?this.cdata(n):!this.options.ignoreDecorators&&this.stringify.convertCommentKey&&0===t.indexOf(this.stringify.convertCommentKey)?this.comment(n):!this.options.ignoreDecorators&&this.stringify.convertRawKey&&0===t.indexOf(this.stringify.convertRawKey)?this.raw(n):!this.options.ignoreDecorators&&this.stringify.convertPIKey&&0===t.indexOf(this.stringify.convertPIKey)?this.instruction(t.substr(this.stringify.convertPIKey.length),n):this.node(t,e,n):this.dummy();if(null==l)throw new Error("Could not create any elements with: "+t+". "+this.debugInfo());return l},t.prototype.insertBefore=function(t,e,n){var s,i,r,o,a;if(null!=t?t.type:void 0)return o=e,(r=t).setParent(this),o?(i=children.indexOf(o),a=children.splice(i),children.push(r),Array.prototype.push.apply(children,a)):children.push(r),r;if(this.isRoot)throw new Error("Cannot insert elements at root level. "+this.debugInfo(t));return i=this.parent.children.indexOf(this),a=this.parent.children.splice(i),s=this.parent.element(t,e,n),Array.prototype.push.apply(this.parent.children,a),s},t.prototype.insertAfter=function(t,e,n){var s,i,r;if(this.isRoot)throw new Error("Cannot insert elements at root level. "+this.debugInfo(t));return i=this.parent.children.indexOf(this),r=this.parent.children.splice(i+1),s=this.parent.element(t,e,n),Array.prototype.push.apply(this.parent.children,r),s},t.prototype.remove=function(){var t;if(this.isRoot)throw new Error("Cannot remove the root element. "+this.debugInfo());return t=this.parent.children.indexOf(this),[].splice.apply(this.parent.children,[t,t-t+1].concat([])),this.parent},t.prototype.node=function(t,e,n){var s,i;return null!=t&&(t=f(t)),e||(e={}),e=f(e),v(e)||(n=(i=[e,n])[0],e=i[1]),s=new c(this,t,e),null!=n&&s.text(n),this.children.push(s),s},t.prototype.text=function(t){var e;return v(t)&&this.element(t),e=new p(this,t),this.children.push(e),this},t.prototype.cdata=function(t){var e;return e=new i(this,t),this.children.push(e),this},t.prototype.comment=function(t){var e;return e=new r(this,t),this.children.push(e),this},t.prototype.commentBefore=function(t){var e,n;return e=this.parent.children.indexOf(this),n=this.parent.children.splice(e),this.parent.comment(t),Array.prototype.push.apply(this.parent.children,n),this},t.prototype.commentAfter=function(t){var e,n;return e=this.parent.children.indexOf(this),n=this.parent.children.splice(e+1),this.parent.comment(t),Array.prototype.push.apply(this.parent.children,n),this},t.prototype.raw=function(t){var e;return e=new m(this,t),this.children.push(e),this},t.prototype.dummy=function(){return new l(this)},t.prototype.instruction=function(t,e){var n,s,i,r,o;if(null!=t&&(t=f(t)),null!=e&&(e=f(e)),Array.isArray(t))for(r=0,o=t.length;r<o;r++)n=t[r],this.instruction(n);else if(v(t))for(n in t)w.call(t,n)&&(s=t[n],this.instruction(n,s));else h(e)&&(e=e.apply()),i=new u(this,t,e),this.children.push(i);return this},t.prototype.instructionBefore=function(t,e){var n,s;return n=this.parent.children.indexOf(this),s=this.parent.children.splice(n),this.parent.instruction(t,e),Array.prototype.push.apply(this.parent.children,s),this},t.prototype.instructionAfter=function(t,e){var n,s;return n=this.parent.children.indexOf(this),s=this.parent.children.splice(n+1),this.parent.instruction(t,e),Array.prototype.push.apply(this.parent.children,s),this},t.prototype.declaration=function(t,e,n){var i,r;return i=this.document(),r=new o(i,t,e,n),0===i.children.length?i.children.unshift(r):i.children[0].type===s.Declaration?i.children[0]=r:i.children.unshift(r),i.root()||i},t.prototype.dtd=function(t,e){var n,i,r,o,l,c,d,u,m;for(n=this.document(),i=new a(n,t,e),r=o=0,c=(u=n.children).length;o<c;r=++o)if(u[r].type===s.DocType)return n.children[r]=i,i;for(r=l=0,d=(m=n.children).length;l<d;r=++l)if(m[r].isRoot)return n.children.splice(r,0,i),i;return n.children.push(i),i},t.prototype.up=function(){if(this.isRoot)throw new Error("The root node has no parent. Use doc() if you need to get the document object.");return this.parent},t.prototype.root=function(){var t;for(t=this;t;){if(t.type===s.Document)return t.rootObject;if(t.isRoot)return t;t=t.parent}},t.prototype.document=function(){var t;for(t=this;t;){if(t.type===s.Document)return t;t=t.parent}},t.prototype.end=function(t){return this.document().end(t)},t.prototype.prev=function(){var t;if((t=this.parent.children.indexOf(this))<1)throw new Error("Already at the first node. "+this.debugInfo());return this.parent.children[t-1]},t.prototype.next=function(){var t;if(-1===(t=this.parent.children.indexOf(this))||t===this.parent.children.length-1)throw new Error("Already at the last node. "+this.debugInfo());return this.parent.children[t+1]},t.prototype.importDocument=function(t){var e;return(e=t.root().clone()).parent=this,e.isRoot=!1,this.children.push(e),this},t.prototype.debugInfo=function(t){var e,n;return null!=(t=t||this.name)||(null!=(e=this.parent)?e.name:void 0)?null==t?"parent: <"+this.parent.name+">":(null!=(n=this.parent)?n.name:void 0)?"node: <"+t+">, parent: <"+this.parent.name+">":"node: <"+t+">":""},t.prototype.ele=function(t,e,n){return this.element(t,e,n)},t.prototype.nod=function(t,e,n){return this.node(t,e,n)},t.prototype.txt=function(t){return this.text(t)},t.prototype.dat=function(t){return this.cdata(t)},t.prototype.com=function(t){return this.comment(t)},t.prototype.ins=function(t,e){return this.instruction(t,e)},t.prototype.doc=function(){return this.document()},t.prototype.dec=function(t,e,n){return this.declaration(t,e,n)},t.prototype.e=function(t,e,n){return this.element(t,e,n)},t.prototype.n=function(t,e,n){return this.node(t,e,n)},t.prototype.t=function(t){return this.text(t)},t.prototype.d=function(t){return this.cdata(t)},t.prototype.c=function(t){return this.comment(t)},t.prototype.r=function(t){return this.raw(t)},t.prototype.i=function(t,e){return this.instruction(t,e)},t.prototype.u=function(){return this.up()},t.prototype.importXMLBuilder=function(t){return this.importDocument(t)},t.prototype.replaceChild=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.removeChild=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.appendChild=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.hasChildNodes=function(){return 0!==this.children.length},t.prototype.cloneNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.normalize=function(){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.isSupported=function(t,e){return!0},t.prototype.hasAttributes=function(){return 0!==this.attribs.length},t.prototype.compareDocumentPosition=function(t){var n,s;return(n=this)===t?0:this.document()!==t.document()?(s=e.Disconnected|e.ImplementationSpecific,Math.random()<.5?s|=e.Preceding:s|=e.Following,s):n.isAncestor(t)?e.Contains|e.Preceding:n.isDescendant(t)?e.Contains|e.Following:n.isPreceding(t)?e.Preceding:e.Following},t.prototype.isSameNode=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.lookupPrefix=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.isDefaultNamespace=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.lookupNamespaceURI=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.isEqualNode=function(t){var e,n,s;if(t.nodeType!==this.nodeType)return!1;if(t.children.length!==this.children.length)return!1;for(e=n=0,s=this.children.length-1;0<=s?n<=s:n>=s;e=0<=s?++n:--n)if(!this.children[e].isEqualNode(t.children[e]))return!1;return!0},t.prototype.getFeature=function(t,e){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.setUserData=function(t,e,n){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.getUserData=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},t.prototype.contains=function(t){return!!t&&(t===this||this.isDescendant(t))},t.prototype.isDescendant=function(t){var e,n,s,i;for(n=0,s=(i=this.children).length;n<s;n++){if(t===(e=i[n]))return!0;if(e.isDescendant(t))return!0}return!1},t.prototype.isAncestor=function(t){return t.isDescendant(this)},t.prototype.isPreceding=function(t){var e,n;return e=this.treePosition(t),n=this.treePosition(this),-1!==e&&-1!==n&&e<n},t.prototype.isFollowing=function(t){var e,n;return e=this.treePosition(t),n=this.treePosition(this),-1!==e&&-1!==n&&e>n},t.prototype.treePosition=function(t){var e,n;return n=0,e=!1,this.foreachTreeNode(this.document(),(function(s){if(n++,!e&&s===t)return e=!0})),e?n:-1},t.prototype.foreachTreeNode=function(t,e){var n,s,i,r,o;for(t||(t=this.document()),s=0,i=(r=t.children).length;s<i;s++){if(o=e(n=r[s]))return o;if(o=this.foreachTreeNode(n,e))return o}},t}()}).call(this)},16684:function(t){(function(){t.exports=function(){function t(t){this.nodes=t}return Object.defineProperty(t.prototype,"length",{get:function(){return this.nodes.length||0}}),t.prototype.clone=function(){return this.nodes=null},t.prototype.item=function(t){return this.nodes[t]||null},t}()}).call(this)},85915:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s,i){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing instruction target. "+this.debugInfo());this.type=e.ProcessingInstruction,this.target=this.stringify.insTarget(s),this.name=this.target,i&&(this.value=this.stringify.insValue(i))}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.processingInstruction(this,this.options.writer.filterOptions(t))},n.prototype.isEqualNode=function(t){return!!n.__super__.isEqualNode.apply(this,arguments).isEqualNode(t)&&t.target===this.target},n}(s)}).call(this)},1268:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(10468),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing raw text. "+this.debugInfo());this.type=e.Raw,this.value=this.stringify.raw(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.raw(this,this.options.writer.filterOptions(t))},n}(s)}).call(this)},96775:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;e=n(71737),i=n(6286),s=n(88753),t.exports=function(t){function n(t,e){this.stream=t,n.__super__.constructor.call(this,e)}return function(t,e){for(var n in e)r.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),n.prototype.endline=function(t,e,i){return t.isLastRootNode&&e.state===s.CloseTag?"":n.__super__.endline.call(this,t,e,i)},n.prototype.document=function(t,e){var n,s,i,r,o,a,l,c,d;for(s=i=0,o=(l=t.children).length;i<o;s=++i)(n=l[s]).isLastRootNode=s===t.children.length-1;for(e=this.filterOptions(e),d=[],r=0,a=(c=t.children).length;r<a;r++)n=c[r],d.push(this.writeChildNode(n,e,0));return d},n.prototype.attribute=function(t,e,s){return this.stream.write(n.__super__.attribute.call(this,t,e,s))},n.prototype.cdata=function(t,e,s){return this.stream.write(n.__super__.cdata.call(this,t,e,s))},n.prototype.comment=function(t,e,s){return this.stream.write(n.__super__.comment.call(this,t,e,s))},n.prototype.declaration=function(t,e,s){return this.stream.write(n.__super__.declaration.call(this,t,e,s))},n.prototype.docType=function(t,e,n){var i,r,o,a;if(n||(n=0),this.openNode(t,e,n),e.state=s.OpenTag,this.stream.write(this.indent(t,e,n)),this.stream.write("<!DOCTYPE "+t.root().name),t.pubID&&t.sysID?this.stream.write(' PUBLIC "'+t.pubID+'" "'+t.sysID+'"'):t.sysID&&this.stream.write(' SYSTEM "'+t.sysID+'"'),t.children.length>0){for(this.stream.write(" ["),this.stream.write(this.endline(t,e,n)),e.state=s.InsideTag,r=0,o=(a=t.children).length;r<o;r++)i=a[r],this.writeChildNode(i,e,n+1);e.state=s.CloseTag,this.stream.write("]")}return e.state=s.CloseTag,this.stream.write(e.spaceBeforeSlash+">"),this.stream.write(this.endline(t,e,n)),e.state=s.None,this.closeNode(t,e,n)},n.prototype.element=function(t,n,i){var o,a,l,c,d,u,m,p,f;for(m in i||(i=0),this.openNode(t,n,i),n.state=s.OpenTag,this.stream.write(this.indent(t,n,i)+"<"+t.name),p=t.attribs)r.call(p,m)&&(o=p[m],this.attribute(o,n,i));if(c=0===(l=t.children.length)?null:t.children[0],0===l||t.children.every((function(t){return(t.type===e.Text||t.type===e.Raw)&&""===t.value})))n.allowEmpty?(this.stream.write(">"),n.state=s.CloseTag,this.stream.write("</"+t.name+">")):(n.state=s.CloseTag,this.stream.write(n.spaceBeforeSlash+"/>"));else if(!n.pretty||1!==l||c.type!==e.Text&&c.type!==e.Raw||null==c.value){for(this.stream.write(">"+this.endline(t,n,i)),n.state=s.InsideTag,d=0,u=(f=t.children).length;d<u;d++)a=f[d],this.writeChildNode(a,n,i+1);n.state=s.CloseTag,this.stream.write(this.indent(t,n,i)+"</"+t.name+">")}else this.stream.write(">"),n.state=s.InsideTag,n.suppressPrettyCount++,this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,n.state=s.CloseTag,this.stream.write("</"+t.name+">");return this.stream.write(this.endline(t,n,i)),n.state=s.None,this.closeNode(t,n,i)},n.prototype.processingInstruction=function(t,e,s){return this.stream.write(n.__super__.processingInstruction.call(this,t,e,s))},n.prototype.raw=function(t,e,s){return this.stream.write(n.__super__.raw.call(this,t,e,s))},n.prototype.text=function(t,e,s){return this.stream.write(n.__super__.text.call(this,t,e,s))},n.prototype.dtdAttList=function(t,e,s){return this.stream.write(n.__super__.dtdAttList.call(this,t,e,s))},n.prototype.dtdElement=function(t,e,s){return this.stream.write(n.__super__.dtdElement.call(this,t,e,s))},n.prototype.dtdEntity=function(t,e,s){return this.stream.write(n.__super__.dtdEntity.call(this,t,e,s))},n.prototype.dtdNotation=function(t,e,s){return this.stream.write(n.__super__.dtdNotation.call(this,t,e,s))},n}(i)}).call(this)},40382:function(t,e,n){(function(){var e,s={}.hasOwnProperty;e=n(6286),t.exports=function(t){function e(t){e.__super__.constructor.call(this,t)}return function(t,e){for(var n in e)s.call(e,n)&&(t[n]=e[n]);function i(){this.constructor=t}i.prototype=e.prototype,t.prototype=new i,t.__super__=e.prototype}(e,t),e.prototype.document=function(t,e){var n,s,i,r,o;for(e=this.filterOptions(e),r="",s=0,i=(o=t.children).length;s<i;s++)n=o[s],r+=this.writeChildNode(n,e,0);return e.pretty&&r.slice(-e.newline.length)===e.newline&&(r=r.slice(0,-e.newline.length)),r},e}(e)}).call(this)},43976:function(t){(function(){var e=function(t,e){return function(){return t.apply(e,arguments)}},n={}.hasOwnProperty;t.exports=function(){function t(t){var s,i,r;for(s in this.assertLegalName=e(this.assertLegalName,this),this.assertLegalChar=e(this.assertLegalChar,this),t||(t={}),this.options=t,this.options.version||(this.options.version="1.0"),i=t.stringify||{})n.call(i,s)&&(r=i[s],this[s]=r)}return t.prototype.name=function(t){return this.options.noValidation?t:this.assertLegalName(""+t||"")},t.prototype.text=function(t){return this.options.noValidation?t:this.assertLegalChar(this.textEscape(""+t||""))},t.prototype.cdata=function(t){return this.options.noValidation?t:(t=(t=""+t||"").replace("]]>","]]]]><![CDATA[>"),this.assertLegalChar(t))},t.prototype.comment=function(t){if(this.options.noValidation)return t;if((t=""+t||"").match(/--/))throw new Error("Comment text cannot contain double-hypen: "+t);return this.assertLegalChar(t)},t.prototype.raw=function(t){return this.options.noValidation?t:""+t||""},t.prototype.attValue=function(t){return this.options.noValidation?t:this.assertLegalChar(this.attEscape(t=""+t||""))},t.prototype.insTarget=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.insValue=function(t){if(this.options.noValidation)return t;if((t=""+t||"").match(/\?>/))throw new Error("Invalid processing instruction value: "+t);return this.assertLegalChar(t)},t.prototype.xmlVersion=function(t){if(this.options.noValidation)return t;if(!(t=""+t||"").match(/1\.[0-9]+/))throw new Error("Invalid version number: "+t);return t},t.prototype.xmlEncoding=function(t){if(this.options.noValidation)return t;if(!(t=""+t||"").match(/^[A-Za-z](?:[A-Za-z0-9._-])*$/))throw new Error("Invalid encoding: "+t);return this.assertLegalChar(t)},t.prototype.xmlStandalone=function(t){return this.options.noValidation?t:t?"yes":"no"},t.prototype.dtdPubID=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdSysID=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdElementValue=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdAttType=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdAttDefault=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdEntityValue=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.dtdNData=function(t){return this.options.noValidation?t:this.assertLegalChar(""+t||"")},t.prototype.convertAttKey="@",t.prototype.convertPIKey="?",t.prototype.convertTextKey="#text",t.prototype.convertCDataKey="#cdata",t.prototype.convertCommentKey="#comment",t.prototype.convertRawKey="#raw",t.prototype.assertLegalChar=function(t){var e,n;if(this.options.noValidation)return t;if(e="","1.0"===this.options.version){if(e=/[\0-\x08\x0B\f\x0E-\x1F\uFFFE\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]/,n=t.match(e))throw new Error("Invalid character in string: "+t+" at index "+n.index)}else if("1.1"===this.options.version&&(e=/[\0\uFFFE\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]/,n=t.match(e)))throw new Error("Invalid character in string: "+t+" at index "+n.index);return t},t.prototype.assertLegalName=function(t){var e;if(this.options.noValidation)return t;if(this.assertLegalChar(t),e=/^([:A-Z_a-z\xC0-\xD6\xD8-\xF6\xF8-\u02FF\u0370-\u037D\u037F-\u1FFF\u200C\u200D\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]|[\uD800-\uDB7F][\uDC00-\uDFFF])([\x2D\.0-:A-Z_a-z\xB7\xC0-\xD6\xD8-\xF6\xF8-\u037D\u037F-\u1FFF\u200C\u200D\u203F\u2040\u2070-\u218F\u2C00-\u2FEF\u3001-\uD7FF\uF900-\uFDCF\uFDF0-\uFFFD]|[\uD800-\uDB7F][\uDC00-\uDFFF])*$/,!t.match(e))throw new Error("Invalid character in name");return t},t.prototype.textEscape=function(t){var e;return this.options.noValidation?t:(e=this.options.noDoubleEncoding?/(?!&\S+;)&/g:/&/g,t.replace(e,"&amp;").replace(/</g,"&lt;").replace(/>/g,"&gt;").replace(/\r/g,"&#xD;"))},t.prototype.attEscape=function(t){var e;return this.options.noValidation?t:(e=this.options.noDoubleEncoding?/(?!&\S+;)&/g:/&/g,t.replace(e,"&amp;").replace(/</g,"&lt;").replace(/"/g,"&quot;").replace(/\t/g,"&#x9;").replace(/\n/g,"&#xA;").replace(/\r/g,"&#xD;"))},t}()}).call(this)},82535:function(t,e,n){(function(){var e,s,i={}.hasOwnProperty;e=n(71737),s=n(17457),t.exports=function(t){function n(t,s){if(n.__super__.constructor.call(this,t),null==s)throw new Error("Missing element text. "+this.debugInfo());this.name="#text",this.type=e.Text,this.value=this.stringify.text(s)}return function(t,e){for(var n in e)i.call(e,n)&&(t[n]=e[n]);function s(){this.constructor=t}s.prototype=e.prototype,t.prototype=new s,t.__super__=e.prototype}(n,t),Object.defineProperty(n.prototype,"isElementContentWhitespace",{get:function(){throw new Error("This DOM method is not implemented."+this.debugInfo())}}),Object.defineProperty(n.prototype,"wholeText",{get:function(){var t,e,n;for(n="",e=this.previousSibling;e;)n=e.data+n,e=e.previousSibling;for(n+=this.data,t=this.nextSibling;t;)n+=t.data,t=t.nextSibling;return n}}),n.prototype.clone=function(){return Object.create(this)},n.prototype.toString=function(t){return this.options.writer.text(this,this.options.writer.filterOptions(t))},n.prototype.splitText=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n.prototype.replaceWholeText=function(t){throw new Error("This DOM method is not implemented."+this.debugInfo())},n}(s)}).call(this)},6286:function(t,e,n){(function(){var e,s,i,r={}.hasOwnProperty;i=n(49241).assign,e=n(71737),n(34130),n(96376),n(92691),n(32679),n(33906),n(1268),n(82535),n(85915),n(21218),n(34111),n(67696),n(5529),n(28012),s=n(88753),t.exports=function(){function t(t){var e,n,s;for(e in t||(t={}),this.options=t,n=t.writer||{})r.call(n,e)&&(s=n[e],this["_"+e]=this[e],this[e]=s)}return t.prototype.filterOptions=function(t){var e,n,r,o,a,l,c,d;return t||(t={}),t=i({},this.options,t),(e={writer:this}).pretty=t.pretty||!1,e.allowEmpty=t.allowEmpty||!1,e.indent=null!=(n=t.indent)?n:" ",e.newline=null!=(r=t.newline)?r:"\n",e.offset=null!=(o=t.offset)?o:0,e.dontPrettyTextNodes=null!=(a=null!=(l=t.dontPrettyTextNodes)?l:t.dontprettytextnodes)?a:0,e.spaceBeforeSlash=null!=(c=null!=(d=t.spaceBeforeSlash)?d:t.spacebeforeslash)?c:"",!0===e.spaceBeforeSlash&&(e.spaceBeforeSlash=" "),e.suppressPrettyCount=0,e.user={},e.state=s.None,e},t.prototype.indent=function(t,e,n){var s;return!e.pretty||e.suppressPrettyCount?"":e.pretty&&(s=(n||0)+e.offset+1)>0?new Array(s).join(e.indent):""},t.prototype.endline=function(t,e,n){return!e.pretty||e.suppressPrettyCount?"":e.newline},t.prototype.attribute=function(t,e,n){var s;return this.openAttribute(t,e,n),s=" "+t.name+'="'+t.value+'"',this.closeAttribute(t,e,n),s},t.prototype.cdata=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<![CDATA[",e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+="]]>"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.comment=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"\x3c!-- ",e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+=" --\x3e"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.declaration=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<?xml",e.state=s.InsideTag,i+=' version="'+t.version+'"',null!=t.encoding&&(i+=' encoding="'+t.encoding+'"'),null!=t.standalone&&(i+=' standalone="'+t.standalone+'"'),e.state=s.CloseTag,i+=e.spaceBeforeSlash+"?>",i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.docType=function(t,e,n){var i,r,o,a,l;if(n||(n=0),this.openNode(t,e,n),e.state=s.OpenTag,a=this.indent(t,e,n),a+="<!DOCTYPE "+t.root().name,t.pubID&&t.sysID?a+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.sysID&&(a+=' SYSTEM "'+t.sysID+'"'),t.children.length>0){for(a+=" [",a+=this.endline(t,e,n),e.state=s.InsideTag,r=0,o=(l=t.children).length;r<o;r++)i=l[r],a+=this.writeChildNode(i,e,n+1);e.state=s.CloseTag,a+="]"}return e.state=s.CloseTag,a+=e.spaceBeforeSlash+">",a+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),a},t.prototype.element=function(t,n,i){var o,a,l,c,d,u,m,p,f,g,h,v,A,w;for(f in i||(i=0),g=!1,h="",this.openNode(t,n,i),n.state=s.OpenTag,h+=this.indent(t,n,i)+"<"+t.name,v=t.attribs)r.call(v,f)&&(o=v[f],h+=this.attribute(o,n,i));if(c=0===(l=t.children.length)?null:t.children[0],0===l||t.children.every((function(t){return(t.type===e.Text||t.type===e.Raw)&&""===t.value})))n.allowEmpty?(h+=">",n.state=s.CloseTag,h+="</"+t.name+">"+this.endline(t,n,i)):(n.state=s.CloseTag,h+=n.spaceBeforeSlash+"/>"+this.endline(t,n,i));else if(!n.pretty||1!==l||c.type!==e.Text&&c.type!==e.Raw||null==c.value){if(n.dontPrettyTextNodes)for(d=0,m=(A=t.children).length;d<m;d++)if(((a=A[d]).type===e.Text||a.type===e.Raw)&&null!=a.value){n.suppressPrettyCount++,g=!0;break}for(h+=">"+this.endline(t,n,i),n.state=s.InsideTag,u=0,p=(w=t.children).length;u<p;u++)a=w[u],h+=this.writeChildNode(a,n,i+1);n.state=s.CloseTag,h+=this.indent(t,n,i)+"</"+t.name+">",g&&n.suppressPrettyCount--,h+=this.endline(t,n,i),n.state=s.None}else h+=">",n.state=s.InsideTag,n.suppressPrettyCount++,g=!0,h+=this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,g=!1,n.state=s.CloseTag,h+="</"+t.name+">"+this.endline(t,n,i);return this.closeNode(t,n,i),h},t.prototype.writeChildNode=function(t,n,s){switch(t.type){case e.CData:return this.cdata(t,n,s);case e.Comment:return this.comment(t,n,s);case e.Element:return this.element(t,n,s);case e.Raw:return this.raw(t,n,s);case e.Text:return this.text(t,n,s);case e.ProcessingInstruction:return this.processingInstruction(t,n,s);case e.Dummy:return"";case e.Declaration:return this.declaration(t,n,s);case e.DocType:return this.docType(t,n,s);case e.AttributeDeclaration:return this.dtdAttList(t,n,s);case e.ElementDeclaration:return this.dtdElement(t,n,s);case e.EntityDeclaration:return this.dtdEntity(t,n,s);case e.NotationDeclaration:return this.dtdNotation(t,n,s);default:throw new Error("Unknown XML node type: "+t.constructor.name)}},t.prototype.processingInstruction=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<?",e.state=s.InsideTag,i+=t.target,t.value&&(i+=" "+t.value),e.state=s.CloseTag,i+=e.spaceBeforeSlash+"?>",i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.raw=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n),e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.text=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n),e.state=s.InsideTag,i+=t.value,e.state=s.CloseTag,i+=this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdAttList=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!ATTLIST",e.state=s.InsideTag,i+=" "+t.elementName+" "+t.attributeName+" "+t.attributeType,"#DEFAULT"!==t.defaultValueType&&(i+=" "+t.defaultValueType),t.defaultValue&&(i+=' "'+t.defaultValue+'"'),e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdElement=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!ELEMENT",e.state=s.InsideTag,i+=" "+t.name+" "+t.value,e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdEntity=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!ENTITY",e.state=s.InsideTag,t.pe&&(i+=" %"),i+=" "+t.name,t.value?i+=' "'+t.value+'"':(t.pubID&&t.sysID?i+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.sysID&&(i+=' SYSTEM "'+t.sysID+'"'),t.nData&&(i+=" NDATA "+t.nData)),e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.dtdNotation=function(t,e,n){var i;return this.openNode(t,e,n),e.state=s.OpenTag,i=this.indent(t,e,n)+"<!NOTATION",e.state=s.InsideTag,i+=" "+t.name,t.pubID&&t.sysID?i+=' PUBLIC "'+t.pubID+'" "'+t.sysID+'"':t.pubID?i+=' PUBLIC "'+t.pubID+'"':t.sysID&&(i+=' SYSTEM "'+t.sysID+'"'),e.state=s.CloseTag,i+=e.spaceBeforeSlash+">"+this.endline(t,e,n),e.state=s.None,this.closeNode(t,e,n),i},t.prototype.openNode=function(t,e,n){},t.prototype.closeNode=function(t,e,n){},t.prototype.openAttribute=function(t,e,n){},t.prototype.closeAttribute=function(t,e,n){},t}()}).call(this)},59665:function(t,e,n){(function(){var e,s,i,r,o,a,l,c,d,u;u=n(49241),c=u.assign,d=u.isFunction,i=n(67260),r=n(71933),o=n(80400),l=n(40382),a=n(96775),e=n(71737),s=n(88753),t.exports.create=function(t,e,n,s){var i,o;if(null==t)throw new Error("Root element needs a name.");return s=c({},e,n,s),o=(i=new r(s)).element(t),s.headless||(i.declaration(s),null==s.pubID&&null==s.sysID||i.dtd(s)),o},t.exports.begin=function(t,e,n){var s;return d(t)&&(e=(s=[t,e])[0],n=s[1],t={}),e?new o(t,e,n):new r(t)},t.exports.stringWriter=function(t){return new l(t)},t.exports.streamWriter=function(t,e){return new a(t,e)},t.exports.implementation=new i,t.exports.nodeType=e,t.exports.writerState=s}).call(this)},63710:t=>{"use strict";t.exports="data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27%20style=%27fill-opacity:1;fill:%23ffffff%27/%3e%3c/svg%3e"},57273:t=>{"use strict";t.exports="data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27/%3e%3c/svg%3e"},42634:()=>{},63779:()=>{},99580:()=>{},59169:()=>{},86833:()=>{},35810:(t,e,n)=>{"use strict";n.d(e,{Al:()=>z,By:()=>w,H4:()=>U,PY:()=>D,Q$:()=>j,R3:()=>k,Ss:()=>oe,VL:()=>T,ZH:()=>P,aX:()=>y,bP:()=>I,bh:()=>R,hY:()=>v,lJ:()=>O,m1:()=>le,m9:()=>h,pt:()=>S,qK:()=>A,v7:()=>g,vb:()=>E,vd:()=>B,zI:()=>F});var s=n(92457),i=n(53529),r=n(53334),o=n(43627),a=n(71089),l=n(66656),c=n(66037);const d=null===(u=(0,s.HW)())?(0,i.YK)().setApp("files").build():(0,i.YK)().setApp("files").setUid(u.uid).build();var u;class m{_entries=[];registerEntry(t){this.validateEntry(t),this._entries.push(t)}unregisterEntry(t){const e="string"==typeof t?this.getEntryIndex(t):this.getEntryIndex(t.id);-1!==e?this._entries.splice(e,1):d.warn("Entry not found, nothing removed",{entry:t,entries:this.getEntries()})}getEntries(t){return t?this._entries.filter((e=>"function"!=typeof e.enabled||e.enabled(t))):this._entries}getEntryIndex(t){return this._entries.findIndex((e=>e.id===t))}validateEntry(t){if(!t.id||!t.displayName||!t.iconSvgInline&&!t.iconClass||!t.handler)throw new Error("Invalid entry");if("string"!=typeof t.id||"string"!=typeof t.displayName)throw new Error("Invalid id or displayName property");if(t.iconClass&&"string"!=typeof t.iconClass||t.iconSvgInline&&"string"!=typeof t.iconSvgInline)throw new Error("Invalid icon provided");if(void 0!==t.enabled&&"function"!=typeof t.enabled)throw new Error("Invalid enabled property");if("function"!=typeof t.handler)throw new Error("Invalid handler property");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order property");if(-1!==this.getEntryIndex(t.id))throw new Error("Duplicate entry")}}const p=["B","KB","MB","GB","TB","PB"],f=["B","KiB","MiB","GiB","TiB","PiB"];function g(t,e=!1,n=!1,s=!1){n=n&&!s,"string"==typeof t&&(t=Number(t));let i=t>0?Math.floor(Math.log(t)/Math.log(s?1e3:1024)):0;i=Math.min((n?f.length:p.length)-1,i);const o=n?f[i]:p[i];let a=(t/Math.pow(s?1e3:1024,i)).toFixed(1);return!0===e&&0===i?("0.0"!==a?"< 1 ":"0 ")+(n?f[1]:p[1]):(a=i<2?parseFloat(a).toFixed(0):parseFloat(a).toLocaleString((0,r.lO)()),a+" "+o)}var h=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(h||{});class v{_action;constructor(t){this.validateAction(t),this._action=t}get id(){return this._action.id}get displayName(){return this._action.displayName}get title(){return this._action.title}get iconSvgInline(){return this._action.iconSvgInline}get enabled(){return this._action.enabled}get exec(){return this._action.exec}get execBatch(){return this._action.execBatch}get order(){return this._action.order}get parent(){return this._action.parent}get default(){return this._action.default}get inline(){return this._action.inline}get renderInline(){return this._action.renderInline}validateAction(t){if(!t.id||"string"!=typeof t.id)throw new Error("Invalid id");if(!t.displayName||"function"!=typeof t.displayName)throw new Error("Invalid displayName function");if("title"in t&&"function"!=typeof t.title)throw new Error("Invalid title function");if(!t.iconSvgInline||"function"!=typeof t.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!t.exec||"function"!=typeof t.exec)throw new Error("Invalid exec function");if("enabled"in t&&"function"!=typeof t.enabled)throw new Error("Invalid enabled function");if("execBatch"in t&&"function"!=typeof t.execBatch)throw new Error("Invalid execBatch function");if("order"in t&&"number"!=typeof t.order)throw new Error("Invalid order");if("parent"in t&&"string"!=typeof t.parent)throw new Error("Invalid parent");if(t.default&&!Object.values(h).includes(t.default))throw new Error("Invalid default");if("inline"in t&&"function"!=typeof t.inline)throw new Error("Invalid inline function");if("renderInline"in t&&"function"!=typeof t.renderInline)throw new Error("Invalid renderInline function")}}const A=function(){return typeof window._nc_fileactions>"u"&&(window._nc_fileactions=[],d.debug("FileActions initialized")),window._nc_fileactions},w=function(){return typeof window._nc_filelistheader>"u"&&(window._nc_filelistheader=[],d.debug("FileListHeaders initialized")),window._nc_filelistheader};var y=(t=>(t[t.NONE=0]="NONE",t[t.CREATE=4]="CREATE",t[t.READ=1]="READ",t[t.UPDATE=2]="UPDATE",t[t.DELETE=8]="DELETE",t[t.SHARE=16]="SHARE",t[t.ALL=31]="ALL",t))(y||{});const b=["d:getcontentlength","d:getcontenttype","d:getetag","d:getlastmodified","d:quota-available-bytes","d:resourcetype","nc:has-preview","nc:is-encrypted","nc:mount-type","oc:comments-unread","oc:favorite","oc:fileid","oc:owner-display-name","oc:owner-id","oc:permissions","oc:size"],C={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},x=function(){return typeof window._nc_dav_properties>"u"&&(window._nc_dav_properties=[...b]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")},_=function(){return typeof window._nc_dav_namespaces>"u"&&(window._nc_dav_namespaces={...C}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")},T=function(){return`<?xml version="1.0"?>\n\t\t<d:propfind ${_()}>\n\t\t\t<d:prop>\n\t\t\t\t${x()}\n\t\t\t</d:prop>\n\t\t</d:propfind>`},k=function(t){return`<?xml version="1.0" encoding="UTF-8"?>\n<d:searchrequest ${_()}\n\txmlns:ns="https://github.com/icewind1991/SearchDAV/ns">\n\t<d:basicsearch>\n\t\t<d:select>\n\t\t\t<d:prop>\n\t\t\t\t${x()}\n\t\t\t</d:prop>\n\t\t</d:select>\n\t\t<d:from>\n\t\t\t<d:scope>\n\t\t\t\t<d:href>/files/${(0,s.HW)()?.uid}/</d:href>\n\t\t\t\t<d:depth>infinity</d:depth>\n\t\t\t</d:scope>\n\t\t</d:from>\n\t\t<d:where>\n\t\t\t<d:and>\n\t\t\t\t<d:or>\n\t\t\t\t\t<d:not>\n\t\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t\t<d:getcontenttype/>\n\t\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t\t<d:literal>httpd/unix-directory</d:literal>\n\t\t\t\t\t\t</d:eq>\n\t\t\t\t\t</d:not>\n\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t<oc:size/>\n\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t<d:literal>0</d:literal>\n\t\t\t\t\t</d:eq>\n\t\t\t\t</d:or>\n\t\t\t\t<d:gt>\n\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t\t</d:prop>\n\t\t\t\t\t<d:literal>${t}</d:literal>\n\t\t\t\t</d:gt>\n\t\t\t</d:and>\n\t\t</d:where>\n\t\t<d:orderby>\n\t\t\t<d:order>\n\t\t\t\t<d:prop>\n\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t</d:prop>\n\t\t\t\t<d:descending/>\n\t\t\t</d:order>\n\t\t</d:orderby>\n\t\t<d:limit>\n\t\t\t<d:nresults>100</d:nresults>\n\t\t\t<ns:firstresult>0</ns:firstresult>\n\t\t</d:limit>\n\t</d:basicsearch>\n</d:searchrequest>`},E=function(t=""){let e=y.NONE;return t&&((t.includes("C")||t.includes("K"))&&(e|=y.CREATE),t.includes("G")&&(e|=y.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=y.UPDATE),t.includes("D")&&(e|=y.DELETE),t.includes("R")&&(e|=y.SHARE)),e};var S=(t=>(t.Folder="folder",t.File="file",t))(S||{});const L=function(t,e){return null!==t.match(e)},N=(t,e)=>{if(t.id&&"number"!=typeof t.id)throw new Error("Invalid id type of value");if(!t.source)throw new Error("Missing mandatory source");try{new URL(t.source)}catch{throw new Error("Invalid source format, source must be a valid URL")}if(!t.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(t.mtime&&!(t.mtime instanceof Date))throw new Error("Invalid mtime type");if(t.crtime&&!(t.crtime instanceof Date))throw new Error("Invalid crtime type");if(!t.mime||"string"!=typeof t.mime||!t.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in t&&"number"!=typeof t.size&&void 0!==t.size)throw new Error("Invalid size type");if("permissions"in t&&void 0!==t.permissions&&!("number"==typeof t.permissions&&t.permissions>=y.NONE&&t.permissions<=y.ALL))throw new Error("Invalid permissions");if(t.owner&&null!==t.owner&&"string"!=typeof t.owner)throw new Error("Invalid owner type");if(t.attributes&&"object"!=typeof t.attributes)throw new Error("Invalid attributes type");if(t.root&&"string"!=typeof t.root)throw new Error("Invalid root type");if(t.root&&!t.root.startsWith("/"))throw new Error("Root must start with a leading slash");if(t.root&&!t.source.includes(t.root))throw new Error("Root must be part of the source");if(t.root&&L(t.source,e)){const n=t.source.match(e)[0];if(!t.source.includes((0,o.join)(n,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(F).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var F=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(F||{});class I{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;constructor(t,e){N(t,e||this._knownDavService),this._data=t;const n={set:(t,e,n)=>(this.updateMtime(),Reflect.set(t,e,n)),deleteProperty:(t,e)=>(this.updateMtime(),Reflect.deleteProperty(t,e))};this._attributes=new Proxy(t.attributes||{},n),delete this._data.attributes,e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,a.O0)(this.source.slice(t.length))}get basename(){return(0,o.basename)(this.source)}get extension(){return(0,o.extname)(this.source)}get dirname(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),n=this.root.replace(/\/$/,"");return(0,o.dirname)(t.slice(e+n.length)||"/")}const t=new URL(this.source);return(0,o.dirname)(t.pathname)}get mime(){return this._data.mime}get mtime(){return this._data.mtime}get crtime(){return this._data.crtime}get size(){return this._data.size}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:y.NONE:y.READ}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return L(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,o.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let t=this.source;this.isDavRessource&&(t=t.split(this._knownDavService).pop());const e=t.indexOf(this.root),n=this.root.replace(/\/$/,"");return t.slice(e+n.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id||this.attributes?.fileid}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){N({...this._data,source:t},this._knownDavService),this._data.source=t,this.updateMtime()}rename(t){if(t.includes("/"))throw new Error("Invalid basename");this.move((0,o.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}}class P extends I{get type(){return S.File}}class B extends I{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return S.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const O=`/files/${(0,s.HW)()?.uid}`,D=(0,l.dC)("dav"),U=function(t=D,e={}){const n=(0,c.UU)(t,{headers:e});function i(t){n.setHeaders({...e,"X-Requested-With":"XMLHttpRequest",requesttoken:t??""})}return(0,s.zo)(i),i((0,s.do)()),(0,c.Gu)().patch("fetch",((t,e)=>{const n=e.headers;return n?.method&&(e.method=n.method,delete n.method),fetch(t,e)})),n},j=async(t,e="/",n=O)=>(await t.getDirectoryContents(`${n}${e}`,{details:!0,data:`<?xml version="1.0"?>\n\t\t<oc:filter-files ${_()}>\n\t\t\t<d:prop>\n\t\t\t\t${x()}\n\t\t\t</d:prop>\n\t\t\t<oc:filter-rules>\n\t\t\t\t<oc:favorite>1</oc:favorite>\n\t\t\t</oc:filter-rules>\n\t\t</oc:filter-files>`,headers:{method:"REPORT"},includeSelf:!0})).data.filter((t=>t.filename!==e)).map((t=>z(t,n))),z=function(t,e=O,n=D){const i=(0,s.HW)()?.uid;if(!i)throw new Error("No user id found");const r=t.props,o=E(r?.permissions),a=(r?.["owner-id"]||i).toString(),l={id:r?.fileid||0,source:`${n}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime||"application/octet-stream",size:r?.size||Number.parseInt(r.getcontentlength||"0"),permissions:o,owner:a,root:e,attributes:{...t,...r,hasPreview:r?.["has-preview"]}};return delete l.attributes?.props,"file"===t.type?new P(l):new B(l)};class M{_views=[];_currentView=null;register(t){if(this._views.find((e=>e.id===t.id)))throw new Error(`View id ${t.id} is already registered`);this._views.push(t)}remove(t){const e=this._views.findIndex((e=>e.id===t));-1!==e&&this._views.splice(e,1)}get views(){return this._views}setActive(t){this._currentView=t}get active(){return this._currentView}}const R=function(){return typeof window._nc_navigation>"u"&&(window._nc_navigation=new M,d.debug("Navigation service initialized")),window._nc_navigation};class V{_column;constructor(t){$(t),this._column=t}get id(){return this._column.id}get title(){return this._column.title}get render(){return this._column.render}get sort(){return this._column.sort}get summary(){return this._column.summary}}const $=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("A column id is required");if(!t.title||"string"!=typeof t.title)throw new Error("A column title is required");if(!t.render||"function"!=typeof t.render)throw new Error("A render function is required");if(t.sort&&"function"!=typeof t.sort)throw new Error("Column sortFunction must be a function");if(t.summary&&"function"!=typeof t.summary)throw new Error("Column summary must be a function");return!0};var q={},H={};!function(t){const e=":A-Za-z_\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD",n="["+e+"]["+e+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",s=new RegExp("^"+n+"$");t.isExist=function(t){return typeof t<"u"},t.isEmptyObject=function(t){return 0===Object.keys(t).length},t.merge=function(t,e,n){if(e){const s=Object.keys(e),i=s.length;for(let r=0;r<i;r++)t[s[r]]="strict"===n?[e[s[r]]]:e[s[r]]}},t.getValue=function(e){return t.isExist(e)?e:""},t.isName=function(t){const e=s.exec(t);return!(null===e||typeof e>"u")},t.getAllMatches=function(t,e){const n=[];let s=e.exec(t);for(;s;){const i=[];i.startIndex=e.lastIndex-s[0].length;const r=s.length;for(let t=0;t<r;t++)i.push(s[t]);n.push(i),s=e.exec(t)}return n},t.nameRegexp=n}(H);const W=H,G={allowBooleanAttributes:!1,unpairedTags:[]};function Y(t){return" "===t||"\t"===t||"\n"===t||"\r"===t}function K(t,e){const n=e;for(;e<t.length;e++)if("?"==t[e]||" "==t[e]){const s=t.substr(n,e-n);if(e>5&&"xml"===s)return st("InvalidXml","XML declaration allowed only at the start of the document.",ot(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}continue}return e}function Q(t,e){if(t.length>e+5&&"-"===t[e+1]&&"-"===t[e+2]){for(e+=3;e<t.length;e++)if("-"===t[e]&&"-"===t[e+1]&&">"===t[e+2]){e+=2;break}}else if(t.length>e+8&&"D"===t[e+1]&&"O"===t[e+2]&&"C"===t[e+3]&&"T"===t[e+4]&&"Y"===t[e+5]&&"P"===t[e+6]&&"E"===t[e+7]){let n=1;for(e+=8;e<t.length;e++)if("<"===t[e])n++;else if(">"===t[e]&&(n--,0===n))break}else if(t.length>e+9&&"["===t[e+1]&&"C"===t[e+2]&&"D"===t[e+3]&&"A"===t[e+4]&&"T"===t[e+5]&&"A"===t[e+6]&&"["===t[e+7])for(e+=8;e<t.length;e++)if("]"===t[e]&&"]"===t[e+1]&&">"===t[e+2]){e+=2;break}return e}q.validate=function(t,e){e=Object.assign({},G,e);const n=[];let s=!1,i=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let r=0;r<t.length;r++)if("<"===t[r]&&"?"===t[r+1]){if(r+=2,r=K(t,r),r.err)return r}else{if("<"!==t[r]){if(Y(t[r]))continue;return st("InvalidChar","char '"+t[r]+"' is not expected.",ot(t,r))}{let o=r;if(r++,"!"===t[r]){r=Q(t,r);continue}{let a=!1;"/"===t[r]&&(a=!0,r++);let l="";for(;r<t.length&&">"!==t[r]&&" "!==t[r]&&"\t"!==t[r]&&"\n"!==t[r]&&"\r"!==t[r];r++)l+=t[r];if(l=l.trim(),"/"===l[l.length-1]&&(l=l.substring(0,l.length-1),r--),!rt(l)){let e;return e=0===l.trim().length?"Invalid space after '<'.":"Tag '"+l+"' is an invalid name.",st("InvalidTag",e,ot(t,r))}const c=Z(t,r);if(!1===c)return st("InvalidAttr","Attributes for '"+l+"' have open quote.",ot(t,r));let d=c.value;if(r=c.index,"/"===d[d.length-1]){const n=r-d.length;d=d.substring(0,d.length-1);const i=et(d,e);if(!0!==i)return st(i.err.code,i.err.msg,ot(t,n+i.err.line));s=!0}else if(a){if(!c.tagClosed)return st("InvalidTag","Closing tag '"+l+"' doesn't have proper closing.",ot(t,r));if(d.trim().length>0)return st("InvalidTag","Closing tag '"+l+"' can't have attributes or invalid starting.",ot(t,o));{const e=n.pop();if(l!==e.tagName){let n=ot(t,e.tagStartPos);return st("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+n.line+", col "+n.col+") instead of closing tag '"+l+"'.",ot(t,o))}0==n.length&&(i=!0)}}else{const a=et(d,e);if(!0!==a)return st(a.err.code,a.err.msg,ot(t,r-d.length+a.err.line));if(!0===i)return st("InvalidXml","Multiple possible root nodes found.",ot(t,r));-1!==e.unpairedTags.indexOf(l)||n.push({tagName:l,tagStartPos:o}),s=!0}for(r++;r<t.length;r++)if("<"===t[r]){if("!"===t[r+1]){r++,r=Q(t,r);continue}if("?"!==t[r+1])break;if(r=K(t,++r),r.err)return r}else if("&"===t[r]){const e=nt(t,r);if(-1==e)return st("InvalidChar","char '&' is not expected.",ot(t,r));r=e}else if(!0===i&&!Y(t[r]))return st("InvalidXml","Extra text at the end",ot(t,r));"<"===t[r]&&r--}}}return s?1==n.length?st("InvalidTag","Unclosed tag '"+n[0].tagName+"'.",ot(t,n[0].tagStartPos)):!(n.length>0)||st("InvalidXml","Invalid '"+JSON.stringify(n.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):st("InvalidXml","Start tag expected.",1)};const X='"',J="'";function Z(t,e){let n="",s="",i=!1;for(;e<t.length;e++){if(t[e]===X||t[e]===J)""===s?s=t[e]:s!==t[e]||(s="");else if(">"===t[e]&&""===s){i=!0;break}n+=t[e]}return""===s&&{value:n,index:e,tagClosed:i}}const tt=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function et(t,e){const n=W.getAllMatches(t,tt),s={};for(let t=0;t<n.length;t++){if(0===n[t][1].length)return st("InvalidAttr","Attribute '"+n[t][2]+"' has no space in starting.",at(n[t]));if(void 0!==n[t][3]&&void 0===n[t][4])return st("InvalidAttr","Attribute '"+n[t][2]+"' is without value.",at(n[t]));if(void 0===n[t][3]&&!e.allowBooleanAttributes)return st("InvalidAttr","boolean attribute '"+n[t][2]+"' is not allowed.",at(n[t]));const i=n[t][2];if(!it(i))return st("InvalidAttr","Attribute '"+i+"' is an invalid name.",at(n[t]));if(s.hasOwnProperty(i))return st("InvalidAttr","Attribute '"+i+"' is repeated.",at(n[t]));s[i]=1}return!0}function nt(t,e){if(";"===t[++e])return-1;if("#"===t[e])return function(t,e){let n=/\d/;for("x"===t[e]&&(e++,n=/[\da-fA-F]/);e<t.length;e++){if(";"===t[e])return e;if(!t[e].match(n))break}return-1}(t,++e);let n=0;for(;e<t.length;e++,n++)if(!(t[e].match(/\w/)&&n<20)){if(";"===t[e])break;return-1}return e}function st(t,e,n){return{err:{code:t,msg:e,line:n.line||n,col:n.col}}}function it(t){return W.isName(t)}function rt(t){return W.isName(t)}function ot(t,e){const n=t.substring(0,e).split(/\r?\n/);return{line:n.length,col:n[n.length-1].length+1}}function at(t){return t.startIndex+t[1].length}var lt={};const ct={preserveOrder:!1,attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,removeNSPrefix:!1,allowBooleanAttributes:!1,parseTagValue:!0,parseAttributeValue:!1,trimValues:!0,cdataPropName:!1,numberParseOptions:{hex:!0,leadingZeros:!0,eNotation:!0},tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},stopNodes:[],alwaysCreateTextNode:!1,isArray:()=>!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(t,e,n){return t}};lt.buildOptions=function(t){return Object.assign({},ct,t)},lt.defaultOptions=ct;const dt=H;function ut(t,e){let n="";for(;e<t.length&&"'"!==t[e]&&'"'!==t[e];e++)n+=t[e];if(n=n.trim(),-1!==n.indexOf(" "))throw new Error("External entites are not supported");const s=t[e++];let i="";for(;e<t.length&&t[e]!==s;e++)i+=t[e];return[n,i,e]}function mt(t,e){return"!"===t[e+1]&&"-"===t[e+2]&&"-"===t[e+3]}function pt(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"N"===t[e+3]&&"T"===t[e+4]&&"I"===t[e+5]&&"T"===t[e+6]&&"Y"===t[e+7]}function ft(t,e){return"!"===t[e+1]&&"E"===t[e+2]&&"L"===t[e+3]&&"E"===t[e+4]&&"M"===t[e+5]&&"E"===t[e+6]&&"N"===t[e+7]&&"T"===t[e+8]}function gt(t,e){return"!"===t[e+1]&&"A"===t[e+2]&&"T"===t[e+3]&&"T"===t[e+4]&&"L"===t[e+5]&&"I"===t[e+6]&&"S"===t[e+7]&&"T"===t[e+8]}function ht(t,e){return"!"===t[e+1]&&"N"===t[e+2]&&"O"===t[e+3]&&"T"===t[e+4]&&"A"===t[e+5]&&"T"===t[e+6]&&"I"===t[e+7]&&"O"===t[e+8]&&"N"===t[e+9]}function vt(t){if(dt.isName(t))return t;throw new Error(`Invalid entity name ${t}`)}const At=/^[-+]?0x[a-fA-F0-9]+$/,wt=/^([\-\+])?(0*)(\.[0-9]+([eE]\-?[0-9]+)?|[0-9]+(\.[0-9]+([eE]\-?[0-9]+)?)?)$/;!Number.parseInt&&window.parseInt&&(Number.parseInt=window.parseInt),!Number.parseFloat&&window.parseFloat&&(Number.parseFloat=window.parseFloat);const yt={hex:!0,leadingZeros:!0,decimalPoint:".",eNotation:!0};const bt=H,Ct=class{constructor(t){this.tagname=t,this.child=[],this[":@"]={}}add(t,e){"__proto__"===t&&(t="#__proto__"),this.child.push({[t]:e})}addChild(t){"__proto__"===t.tagname&&(t.tagname="#__proto__"),t[":@"]&&Object.keys(t[":@"]).length>0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},xt=function(t,e){const n={};if("O"!==t[e+3]||"C"!==t[e+4]||"T"!==t[e+5]||"Y"!==t[e+6]||"P"!==t[e+7]||"E"!==t[e+8])throw new Error("Invalid Tag instead of DOCTYPE");{e+=9;let s=1,i=!1,r=!1,o="";for(;e<t.length;e++)if("<"!==t[e]||r)if(">"===t[e]){if(r?"-"===t[e-1]&&"-"===t[e-2]&&(r=!1,s--):s--,0===s)break}else"["===t[e]?i=!0:o+=t[e];else{if(i&&pt(t,e))e+=7,[entityName,val,e]=ut(t,e+1),-1===val.indexOf("&")&&(n[vt(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(i&&ft(t,e))e+=8;else if(i&&gt(t,e))e+=8;else if(i&&ht(t,e))e+=9;else{if(!mt)throw new Error("Invalid DOCTYPE");r=!0}s++,o=""}if(0!==s)throw new Error("Unclosed DOCTYPE")}return{entities:n,i:e}},_t=function(t,e={}){if(e=Object.assign({},yt,e),!t||"string"!=typeof t)return t;let n=t.trim();if(void 0!==e.skipLike&&e.skipLike.test(n))return t;if(e.hex&&At.test(n))return Number.parseInt(n,16);{const s=wt.exec(n);if(s){const i=s[1],r=s[2];let o=function(t){return t&&-1!==t.indexOf(".")&&("."===(t=t.replace(/0+$/,""))?t="0":"."===t[0]?t="0"+t:"."===t[t.length-1]&&(t=t.substr(0,t.length-1))),t}(s[3]);const a=s[4]||s[6];if(!e.leadingZeros&&r.length>0&&i&&"."!==n[2])return t;if(!e.leadingZeros&&r.length>0&&!i&&"."!==n[1])return t;{const s=Number(n),l=""+s;return-1!==l.search(/[eE]/)||a?e.eNotation?s:t:-1!==n.indexOf(".")?"0"===l&&""===o||l===o||i&&l==="-"+o?s:t:r?o===l||i+o===l?s:t:n===l||n===i+l?s:t}}return t}};function Tt(t){const e=Object.keys(t);for(let n=0;n<e.length;n++){const s=e[n];this.lastEntities[s]={regex:new RegExp("&"+s+";","g"),val:t[s]}}}function kt(t,e,n,s,i,r,o){if(void 0!==t&&(this.options.trimValues&&!s&&(t=t.trim()),t.length>0)){o||(t=this.replaceEntitiesValue(t));const s=this.options.tagValueProcessor(e,t,n,i,r);return null==s?t:typeof s!=typeof t||s!==t?s:this.options.trimValues||t.trim()===t?jt(t,this.options.parseTagValue,this.options.numberParseOptions):t}}function Et(t){if(this.options.removeNSPrefix){const e=t.split(":"),n="/"===t.charAt(0)?"/":"";if("xmlns"===e[0])return"";2===e.length&&(t=n+e[1])}return t}const St=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function Lt(t,e,n){if(!this.options.ignoreAttributes&&"string"==typeof t){const n=bt.getAllMatches(t,St),s=n.length,i={};for(let t=0;t<s;t++){const s=this.resolveNameSpace(n[t][1]);let r=n[t][4],o=this.options.attributeNamePrefix+s;if(s.length)if(this.options.transformAttributeName&&(o=this.options.transformAttributeName(o)),"__proto__"===o&&(o="#__proto__"),void 0!==r){this.options.trimValues&&(r=r.trim()),r=this.replaceEntitiesValue(r);const t=this.options.attributeValueProcessor(s,r,e);i[o]=null==t?r:typeof t!=typeof r||t!==r?t:jt(r,this.options.parseAttributeValue,this.options.numberParseOptions)}else this.options.allowBooleanAttributes&&(i[o]=!0)}if(!Object.keys(i).length)return;if(this.options.attributesGroupName){const t={};return t[this.options.attributesGroupName]=i,t}return i}}const Nt=function(t){t=t.replace(/\r\n?/g,"\n");const e=new Ct("!xml");let n=e,s="",i="";for(let r=0;r<t.length;r++)if("<"===t[r])if("/"===t[r+1]){const e=Ot(t,">",r,"Closing Tag is not closed.");let o=t.substring(r+2,e).trim();if(this.options.removeNSPrefix){const t=o.indexOf(":");-1!==t&&(o=o.substr(t+1))}this.options.transformTagName&&(o=this.options.transformTagName(o)),n&&(s=this.saveTextToParentTag(s,n,i));const a=i.substring(i.lastIndexOf(".")+1);if(o&&-1!==this.options.unpairedTags.indexOf(o))throw new Error(`Unpaired tag can not be used as closing tag: </${o}>`);let l=0;a&&-1!==this.options.unpairedTags.indexOf(a)?(l=i.lastIndexOf(".",i.lastIndexOf(".")-1),this.tagsNodeStack.pop()):l=i.lastIndexOf("."),i=i.substring(0,l),n=this.tagsNodeStack.pop(),s="",r=e}else if("?"===t[r+1]){let e=Dt(t,r,!1,"?>");if(!e)throw new Error("Pi Tag is not closed.");if(s=this.saveTextToParentTag(s,n,i),!(this.options.ignoreDeclaration&&"?xml"===e.tagName||this.options.ignorePiTags)){const t=new Ct(e.tagName);t.add(this.options.textNodeName,""),e.tagName!==e.tagExp&&e.attrExpPresent&&(t[":@"]=this.buildAttributesMap(e.tagExp,i,e.tagName)),this.addChild(n,t,i)}r=e.closeIndex+1}else if("!--"===t.substr(r+1,3)){const e=Ot(t,"--\x3e",r+4,"Comment is not closed.");if(this.options.commentPropName){const o=t.substring(r+4,e-2);s=this.saveTextToParentTag(s,n,i),n.add(this.options.commentPropName,[{[this.options.textNodeName]:o}])}r=e}else if("!D"===t.substr(r+1,2)){const e=xt(t,r);this.docTypeEntities=e.entities,r=e.i}else if("!["===t.substr(r+1,2)){const e=Ot(t,"]]>",r,"CDATA is not closed.")-2,o=t.substring(r+9,e);s=this.saveTextToParentTag(s,n,i);let a=this.parseTextData(o,n.tagname,i,!0,!1,!0,!0);null==a&&(a=""),this.options.cdataPropName?n.add(this.options.cdataPropName,[{[this.options.textNodeName]:o}]):n.add(this.options.textNodeName,a),r=e+2}else{let o=Dt(t,r,this.options.removeNSPrefix),a=o.tagName;const l=o.rawTagName;let c=o.tagExp,d=o.attrExpPresent,u=o.closeIndex;this.options.transformTagName&&(a=this.options.transformTagName(a)),n&&s&&"!xml"!==n.tagname&&(s=this.saveTextToParentTag(s,n,i,!1));const m=n;if(m&&-1!==this.options.unpairedTags.indexOf(m.tagname)&&(n=this.tagsNodeStack.pop(),i=i.substring(0,i.lastIndexOf("."))),a!==e.tagname&&(i+=i?"."+a:a),this.isItStopNode(this.options.stopNodes,i,a)){let e="";if(c.length>0&&c.lastIndexOf("/")===c.length-1)r=o.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(a))r=o.closeIndex;else{const n=this.readStopNodeData(t,l,u+1);if(!n)throw new Error(`Unexpected end of ${l}`);r=n.i,e=n.tagContent}const s=new Ct(a);a!==c&&d&&(s[":@"]=this.buildAttributesMap(c,i,a)),e&&(e=this.parseTextData(e,a,i,!0,d,!0,!0)),i=i.substr(0,i.lastIndexOf(".")),s.add(this.options.textNodeName,e),this.addChild(n,s,i)}else{if(c.length>0&&c.lastIndexOf("/")===c.length-1){"/"===a[a.length-1]?(a=a.substr(0,a.length-1),i=i.substr(0,i.length-1),c=a):c=c.substr(0,c.length-1),this.options.transformTagName&&(a=this.options.transformTagName(a));const t=new Ct(a);a!==c&&d&&(t[":@"]=this.buildAttributesMap(c,i,a)),this.addChild(n,t,i),i=i.substr(0,i.lastIndexOf("."))}else{const t=new Ct(a);this.tagsNodeStack.push(n),a!==c&&d&&(t[":@"]=this.buildAttributesMap(c,i,a)),this.addChild(n,t,i),n=t}s="",r=u}}else s+=t[r];return e.child};function Ft(t,e,n){const s=this.options.updateTag(e.tagname,n,e[":@"]);!1===s||("string"==typeof s&&(e.tagname=s),t.addChild(e))}const It=function(t){if(this.options.processEntities){for(let e in this.docTypeEntities){const n=this.docTypeEntities[e];t=t.replace(n.regx,n.val)}for(let e in this.lastEntities){const n=this.lastEntities[e];t=t.replace(n.regex,n.val)}if(this.options.htmlEntities)for(let e in this.htmlEntities){const n=this.htmlEntities[e];t=t.replace(n.regex,n.val)}t=t.replace(this.ampEntity.regex,this.ampEntity.val)}return t};function Pt(t,e,n,s){return t&&(void 0===s&&(s=0===Object.keys(e.child).length),void 0!==(t=this.parseTextData(t,e.tagname,n,!1,!!e[":@"]&&0!==Object.keys(e[":@"]).length,s))&&""!==t&&e.add(this.options.textNodeName,t),t=""),t}function Bt(t,e,n){const s="*."+n;for(const n in t){const i=t[n];if(s===i||e===i)return!0}return!1}function Ot(t,e,n,s){const i=t.indexOf(e,n);if(-1===i)throw new Error(s);return i+e.length-1}function Dt(t,e,n,s=">"){const i=function(t,e,n=">"){let s,i="";for(let r=e;r<t.length;r++){let e=t[r];if(s)e===s&&(s="");else if('"'===e||"'"===e)s=e;else if(e===n[0]){if(!n[1])return{data:i,index:r};if(t[r+1]===n[1])return{data:i,index:r}}else"\t"===e&&(e=" ");i+=e}}(t,e+1,s);if(!i)return;let r=i.data;const o=i.index,a=r.search(/\s/);let l=r,c=!0;-1!==a&&(l=r.substring(0,a),r=r.substring(a+1).trimStart());const d=l;if(n){const t=l.indexOf(":");-1!==t&&(l=l.substr(t+1),c=l!==i.data.substr(t+1))}return{tagName:l,tagExp:r,closeIndex:o,attrExpPresent:c,rawTagName:d}}function Ut(t,e,n){const s=n;let i=1;for(;n<t.length;n++)if("<"===t[n])if("/"===t[n+1]){const r=Ot(t,">",n,`${e} is not closed`);if(t.substring(n+2,r).trim()===e&&(i--,0===i))return{tagContent:t.substring(s,n),i:r};n=r}else if("?"===t[n+1])n=Ot(t,"?>",n+1,"StopNode is not closed.");else if("!--"===t.substr(n+1,3))n=Ot(t,"--\x3e",n+3,"StopNode is not closed.");else if("!["===t.substr(n+1,2))n=Ot(t,"]]>",n,"StopNode is not closed.")-2;else{const s=Dt(t,n,">");s&&((s&&s.tagName)===e&&"/"!==s.tagExp[s.tagExp.length-1]&&i++,n=s.closeIndex)}}function jt(t,e,n){if(e&&"string"==typeof t){const e=t.trim();return"true"===e||"false"!==e&&_t(t,n)}return bt.isExist(t)?t:""}var zt={};function Mt(t,e,n){let s;const i={};for(let r=0;r<t.length;r++){const o=t[r],a=Rt(o);let l="";if(l=void 0===n?a:n+"."+a,a===e.textNodeName)void 0===s?s=o[a]:s+=""+o[a];else{if(void 0===a)continue;if(o[a]){let t=Mt(o[a],e,l);const n=$t(t,e);o[":@"]?Vt(t,o[":@"],l,e):1!==Object.keys(t).length||void 0===t[e.textNodeName]||e.alwaysCreateTextNode?0===Object.keys(t).length&&(e.alwaysCreateTextNode?t[e.textNodeName]="":t=""):t=t[e.textNodeName],void 0!==i[a]&&i.hasOwnProperty(a)?(Array.isArray(i[a])||(i[a]=[i[a]]),i[a].push(t)):e.isArray(a,l,n)?i[a]=[t]:i[a]=t}}}return"string"==typeof s?s.length>0&&(i[e.textNodeName]=s):void 0!==s&&(i[e.textNodeName]=s),i}function Rt(t){const e=Object.keys(t);for(let t=0;t<e.length;t++){const n=e[t];if(":@"!==n)return n}}function Vt(t,e,n,s){if(e){const i=Object.keys(e),r=i.length;for(let o=0;o<r;o++){const r=i[o];s.isArray(r,n+"."+r,!0,!0)?t[r]=[e[r]]:t[r]=e[r]}}}function $t(t,e){const{textNodeName:n}=e,s=Object.keys(t).length;return!(0!==s&&(1!==s||!t[n]&&"boolean"!=typeof t[n]&&0!==t[n]))}zt.prettify=function(t,e){return Mt(t,e)};const{buildOptions:qt}=lt,Ht=class{constructor(t){this.options=t,this.currentNode=null,this.tagsNodeStack=[],this.docTypeEntities={},this.lastEntities={apos:{regex:/&(apos|#39|#x27);/g,val:"'"},gt:{regex:/&(gt|#62|#x3E);/g,val:">"},lt:{regex:/&(lt|#60|#x3C);/g,val:"<"},quot:{regex:/&(quot|#34|#x22);/g,val:'"'}},this.ampEntity={regex:/&(amp|#38|#x26);/g,val:"&"},this.htmlEntities={space:{regex:/&(nbsp|#160);/g,val:" "},cent:{regex:/&(cent|#162);/g,val:"¢"},pound:{regex:/&(pound|#163);/g,val:"£"},yen:{regex:/&(yen|#165);/g,val:"¥"},euro:{regex:/&(euro|#8364);/g,val:"€"},copyright:{regex:/&(copy|#169);/g,val:"©"},reg:{regex:/&(reg|#174);/g,val:"®"},inr:{regex:/&(inr|#8377);/g,val:"₹"}},this.addExternalEntities=Tt,this.parseXml=Nt,this.parseTextData=kt,this.resolveNameSpace=Et,this.buildAttributesMap=Lt,this.isItStopNode=Bt,this.replaceEntitiesValue=It,this.readStopNodeData=Ut,this.saveTextToParentTag=Pt,this.addChild=Ft}},{prettify:Wt}=zt,Gt=q;function Yt(t,e,n,s){let i="",r=!1;for(let o=0;o<t.length;o++){const a=t[o],l=Kt(a);if(void 0===l)continue;let c="";if(c=0===n.length?l:`${n}.${l}`,l===e.textNodeName){let t=a[l];Xt(c,e)||(t=e.tagValueProcessor(l,t),t=Jt(t,e)),r&&(i+=s),i+=t,r=!1;continue}if(l===e.cdataPropName){r&&(i+=s),i+=`<![CDATA[${a[l][0][e.textNodeName]}]]>`,r=!1;continue}if(l===e.commentPropName){i+=s+`\x3c!--${a[l][0][e.textNodeName]}--\x3e`,r=!0;continue}if("?"===l[0]){const t=Qt(a[":@"],e),n="?xml"===l?"":s;let o=a[l][0][e.textNodeName];o=0!==o.length?" "+o:"",i+=n+`<${l}${o}${t}?>`,r=!0;continue}let d=s;""!==d&&(d+=e.indentBy);const u=s+`<${l}${Qt(a[":@"],e)}`,m=Yt(a[l],e,c,d);-1!==e.unpairedTags.indexOf(l)?e.suppressUnpairedNode?i+=u+">":i+=u+"/>":m&&0!==m.length||!e.suppressEmptyNode?m&&m.endsWith(">")?i+=u+`>${m}${s}</${l}>`:(i+=u+">",m&&""!==s&&(m.includes("/>")||m.includes("</"))?i+=s+e.indentBy+m+s:i+=m,i+=`</${l}>`):i+=u+"/>",r=!0}return i}function Kt(t){const e=Object.keys(t);for(let n=0;n<e.length;n++){const s=e[n];if(t.hasOwnProperty(s)&&":@"!==s)return s}}function Qt(t,e){let n="";if(t&&!e.ignoreAttributes)for(let s in t){if(!t.hasOwnProperty(s))continue;let i=e.attributeValueProcessor(s,t[s]);i=Jt(i,e),!0===i&&e.suppressBooleanAttributes?n+=` ${s.substr(e.attributeNamePrefix.length)}`:n+=` ${s.substr(e.attributeNamePrefix.length)}="${i}"`}return n}function Xt(t,e){let n=(t=t.substr(0,t.length-e.textNodeName.length-1)).substr(t.lastIndexOf(".")+1);for(let s in e.stopNodes)if(e.stopNodes[s]===t||e.stopNodes[s]==="*."+n)return!0;return!1}function Jt(t,e){if(t&&t.length>0&&e.processEntities)for(let n=0;n<e.entities.length;n++){const s=e.entities[n];t=t.replace(s.regex,s.val)}return t}const Zt=function(t,e){let n="";return e.format&&e.indentBy.length>0&&(n="\n"),Yt(t,e,"",n)},te={attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,cdataPropName:!1,format:!1,indentBy:" ",suppressEmptyNode:!1,suppressUnpairedNode:!0,suppressBooleanAttributes:!0,tagValueProcessor:function(t,e){return e},attributeValueProcessor:function(t,e){return e},preserveOrder:!1,commentPropName:!1,unpairedTags:[],entities:[{regex:new RegExp("&","g"),val:"&amp;"},{regex:new RegExp(">","g"),val:"&gt;"},{regex:new RegExp("<","g"),val:"&lt;"},{regex:new RegExp("'","g"),val:"&apos;"},{regex:new RegExp('"',"g"),val:"&quot;"}],processEntities:!0,stopNodes:[],oneListGroup:!1};function ee(t){this.options=Object.assign({},te,t),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=ie),this.processTextOrObjNode=ne,this.options.format?(this.indentate=se,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function ne(t,e,n){const s=this.j2x(t,n+1);return void 0!==t[this.options.textNodeName]&&1===Object.keys(t).length?this.buildTextValNode(t[this.options.textNodeName],e,s.attrStr,n):this.buildObjectNode(s.val,e,s.attrStr,n)}function se(t){return this.options.indentBy.repeat(t)}function ie(t){return!(!t.startsWith(this.options.attributeNamePrefix)||t===this.options.textNodeName)&&t.substr(this.attrPrefixLen)}ee.prototype.build=function(t){return this.options.preserveOrder?Zt(t,this.options):(Array.isArray(t)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(t={[this.options.arrayNodeName]:t}),this.j2x(t,0).val)},ee.prototype.j2x=function(t,e){let n="",s="";for(let i in t)if(Object.prototype.hasOwnProperty.call(t,i))if(typeof t[i]>"u")this.isAttribute(i)&&(s+="");else if(null===t[i])this.isAttribute(i)?s+="":"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar;else if(t[i]instanceof Date)s+=this.buildTextValNode(t[i],i,"",e);else if("object"!=typeof t[i]){const r=this.isAttribute(i);if(r)n+=this.buildAttrPairStr(r,""+t[i]);else if(i===this.options.textNodeName){let e=this.options.tagValueProcessor(i,""+t[i]);s+=this.replaceEntitiesValue(e)}else s+=this.buildTextValNode(t[i],i,"",e)}else if(Array.isArray(t[i])){const n=t[i].length;let r="";for(let o=0;o<n;o++){const n=t[i][o];typeof n>"u"||(null===n?"?"===i[0]?s+=this.indentate(e)+"<"+i+"?"+this.tagEndChar:s+=this.indentate(e)+"<"+i+"/"+this.tagEndChar:"object"==typeof n?this.options.oneListGroup?r+=this.j2x(n,e+1).val:r+=this.processTextOrObjNode(n,i,e):r+=this.buildTextValNode(n,i,"",e))}this.options.oneListGroup&&(r=this.buildObjectNode(r,i,"",e)),s+=r}else if(this.options.attributesGroupName&&i===this.options.attributesGroupName){const e=Object.keys(t[i]),s=e.length;for(let r=0;r<s;r++)n+=this.buildAttrPairStr(e[r],""+t[i][e[r]])}else s+=this.processTextOrObjNode(t[i],i,e);return{attrStr:n,val:s}},ee.prototype.buildAttrPairStr=function(t,e){return e=this.options.attributeValueProcessor(t,""+e),e=this.replaceEntitiesValue(e),this.options.suppressBooleanAttributes&&"true"===e?" "+t:" "+t+'="'+e+'"'},ee.prototype.buildObjectNode=function(t,e,n,s){if(""===t)return"?"===e[0]?this.indentate(s)+"<"+e+n+"?"+this.tagEndChar:this.indentate(s)+"<"+e+n+this.closeTag(e)+this.tagEndChar;{let i="</"+e+this.tagEndChar,r="";return"?"===e[0]&&(r="?",i=""),!n&&""!==n||-1!==t.indexOf("<")?!1!==this.options.commentPropName&&e===this.options.commentPropName&&0===r.length?this.indentate(s)+`\x3c!--${t}--\x3e`+this.newLine:this.indentate(s)+"<"+e+n+r+this.tagEndChar+t+this.indentate(s)+i:this.indentate(s)+"<"+e+n+r+">"+t+i}},ee.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`></${t}`,e},ee.prototype.buildTextValNode=function(t,e,n,s){if(!1!==this.options.cdataPropName&&e===this.options.cdataPropName)return this.indentate(s)+`<![CDATA[${t}]]>`+this.newLine;if(!1!==this.options.commentPropName&&e===this.options.commentPropName)return this.indentate(s)+`\x3c!--${t}--\x3e`+this.newLine;if("?"===e[0])return this.indentate(s)+"<"+e+n+"?"+this.tagEndChar;{let i=this.options.tagValueProcessor(e,t);return i=this.replaceEntitiesValue(i),""===i?this.indentate(s)+"<"+e+n+this.closeTag(e)+this.tagEndChar:this.indentate(s)+"<"+e+n+">"+i+"</"+e+this.tagEndChar}},ee.prototype.replaceEntitiesValue=function(t){if(t&&t.length>0&&this.options.processEntities)for(let e=0;e<this.options.entities.length;e++){const n=this.options.entities[e];t=t.replace(n.regex,n.val)}return t};var re={XMLParser:class{constructor(t){this.externalEntities={},this.options=qt(t)}parse(t,e){if("string"!=typeof t){if(!t.toString)throw new Error("XML data is accepted in String or Bytes[] form.");t=t.toString()}if(e){!0===e&&(e={});const n=Gt.validate(t,e);if(!0!==n)throw Error(`${n.err.msg}:${n.err.line}:${n.err.col}`)}const n=new Ht(this.options);n.addExternalEntities(this.externalEntities);const s=n.parseXml(t);return this.options.preserveOrder||void 0===s?s:Wt(s,this.options)}addEntity(t,e){if(-1!==e.indexOf("&"))throw new Error("Entity value can't have '&'");if(-1!==t.indexOf("&")||-1!==t.indexOf(";"))throw new Error("An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'");if("&"===e)throw new Error("An entity with value '&' is not permitted");this.externalEntities[t]=e}},XMLValidator:q,XMLBuilder:ee};class oe{_view;constructor(t){ae(t),this._view=t}get id(){return this._view.id}get name(){return this._view.name}get caption(){return this._view.caption}get emptyTitle(){return this._view.emptyTitle}get emptyCaption(){return this._view.emptyCaption}get getContents(){return this._view.getContents}get icon(){return this._view.icon}set icon(t){this._view.icon=t}get order(){return this._view.order}set order(t){this._view.order=t}get params(){return this._view.params}set params(t){this._view.params=t}get columns(){return this._view.columns}get emptyView(){return this._view.emptyView}get parent(){return this._view.parent}get sticky(){return this._view.sticky}get expanded(){return this._view.expanded}set expanded(t){this._view.expanded=t}get defaultSortKey(){return this._view.defaultSortKey}}const ae=function(t){if(!t.id||"string"!=typeof t.id)throw new Error("View id is required and must be a string");if(!t.name||"string"!=typeof t.name)throw new Error("View name is required and must be a string");if(t.columns&&t.columns.length>0&&(!t.caption||"string"!=typeof t.caption))throw new Error("View caption is required for top-level views and must be a string");if(!t.getContents||"function"!=typeof t.getContents)throw new Error("View getContents is required and must be a function");if(!t.icon||"string"!=typeof t.icon||!function(t){if("string"!=typeof t)throw new TypeError(`Expected a \`string\`, got \`${typeof t}\``);if(0===(t=t.trim()).length||!0!==re.XMLValidator.validate(t))return!1;let e;const n=new re.XMLParser;try{e=n.parse(t)}catch{return!1}return!(!e||!("svg"in e))}(t.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in t)||"number"!=typeof t.order)throw new Error("View order is required and must be a number");if(t.columns&&t.columns.forEach((t=>{if(!(t instanceof V))throw new Error("View columns must be an array of Column. Invalid column found")})),t.emptyView&&"function"!=typeof t.emptyView)throw new Error("View emptyView must be a function");if(t.parent&&"string"!=typeof t.parent)throw new Error("View parent must be a string");if("sticky"in t&&"boolean"!=typeof t.sticky)throw new Error("View sticky must be a boolean");if("expanded"in t&&"boolean"!=typeof t.expanded)throw new Error("View expanded must be a boolean");if(t.defaultSortKey&&"string"!=typeof t.defaultSortKey)throw new Error("View defaultSortKey must be a string");return!0},le=function(t){return(typeof window._nc_newfilemenu>"u"&&(window._nc_newfilemenu=new m,d.debug("NewFileMenu initialized")),window._nc_newfilemenu).getEntries(t).sort(((t,e)=>void 0!==t.order&&void 0!==e.order&&t.order!==e.order?t.order-e.order:t.displayName.localeCompare(e.displayName,void 0,{numeric:!0,sensitivity:"base"})))}},41261:(t,e,n)=>{"use strict";n.d(e,{U:()=>at,a:()=>it,c:()=>W,g:()=>ct,h:()=>ut,l:()=>Y,n:()=>J,o:()=>dt,t:()=>rt});var s=n(85072),i=n.n(s),r=n(97825),o=n.n(r),a=n(77659),l=n.n(a),c=n(55056),d=n.n(c),u=n(10540),m=n.n(u),p=n(41113),f=n.n(p),g=n(30521),h={};h.styleTagTransform=f(),h.setAttributes=d(),h.insert=l().bind(null,"head"),h.domAPI=o(),h.insertStyleElement=m(),i()(g.A,h),g.A&&g.A.locals&&g.A.locals;var v=n(53110),A=n(71089),w=n(35810),y=n(88164),b=n(92457),C=n(26287);class x extends Error{constructor(t){super(t||"Promise was canceled"),this.name="CancelError"}get isCanceled(){return!0}}const _=Object.freeze({pending:Symbol("pending"),canceled:Symbol("canceled"),resolved:Symbol("resolved"),rejected:Symbol("rejected")});class T{static fn(t){return(...e)=>new T(((n,s,i)=>{e.push(i),t(...e).then(n,s)}))}#t=[];#e=!0;#n=_.pending;#s;#i;constructor(t){this.#s=new Promise(((e,n)=>{this.#i=n;const s=t=>{if(this.#n!==_.pending)throw new Error(`The \`onCancel\` handler was attached after the promise ${this.#n.description}.`);this.#t.push(t)};Object.defineProperties(s,{shouldReject:{get:()=>this.#e,set:t=>{this.#e=t}}}),t((t=>{this.#n===_.canceled&&s.shouldReject||(e(t),this.#r(_.resolved))}),(t=>{this.#n===_.canceled&&s.shouldReject||(n(t),this.#r(_.rejected))}),s)}))}then(t,e){return this.#s.then(t,e)}catch(t){return this.#s.catch(t)}finally(t){return this.#s.finally(t)}cancel(t){if(this.#n===_.pending){if(this.#r(_.canceled),this.#t.length>0)try{for(const t of this.#t)t()}catch(t){return void this.#i(t)}this.#e&&this.#i(new x(t))}}get isCanceled(){return this.#n===_.canceled}#r(t){this.#n===_.pending&&(this.#n=t)}}Object.setPrototypeOf(T.prototype,Promise.prototype);var k=n(9052);class E extends Error{constructor(t){super(t),this.name="TimeoutError"}}class S extends Error{constructor(t){super(),this.name="AbortError",this.message=t}}const L=t=>void 0===globalThis.DOMException?new S(t):new DOMException(t),N=t=>{const e=void 0===t.reason?L("This operation was aborted."):t.reason;return e instanceof Error?e:L(e)};class F{#o=[];enqueue(t,e){const n={priority:(e={priority:0,...e}).priority,run:t};if(this.size&&this.#o[this.size-1].priority>=e.priority)return void this.#o.push(n);const s=function(t,e,n){let s=0,i=t.length;for(;i>0;){const n=Math.trunc(i/2);let o=s+n;r=t[o],e.priority-r.priority<=0?(s=++o,i-=n+1):i=n}var r;return s}(this.#o,n);this.#o.splice(s,0,n)}dequeue(){const t=this.#o.shift();return t?.run}filter(t){return this.#o.filter((e=>e.priority===t.priority)).map((t=>t.run))}get size(){return this.#o.length}}class I extends k{#a;#l;#c=0;#d;#u;#m=0;#p;#f;#o;#g;#h=0;#v;#A;#w;timeout;constructor(t){if(super(),!("number"==typeof(t={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:F,...t}).intervalCap&&t.intervalCap>=1))throw new TypeError(`Expected \`intervalCap\` to be a number from 1 and up, got \`${t.intervalCap?.toString()??""}\` (${typeof t.intervalCap})`);if(void 0===t.interval||!(Number.isFinite(t.interval)&&t.interval>=0))throw new TypeError(`Expected \`interval\` to be a finite number >= 0, got \`${t.interval?.toString()??""}\` (${typeof t.interval})`);this.#a=t.carryoverConcurrencyCount,this.#l=t.intervalCap===Number.POSITIVE_INFINITY||0===t.interval,this.#d=t.intervalCap,this.#u=t.interval,this.#o=new t.queueClass,this.#g=t.queueClass,this.concurrency=t.concurrency,this.timeout=t.timeout,this.#w=!0===t.throwOnTimeout,this.#A=!1===t.autoStart}get#y(){return this.#l||this.#c<this.#d}get#b(){return this.#h<this.#v}#C(){this.#h--,this.#x(),this.emit("next")}#_(){this.#T(),this.#k(),this.#f=void 0}get#E(){const t=Date.now();if(void 0===this.#p){const e=this.#m-t;if(!(e<0))return void 0===this.#f&&(this.#f=setTimeout((()=>{this.#_()}),e)),!0;this.#c=this.#a?this.#h:0}return!1}#x(){if(0===this.#o.size)return this.#p&&clearInterval(this.#p),this.#p=void 0,this.emit("empty"),0===this.#h&&this.emit("idle"),!1;if(!this.#A){const t=!this.#E;if(this.#y&&this.#b){const e=this.#o.dequeue();return!!e&&(this.emit("active"),e(),t&&this.#k(),!0)}}return!1}#k(){this.#l||void 0!==this.#p||(this.#p=setInterval((()=>{this.#T()}),this.#u),this.#m=Date.now()+this.#u)}#T(){0===this.#c&&0===this.#h&&this.#p&&(clearInterval(this.#p),this.#p=void 0),this.#c=this.#a?this.#h:0,this.#S()}#S(){for(;this.#x(););}get concurrency(){return this.#v}set concurrency(t){if(!("number"==typeof t&&t>=1))throw new TypeError(`Expected \`concurrency\` to be a number from 1 and up, got \`${t}\` (${typeof t})`);this.#v=t,this.#S()}async#L(t){return new Promise(((e,n)=>{t.addEventListener("abort",(()=>{n(t.reason)}),{once:!0})}))}async add(t,e={}){return e={timeout:this.timeout,throwOnTimeout:this.#w,...e},new Promise(((n,s)=>{this.#o.enqueue((async()=>{this.#h++,this.#c++;try{e.signal?.throwIfAborted();let s=t({signal:e.signal});e.timeout&&(s=function(t,e){const{milliseconds:n,fallback:s,message:i,customTimers:r={setTimeout,clearTimeout}}=e;let o;const a=new Promise(((a,l)=>{if("number"!=typeof n||1!==Math.sign(n))throw new TypeError(`Expected \`milliseconds\` to be a positive number, got \`${n}\``);if(e.signal){const{signal:t}=e;t.aborted&&l(N(t)),t.addEventListener("abort",(()=>{l(N(t))}))}if(n===Number.POSITIVE_INFINITY)return void t.then(a,l);const c=new E;o=r.setTimeout.call(void 0,(()=>{if(s)try{a(s())}catch(t){l(t)}else"function"==typeof t.cancel&&t.cancel(),!1===i?a():i instanceof Error?l(i):(c.message=i??`Promise timed out after ${n} milliseconds`,l(c))}),n),(async()=>{try{a(await t)}catch(t){l(t)}})()})).finally((()=>{a.clear()}));return a.clear=()=>{r.clearTimeout.call(void 0,o),o=void 0},a}(Promise.resolve(s),{milliseconds:e.timeout})),e.signal&&(s=Promise.race([s,this.#L(e.signal)]));const i=await s;n(i),this.emit("completed",i)}catch(t){if(t instanceof E&&!e.throwOnTimeout)return void n();s(t),this.emit("error",t)}finally{this.#C()}}),e),this.emit("add"),this.#x()}))}async addAll(t,e){return Promise.all(t.map((async t=>this.add(t,e))))}start(){return this.#A?(this.#A=!1,this.#S(),this):this}pause(){this.#A=!0}clear(){this.#o=new this.#g}async onEmpty(){0!==this.#o.size&&await this.#N("empty")}async onSizeLessThan(t){this.#o.size<t||await this.#N("next",(()=>this.#o.size<t))}async onIdle(){0===this.#h&&0===this.#o.size||await this.#N("idle")}async#N(t,e){return new Promise((n=>{const s=()=>{e&&!e()||(this.off(t,s),n())};this.on(t,s)}))}get size(){return this.#o.size}sizeBy(t){return this.#o.filter(t).length}get pending(){return this.#h}get isPaused(){return this.#A}}var P=n(53529),B=n(85168),O=n(75270),D=n(85471),U=n(63420),j=n(24764),z=n(9518),M=n(6695),R=n(95101),V=n(11195);const $=async function(t,e,n,s=(()=>{}),i=void 0,r={}){let o;return o=e instanceof Blob?e:await e(),i&&(r.Destination=i),r["Content-Type"]||(r["Content-Type"]="application/octet-stream"),await C.A.request({method:"PUT",url:t,data:o,signal:n,onUploadProgress:s,headers:r})},q=function(t,e,n){return 0===e&&t.size<=n?Promise.resolve(new Blob([t],{type:t.type||"application/octet-stream"})):Promise.resolve(new Blob([t.slice(e,e+n)],{type:"application/octet-stream"}))},H=function(t=void 0){const e=window.OC?.appConfig?.files?.max_chunk_size;if(e<=0)return 0;if(!Number(e))return 10485760;const n=Math.max(Number(e),5242880);return void 0===t?n:Math.max(n,Math.ceil(t/1e4))};var W=(t=>(t[t.INITIALIZED=0]="INITIALIZED",t[t.UPLOADING=1]="UPLOADING",t[t.ASSEMBLING=2]="ASSEMBLING",t[t.FINISHED=3]="FINISHED",t[t.CANCELLED=4]="CANCELLED",t[t.FAILED=5]="FAILED",t))(W||{});let G=class{_source;_file;_isChunked;_chunks;_size;_uploaded=0;_startTime=0;_status=0;_controller;_response=null;constructor(t,e=!1,n,s){const i=Math.min(H()>0?Math.ceil(n/H()):1,1e4);this._source=t,this._isChunked=e&&H()>0&&i>1,this._chunks=this._isChunked?i:1,this._size=n,this._file=s,this._controller=new AbortController}get source(){return this._source}get file(){return this._file}get isChunked(){return this._isChunked}get chunks(){return this._chunks}get size(){return this._size}get startTime(){return this._startTime}set response(t){this._response=t}get response(){return this._response}get uploaded(){return this._uploaded}set uploaded(t){if(t>=this._size)return this._status=this._isChunked?2:3,void(this._uploaded=this._size);this._status=1,this._uploaded=t,0===this._startTime&&(this._startTime=(new Date).getTime())}get status(){return this._status}set status(t){this._status=t}get signal(){return this._controller.signal}cancel(){this._controller.abort(),this._status=4}};const Y=null===(K=(0,b.HW)())?(0,P.YK)().setApp("uploader").build():(0,P.YK)().setApp("uploader").setUid(K.uid).build();var K,Q=(t=>(t[t.IDLE=0]="IDLE",t[t.UPLOADING=1]="UPLOADING",t[t.PAUSED=2]="PAUSED",t))(Q||{});class X{_destinationFolder;_isPublic;_uploadQueue=[];_jobQueue=new I({concurrency:3});_queueSize=0;_queueProgress=0;_queueStatus=0;_notifiers=[];constructor(t=!1,e){if(this._isPublic=t,!e){const t=(0,b.HW)()?.uid,n=(0,y.dC)(`dav/files/${t}`);if(!t)throw new Error("User is not logged in");e=new w.vd({id:0,owner:t,permissions:w.aX.ALL,root:`/files/${t}`,source:n})}this.destination=e,Y.debug("Upload workspace initialized",{destination:this.destination,root:this.root,isPublic:t,maxChunksSize:H()})}get destination(){return this._destinationFolder}set destination(t){if(!t)throw new Error("Invalid destination folder");Y.debug("Destination set",{folder:t}),this._destinationFolder=t}get root(){return this._destinationFolder.source}get queue(){return this._uploadQueue}reset(){this._uploadQueue.splice(0,this._uploadQueue.length),this._jobQueue.clear(),this._queueSize=0,this._queueProgress=0,this._queueStatus=0}pause(){this._jobQueue.pause(),this._queueStatus=2}start(){this._jobQueue.start(),this._queueStatus=1,this.updateStats()}get info(){return{size:this._queueSize,progress:this._queueProgress,status:this._queueStatus}}updateStats(){const t=this._uploadQueue.map((t=>t.size)).reduce(((t,e)=>t+e),0),e=this._uploadQueue.map((t=>t.uploaded)).reduce(((t,e)=>t+e),0);this._queueSize=t,this._queueProgress=e,2!==this._queueStatus&&(this._queueStatus=this._jobQueue.size>0?1:0)}addNotifier(t){this._notifiers.push(t)}upload(t,e,n){const s=`${n||this.root}/${t.replace(/^\//,"")}`,{origin:i}=new URL(s),r=i+(0,A.O0)(s.slice(i.length));Y.debug(`Uploading ${e.name} to ${r}`);const o=H(e.size),a=0===o||e.size<o||this._isPublic,l=new G(s,!a,e.size,e);return this._uploadQueue.push(l),this.updateStats(),new T((async(t,n,s)=>{if(s(l.cancel),a){Y.debug("Initializing regular upload",{file:e,upload:l});const s=await q(e,0,l.size),i=async()=>{try{l.response=await $(r,s,l.signal,(t=>{l.uploaded=l.uploaded+t.bytes,this.updateStats()}),void 0,{"X-OC-Mtime":e.lastModified/1e3,"Content-Type":e.type}),l.uploaded=l.size,this.updateStats(),Y.debug(`Successfully uploaded ${e.name}`,{file:e,upload:l}),t(l)}catch(t){if(t instanceof v.k3)return l.status=W.FAILED,void n("Upload has been cancelled");t?.response&&(l.response=t.response),l.status=W.FAILED,Y.error(`Failed uploading ${e.name}`,{error:t,file:e,upload:l}),n("Failed uploading the file")}this._notifiers.forEach((t=>{try{t(l)}catch{}}))};this._jobQueue.add(i),this.updateStats()}else{Y.debug("Initializing chunked upload",{file:e,upload:l});const s=await async function(t){const e=`${(0,y.dC)(`dav/uploads/${(0,b.HW)()?.uid}`)}/web-file-upload-${[...Array(16)].map((()=>Math.floor(16*Math.random()).toString(16))).join("")}`,n=t?{Destination:t}:void 0;return await C.A.request({method:"MKCOL",url:e,headers:n}),e}(r),i=[];for(let t=0;t<l.chunks;t++){const n=t*o,a=Math.min(n+o,l.size),c=()=>q(e,n,o),d=()=>$(`${s}/${t+1}`,c,l.signal,(()=>this.updateStats()),r,{"X-OC-Mtime":e.lastModified/1e3,"OC-Total-Length":e.size,"Content-Type":"application/octet-stream"}).then((()=>{l.uploaded=l.uploaded+o})).catch((e=>{throw 507===e?.response?.status?(Y.error("Upload failed, not enough space on the server or quota exceeded. Cancelling the remaining chunks",{error:e,upload:l}),l.cancel(),l.status=W.FAILED,e):(e instanceof v.k3||(Y.error(`Chunk ${t+1} ${n} - ${a} uploading failed`,{error:e,upload:l}),l.cancel(),l.status=W.FAILED),e)}));i.push(this._jobQueue.add(d))}try{await Promise.all(i),this.updateStats(),l.response=await C.A.request({method:"MOVE",url:`${s}/.file`,headers:{"X-OC-Mtime":e.lastModified/1e3,"OC-Total-Length":e.size,Destination:r}}),this.updateStats(),l.status=W.FINISHED,Y.debug(`Successfully uploaded ${e.name}`,{file:e,upload:l}),t(l)}catch(t){t instanceof v.k3?(l.status=W.FAILED,n("Upload has been cancelled")):(l.status=W.FAILED,n("Failed assembling the chunks together")),C.A.request({method:"DELETE",url:`${s}`})}this._notifiers.forEach((t=>{try{t(l)}catch{}}))}return this._jobQueue.onIdle().then((()=>this.reset())),l}))}}function J(t,e,n,s,i,r,o,a){var l,c="function"==typeof t?t.options:t;if(e&&(c.render=e,c.staticRenderFns=n,c._compiled=!0),s&&(c.functional=!0),r&&(c._scopeId="data-v-"+r),o?(l=function(t){!(t=t||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)&&typeof __VUE_SSR_CONTEXT__<"u"&&(t=__VUE_SSR_CONTEXT__),i&&i.call(this,t),t&&t._registeredComponents&&t._registeredComponents.add(o)},c._ssrRegister=l):i&&(l=a?function(){i.call(this,(c.functional?this.parent:this).$root.$options.shadowRoot)}:i),l)if(c.functional){c._injectStyles=l;var d=c.render;c.render=function(t,e){return l.call(e),d(t,e)}}else{var u=c.beforeCreate;c.beforeCreate=u?[].concat(u,l):[l]}return{exports:t,options:c}}const Z=J({name:"CancelIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon cancel-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M12 2C17.5 2 22 6.5 22 12S17.5 22 12 22 2 17.5 2 12 6.5 2 12 2M12 4C10.1 4 8.4 4.6 7.1 5.7L18.3 16.9C19.3 15.5 20 13.8 20 12C20 7.6 16.4 4 12 4M16.9 18.3L5.7 7.1C4.6 8.4 4 10.1 4 12C4 16.4 7.6 20 12 20C13.9 20 15.6 19.4 16.9 18.3Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null,null).exports,tt=J({name:"PlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon plus-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M19,13H13V19H11V13H5V11H11V5H13V11H19V13Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null,null).exports,et=J({name:"UploadIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var t=this,e=t._self._c;return e("span",t._b({staticClass:"material-design-icon upload-icon",attrs:{"aria-hidden":!t.title||null,"aria-label":t.title,role:"img"},on:{click:function(e){return t.$emit("click",e)}}},"span",t.$attrs,!1),[e("svg",{staticClass:"material-design-icon__svg",attrs:{fill:t.fillColor,width:t.size,height:t.size,viewBox:"0 0 24 24"}},[e("path",{attrs:{d:"M9,16V10H5L12,3L19,10H15V16H9M5,20V18H19V20H5Z"}},[t.title?e("title",[t._v(t._s(t.title))]):t._e()])])])}),[],!1,null,null,null,null).exports,nt=(0,V.$)().detectLocale();[{locale:"af",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)","Content-Type":"text/plain; charset=UTF-8",Language:"af","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: af\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ar",json:{charset:"utf-8",headers:{"Last-Translator":"Ali <alimahwer@yahoo.com>, 2024","Language-Team":"Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)","Content-Type":"text/plain; charset=UTF-8",Language:"ar","Plural-Forms":"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nAli <alimahwer@yahoo.com>, 2024\n"},msgstr:["Last-Translator: Ali <alimahwer@yahoo.com>, 2024\nLanguage-Team: Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar\nPlural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} ملف متعارض","{count} ملف متعارض","{count} ملفان متعارضان","{count} ملف متعارض","{count} ملفات متعارضة","{count} ملفات متعارضة"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} ملف متعارض في n {dirname}","{count} ملف متعارض في n {dirname}","{count} ملفان متعارضان في n {dirname}","{count} ملف متعارض في n {dirname}","{count} ملفات متعارضة في n {dirname}","{count} ملفات متعارضة في n {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} ثانية متبقية"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} متبقية"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["باقٍ بضعُ ثوانٍ"]},Cancel:{msgid:"Cancel",msgstr:["إلغاء"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["إلغِ العملية بالكامل"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["إلغاء عمليات رفع الملفات"]},Continue:{msgid:"Continue",msgstr:["إستمر"]},"estimating time left":{msgid:"estimating time left",msgstr:["تقدير الوقت المتبقي"]},"Existing version":{msgid:"Existing version",msgstr:["الإصدار الحالي"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["إذا اخترت الإبقاء على النسختين معاً، فإن الملف المنسوخ سيتم إلحاق رقم تسلسلي في نهاية اسمه."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["تاريخ آخر تعديل غير معلوم"]},New:{msgid:"New",msgstr:["جديد"]},"New version":{msgid:"New version",msgstr:["نسخة جديدة"]},paused:{msgid:"paused",msgstr:["مُجمَّد"]},"Preview image":{msgid:"Preview image",msgstr:["معاينة الصورة"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["حدِّد كل صناديق الخيارات"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["حدِّد كل الملفات الموجودة"]},"Select all new files":{msgid:"Select all new files",msgstr:["حدِّد كل الملفات الجديدة"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف","تخطَّ {count} ملف"]},"Unknown size":{msgid:"Unknown size",msgstr:["حجم غير معلوم"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["تمَّ إلغاء الرفع"]},"Upload files":{msgid:"Upload files",msgstr:["رفع ملفات"]},"Upload progress":{msgid:"Upload progress",msgstr:["تقدُّم الرفع "]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["عند تحديد مجلد وارد، أي ملفات متعارضة بداخله ستتم الكتابة فوقها."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["أيُّ الملفات ترغب في الإبقاء عليها؟"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["يجب أن تختار نسخة واحدة على الأقل من كل ملف للاستمرار."]}}}}},{locale:"ar_SA",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)","Content-Type":"text/plain; charset=UTF-8",Language:"ar_SA","Plural-Forms":"nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar_SA\nPlural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ast",json:{charset:"utf-8",headers:{"Last-Translator":"enolp <enolp@softastur.org>, 2023","Language-Team":"Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)","Content-Type":"text/plain; charset=UTF-8",Language:"ast","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nenolp <enolp@softastur.org>, 2023\n"},msgstr:["Last-Translator: enolp <enolp@softastur.org>, 2023\nLanguage-Team: Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ast\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} ficheru en coflictu","{count} ficheros en coflictu"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} ficheru en coflictu en {dirname}","{count} ficheros en coflictu en {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Queden {seconds} segundos"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Tiempu que queda: {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["queden unos segundos"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Encaboxar les xubes"]},Continue:{msgid:"Continue",msgstr:["Siguir"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando'l tiempu que falta"]},"Existing version":{msgid:"Existing version",msgstr:["Versión esistente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Si seleiciones dambes versiones, el ficheru copiáu va tener un númberu amestáu al so nome."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["La data de la última modificación ye desconocida"]},New:{msgid:"New",msgstr:["Nuevu"]},"New version":{msgid:"New version",msgstr:["Versión nueva"]},paused:{msgid:"paused",msgstr:["en posa"]},"Preview image":{msgid:"Preview image",msgstr:["Previsualizar la imaxe"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Marcar toles caxelles"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleicionar tolos ficheros esistentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleicionar tolos ficheros nuevos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Saltar esti ficheru","Saltar {count} ficheros"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamañu desconocíu"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Encaboxóse la xuba"]},"Upload files":{msgid:"Upload files",msgstr:["Xubir ficheros"]},"Upload progress":{msgid:"Upload progress",msgstr:["Xuba en cursu"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["¿Qué ficheros quies caltener?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Tienes de seleicionar polo menos una versión de cada ficheru pa siguir."]}}}}},{locale:"az",json:{charset:"utf-8",headers:{"Last-Translator":"Rashad Aliyev <microphprashad@gmail.com>, 2023","Language-Team":"Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)","Content-Type":"text/plain; charset=UTF-8",Language:"az","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nRashad Aliyev <microphprashad@gmail.com>, 2023\n"},msgstr:["Last-Translator: Rashad Aliyev <microphprashad@gmail.com>, 2023\nLanguage-Team: Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: az\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} saniyə qalıb"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} qalıb"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["bir neçə saniyə qalıb"]},Add:{msgid:"Add",msgstr:["Əlavə et"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Yükləməni imtina et"]},"estimating time left":{msgid:"estimating time left",msgstr:["Təxmini qalan vaxt"]},paused:{msgid:"paused",msgstr:["pauzadadır"]},"Upload files":{msgid:"Upload files",msgstr:["Faylları yüklə"]}}}}},{locale:"be",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)","Content-Type":"text/plain; charset=UTF-8",Language:"be","Plural-Forms":"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: be\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"bg_BG",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)","Content-Type":"text/plain; charset=UTF-8",Language:"bg_BG","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bg_BG\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"bn_BD",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)","Content-Type":"text/plain; charset=UTF-8",Language:"bn_BD","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bn_BD\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"br",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Breton (https://www.transifex.com/nextcloud/teams/64236/br/)","Content-Type":"text/plain; charset=UTF-8",Language:"br","Plural-Forms":"nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Breton (https://www.transifex.com/nextcloud/teams/64236/br/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: br\nPlural-Forms: nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"bs",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)","Content-Type":"text/plain; charset=UTF-8",Language:"bs","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bs\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ca",json:{charset:"utf-8",headers:{"Last-Translator":"Toni Hermoso Pulido <toniher@softcatala.cat>, 2022","Language-Team":"Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)","Content-Type":"text/plain; charset=UTF-8",Language:"ca","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMarc Riera <marcriera@softcatala.org>, 2022\nToni Hermoso Pulido <toniher@softcatala.cat>, 2022\n"},msgstr:["Last-Translator: Toni Hermoso Pulido <toniher@softcatala.cat>, 2022\nLanguage-Team: Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ca\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Queden {seconds} segons"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["Queden {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Queden uns segons"]},Add:{msgid:"Add",msgstr:["Afegeix"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancel·la les pujades"]},"estimating time left":{msgid:"estimating time left",msgstr:["S'està estimant el temps restant"]},paused:{msgid:"paused",msgstr:["En pausa"]},"Upload files":{msgid:"Upload files",msgstr:["Puja els fitxers"]}}}}},{locale:"cs",json:{charset:"utf-8",headers:{"Last-Translator":"Pavel Borecki <pavel.borecki@gmail.com>, 2022","Language-Team":"Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)","Content-Type":"text/plain; charset=UTF-8",Language:"cs","Plural-Forms":"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nPavel Borecki <pavel.borecki@gmail.com>, 2022\n"},msgstr:["Last-Translator: Pavel Borecki <pavel.borecki@gmail.com>, 2022\nLanguage-Team: Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["zbývá {seconds}"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["zbývá {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["zbývá několik sekund"]},Add:{msgid:"Add",msgstr:["Přidat"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Zrušit nahrávání"]},"estimating time left":{msgid:"estimating time left",msgstr:["odhadovaný zbývající čas"]},paused:{msgid:"paused",msgstr:["pozastaveno"]}}}}},{locale:"cs_CZ",json:{charset:"utf-8",headers:{"Last-Translator":"Michal Šmahel <ceskyDJ@seznam.cz>, 2024","Language-Team":"Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)","Content-Type":"text/plain; charset=UTF-8",Language:"cs_CZ","Plural-Forms":"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMichal Šmahel <ceskyDJ@seznam.cz>, 2024\n"},msgstr:["Last-Translator: Michal Šmahel <ceskyDJ@seznam.cz>, 2024\nLanguage-Team: Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs_CZ\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} kolize souborů","{count} kolize souborů","{count} kolizí souborů","{count} kolize souborů"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} kolize souboru v {dirname}","{count} kolize souboru v {dirname}","{count} kolizí souborů v {dirname}","{count} kolize souboru v {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["zbývá {seconds}"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["zbývá {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["zbývá několik sekund"]},Cancel:{msgid:"Cancel",msgstr:["Zrušit"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Zrušit celou operaci"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Zrušit nahrávání"]},Continue:{msgid:"Continue",msgstr:["Pokračovat"]},"estimating time left":{msgid:"estimating time left",msgstr:["odhaduje se zbývající čas"]},"Existing version":{msgid:"Existing version",msgstr:["Existující verze"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Pokud vyberete obě verze, zkopírovaný soubor bude mít k názvu přidáno číslo."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Neznámé datum poslední úpravy"]},New:{msgid:"New",msgstr:["Nové"]},"New version":{msgid:"New version",msgstr:["Nová verze"]},paused:{msgid:"paused",msgstr:["pozastaveno"]},"Preview image":{msgid:"Preview image",msgstr:["Náhled obrázku"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Označit všechny zaškrtávací kolonky"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Vybrat veškeré stávající soubory"]},"Select all new files":{msgid:"Select all new files",msgstr:["Vybrat veškeré nové soubory"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Přeskočit tento soubor","Přeskočit {count} soubory","Přeskočit {count} souborů","Přeskočit {count} soubory"]},"Unknown size":{msgid:"Unknown size",msgstr:["Neznámá velikost"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Nahrávání zrušeno"]},"Upload files":{msgid:"Upload files",msgstr:["Nahrát soubory"]},"Upload progress":{msgid:"Upload progress",msgstr:["Postup v nahrávání"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Po výběru příchozí složky budou rovněž přepsány všechny v ní obsažené konfliktní soubory"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Které soubory si přejete ponechat?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Aby bylo možné pokračovat, je třeba vybrat alespoň jednu verzi od každého souboru."]}}}}},{locale:"cy_GB",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)","Content-Type":"text/plain; charset=UTF-8",Language:"cy_GB","Plural-Forms":"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cy_GB\nPlural-Forms: nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"da",json:{charset:"utf-8",headers:{"Last-Translator":"Martin Bonde <Martin@maboni.dk>, 2024","Language-Team":"Danish (https://app.transifex.com/nextcloud/teams/64236/da/)","Content-Type":"text/plain; charset=UTF-8",Language:"da","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMartin Bonde <Martin@maboni.dk>, 2024\n"},msgstr:["Last-Translator: Martin Bonde <Martin@maboni.dk>, 2024\nLanguage-Team: Danish (https://app.transifex.com/nextcloud/teams/64236/da/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: da\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} fil konflikt","{count} filer i konflikt"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} fil konflikt i {dirname}","{count} filer i konflikt i {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{sekunder} sekunder tilbage"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{tid} tilbage"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["et par sekunder tilbage"]},Cancel:{msgid:"Cancel",msgstr:["Annuller"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Annuller hele handlingen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Annuller uploads"]},Continue:{msgid:"Continue",msgstr:["Fortsæt"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimering af resterende tid"]},"Existing version":{msgid:"Existing version",msgstr:["Eksisterende version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Hvis du vælger begge versioner vil den kopierede fil få et nummer tilføjet til sit navn."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Sidste modifikationsdato ukendt"]},New:{msgid:"New",msgstr:["Ny"]},"New version":{msgid:"New version",msgstr:["Ny version"]},paused:{msgid:"paused",msgstr:["pauset"]},"Preview image":{msgid:"Preview image",msgstr:["Forhåndsvisning af billede"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Vælg alle felter"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Vælg alle eksisterende filer"]},"Select all new files":{msgid:"Select all new files",msgstr:["Vælg alle nye filer"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Spring denne fil over","Spring {count} filer over"]},"Unknown size":{msgid:"Unknown size",msgstr:["Ukendt størrelse"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Upload annulleret"]},"Upload files":{msgid:"Upload files",msgstr:["Upload filer"]},"Upload progress":{msgid:"Upload progress",msgstr:["Upload fremskridt"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Når en indgående mappe er valgt, vil alle modstridende filer i den også blive overskrevet."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hvilke filer ønsker du at beholde?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du skal vælge mindst én version af hver fil for at fortsætte."]}}}}},{locale:"de",json:{charset:"utf-8",headers:{"Last-Translator":"Mario Siegmann <mario_siegmann@web.de>, 2024","Language-Team":"German (https://app.transifex.com/nextcloud/teams/64236/de/)","Content-Type":"text/plain; charset=UTF-8",Language:"de","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n"},msgstr:["Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (https://app.transifex.com/nextcloud/teams/64236/de/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} Datei-Konflikt","{count} Datei-Konflikte"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} Datei-Konflikt in {dirname}","{count} Datei-Konflikte in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} Sekunden verbleibend"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} verbleibend"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["noch ein paar Sekunden"]},Cancel:{msgid:"Cancel",msgstr:["Abbrechen"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Den gesamten Vorgang abbrechen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Hochladen abbrechen"]},Continue:{msgid:"Continue",msgstr:["Fortsetzen"]},"estimating time left":{msgid:"estimating time left",msgstr:["Geschätzte verbleibende Zeit"]},"Existing version":{msgid:"Existing version",msgstr:["Vorhandene Version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Wenn du beide Versionen auswählst, wird der kopierten Datei eine Nummer zum Namen hinzugefügt."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Datum der letzten Änderung unbekannt"]},New:{msgid:"New",msgstr:["Neu"]},"New version":{msgid:"New version",msgstr:["Neue Version"]},paused:{msgid:"paused",msgstr:["Pausiert"]},"Preview image":{msgid:"Preview image",msgstr:["Vorschaubild"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Alle Kontrollkästchen aktivieren"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Alle vorhandenen Dateien auswählen"]},"Select all new files":{msgid:"Select all new files",msgstr:["Alle neuen Dateien auswählen"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Diese Datei überspringen","{count} Dateien überspringen"]},"Unknown size":{msgid:"Unknown size",msgstr:["Unbekannte Größe"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Hochladen abgebrochen"]},"Upload files":{msgid:"Upload files",msgstr:["Dateien hochladen"]},"Upload progress":{msgid:"Upload progress",msgstr:["Fortschritt beim Hochladen"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Welche Dateien möchtest du behalten?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du musst mindestens eine Version jeder Datei auswählen, um fortzufahren."]}}}}},{locale:"de_DE",json:{charset:"utf-8",headers:{"Last-Translator":"Mario Siegmann <mario_siegmann@web.de>, 2024","Language-Team":"German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)","Content-Type":"text/plain; charset=UTF-8",Language:"de_DE","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n"},msgstr:["Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de_DE\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} Datei-Konflikt","{count} Datei-Konflikte"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} Datei-Konflikt in {dirname}","{count} Datei-Konflikte in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} Sekunden verbleiben"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} verbleibend"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["ein paar Sekunden verbleiben"]},Cancel:{msgid:"Cancel",msgstr:["Abbrechen"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Den gesamten Vorgang abbrechen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Hochladen abbrechen"]},Continue:{msgid:"Continue",msgstr:["Fortsetzen"]},"estimating time left":{msgid:"estimating time left",msgstr:["Geschätzte verbleibende Zeit"]},"Existing version":{msgid:"Existing version",msgstr:["Vorhandene Version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Wenn Sie beide Versionen auswählen, wird der kopierten Datei eine Nummer zum Namen hinzugefügt."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Datum der letzten Änderung unbekannt"]},New:{msgid:"New",msgstr:["Neu"]},"New version":{msgid:"New version",msgstr:["Neue Version"]},paused:{msgid:"paused",msgstr:["Pausiert"]},"Preview image":{msgid:"Preview image",msgstr:["Vorschaubild"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Alle Kontrollkästchen aktivieren"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Alle vorhandenen Dateien auswählen"]},"Select all new files":{msgid:"Select all new files",msgstr:["Alle neuen Dateien auswählen"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["{count} Datei überspringen","{count} Dateien überspringen"]},"Unknown size":{msgid:"Unknown size",msgstr:["Unbekannte Größe"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Hochladen abgebrochen"]},"Upload files":{msgid:"Upload files",msgstr:["Dateien hochladen"]},"Upload progress":{msgid:"Upload progress",msgstr:["Fortschritt beim Hochladen"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Welche Dateien möchten Sie behalten?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Sie müssen mindestens eine Version jeder Datei auswählen, um fortzufahren."]}}}}},{locale:"el",json:{charset:"utf-8",headers:{"Last-Translator":"Nik Pap, 2022","Language-Team":"Greek (https://www.transifex.com/nextcloud/teams/64236/el/)","Content-Type":"text/plain; charset=UTF-8",Language:"el","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nNik Pap, 2022\n"},msgstr:["Last-Translator: Nik Pap, 2022\nLanguage-Team: Greek (https://www.transifex.com/nextcloud/teams/64236/el/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["απομένουν {seconds} δευτερόλεπτα"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["απομένουν {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["απομένουν λίγα δευτερόλεπτα"]},Add:{msgid:"Add",msgstr:["Προσθήκη"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Ακύρωση μεταφορτώσεων"]},"estimating time left":{msgid:"estimating time left",msgstr:["εκτίμηση του χρόνου που απομένει"]},paused:{msgid:"paused",msgstr:["σε παύση"]},"Upload files":{msgid:"Upload files",msgstr:["Μεταφόρτωση αρχείων"]}}}}},{locale:"el_GR",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)","Content-Type":"text/plain; charset=UTF-8",Language:"el_GR","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el_GR\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"en_GB",json:{charset:"utf-8",headers:{"Last-Translator":"Andi Chandler <andi@gowling.com>, 2023","Language-Team":"English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)","Content-Type":"text/plain; charset=UTF-8",Language:"en_GB","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nAndi Chandler <andi@gowling.com>, 2023\n"},msgstr:["Last-Translator: Andi Chandler <andi@gowling.com>, 2023\nLanguage-Team: English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: en_GB\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} file conflict","{count} files conflict"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} file conflict in {dirname}","{count} file conflicts in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} seconds left"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} left"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["a few seconds left"]},Add:{msgid:"Add",msgstr:["Add"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancel uploads"]},Continue:{msgid:"Continue",msgstr:["Continue"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimating time left"]},"Existing version":{msgid:"Existing version",msgstr:["Existing version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["If you select both versions, the copied file will have a number added to its name."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Last modified date unknown"]},"New version":{msgid:"New version",msgstr:["New version"]},paused:{msgid:"paused",msgstr:["paused"]},"Preview image":{msgid:"Preview image",msgstr:["Preview image"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Select all checkboxes"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Select all existing files"]},"Select all new files":{msgid:"Select all new files",msgstr:["Select all new files"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Skip this file","Skip {count} files"]},"Unknown size":{msgid:"Unknown size",msgstr:["Unknown size"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Upload cancelled"]},"Upload files":{msgid:"Upload files",msgstr:["Upload files"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Which files do you want to keep?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["You need to select at least one version of each file to continue."]}}}}},{locale:"eo",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)","Content-Type":"text/plain; charset=UTF-8",Language:"eo","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eo\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es",json:{charset:"utf-8",headers:{"Last-Translator":"Julio C. Ortega, 2024","Language-Team":"Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)","Content-Type":"text/plain; charset=UTF-8",Language:"es","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nFranciscoFJ <dev-ooo@satel-sa.com>, 2023\nNext Cloud <nextcloud.translator.es@cgj.es>, 2023\nJulio C. Ortega, 2024\n"},msgstr:["Last-Translator: Julio C. Ortega, 2024\nLanguage-Team: Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} archivo en conflicto","{count} archivos en conflicto","{count} archivos en conflicto"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} archivo en conflicto en {dirname}","{count} archivos en conflicto en {dirname}","{count} archivos en conflicto en {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan unos segundos"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar subidas"]},Continue:{msgid:"Continue",msgstr:["Continuar"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},"Existing version":{msgid:"Existing version",msgstr:["Versión existente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Si selecciona ambas versiones, al archivo copiado se le añadirá un número en el nombre."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Última fecha de modificación desconocida"]},New:{msgid:"New",msgstr:["Nuevo"]},"New version":{msgid:"New version",msgstr:["Nueva versión"]},paused:{msgid:"paused",msgstr:["pausado"]},"Preview image":{msgid:"Preview image",msgstr:["Previsualizar imagen"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Seleccionar todas las casillas de verificación"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleccionar todos los archivos existentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleccionar todos los archivos nuevos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Saltar este archivo","Saltar {count} archivos","Saltar {count} archivos"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamaño desconocido"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Subida cancelada"]},"Upload files":{msgid:"Upload files",msgstr:["Subir archivos"]},"Upload progress":{msgid:"Upload progress",msgstr:["Progreso de la subida"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["¿Qué archivos desea conservar?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Debe seleccionar al menos una versión de cada archivo para continuar."]}}}}},{locale:"es_419",json:{charset:"utf-8",headers:{"Last-Translator":"ALEJANDRO CASTRO, 2022","Language-Team":"Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_419","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nALEJANDRO CASTRO, 2022\n"},msgstr:["Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_419\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{tiempo} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan pocos segundos"]},Add:{msgid:"Add",msgstr:["agregar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar subidas"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Subir archivos"]}}}}},{locale:"es_AR",json:{charset:"utf-8",headers:{"Last-Translator":"Matias Iglesias, 2022","Language-Team":"Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_AR","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMatias Iglesias, 2022\n"},msgstr:["Last-Translator: Matias Iglesias, 2022\nLanguage-Team: Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_AR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan unos segundos"]},Add:{msgid:"Add",msgstr:["Añadir"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar subidas"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Subir archivos"]}}}}},{locale:"es_CL",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_CL","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CL\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_CO",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_CO","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_CR",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_CR","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_DO",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_DO","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_DO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_EC",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_EC","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_EC\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_GT",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_GT","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_GT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_HN",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_HN","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_HN\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_MX",json:{charset:"utf-8",headers:{"Last-Translator":"ALEJANDRO CASTRO, 2022","Language-Team":"Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_MX","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nLuis Francisco Castro, 2022\nALEJANDRO CASTRO, 2022\n"},msgstr:["Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_MX\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{tiempo} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quedan pocos segundos"]},Add:{msgid:"Add",msgstr:["agregar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["cancelar las cargas"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tiempo restante"]},paused:{msgid:"paused",msgstr:["en pausa"]},"Upload files":{msgid:"Upload files",msgstr:["cargar archivos"]}}}}},{locale:"es_NI",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_NI","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_NI\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PA",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PA","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PA\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PE",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PE","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PE\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PR",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PR","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_PY",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_PY","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_SV",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_SV","Plural-Forms":"nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_SV\nPlural-Forms: nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"es_UY",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)","Content-Type":"text/plain; charset=UTF-8",Language:"es_UY","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_UY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"et_EE",json:{charset:"utf-8",headers:{"Last-Translator":"Taavo Roos, 2023","Language-Team":"Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)","Content-Type":"text/plain; charset=UTF-8",Language:"et_EE","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMait R, 2022\nTaavo Roos, 2023\n"},msgstr:["Last-Translator: Taavo Roos, 2023\nLanguage-Team: Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: et_EE\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} jäänud sekundid"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} aega jäänud"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["jäänud mõni sekund"]},Add:{msgid:"Add",msgstr:["Lisa"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Tühista üleslaadimine"]},"estimating time left":{msgid:"estimating time left",msgstr:["hinnanguline järelejäänud aeg"]},paused:{msgid:"paused",msgstr:["pausil"]},"Upload files":{msgid:"Upload files",msgstr:["Lae failid üles"]}}}}},{locale:"eu",json:{charset:"utf-8",headers:{"Last-Translator":"Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022","Language-Team":"Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)","Content-Type":"text/plain; charset=UTF-8",Language:"eu","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nUnai Tolosa Pontesta <utolosa002@gmail.com>, 2022\n"},msgstr:["Last-Translator: Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022\nLanguage-Team: Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eu\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundo geratzen dira"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} geratzen da"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["segundo batzuk geratzen dira"]},Add:{msgid:"Add",msgstr:["Gehitu"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Ezeztatu igoerak"]},"estimating time left":{msgid:"estimating time left",msgstr:["kalkulatutako geratzen den denbora"]},paused:{msgid:"paused",msgstr:["geldituta"]},"Upload files":{msgid:"Upload files",msgstr:["Igo fitxategiak"]}}}}},{locale:"fa",json:{charset:"utf-8",headers:{"Last-Translator":"Fatemeh Komeily, 2023","Language-Team":"Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)","Content-Type":"text/plain; charset=UTF-8",Language:"fa","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nFatemeh Komeily, 2023\n"},msgstr:["Last-Translator: Fatemeh Komeily, 2023\nLanguage-Team: Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fa\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["ثانیه های باقی مانده"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["باقی مانده"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["چند ثانیه مانده"]},Add:{msgid:"Add",msgstr:["اضافه کردن"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["کنسل کردن فایل های اپلود شده"]},"estimating time left":{msgid:"estimating time left",msgstr:["تخمین زمان باقی مانده"]},paused:{msgid:"paused",msgstr:["مکث کردن"]},"Upload files":{msgid:"Upload files",msgstr:["بارگذاری فایل ها"]}}}}},{locale:"fi_FI",json:{charset:"utf-8",headers:{"Last-Translator":"Jiri Grönroos <jiri.gronroos@iki.fi>, 2022","Language-Team":"Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)","Content-Type":"text/plain; charset=UTF-8",Language:"fi_FI","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJiri Grönroos <jiri.gronroos@iki.fi>, 2022\n"},msgstr:["Last-Translator: Jiri Grönroos <jiri.gronroos@iki.fi>, 2022\nLanguage-Team: Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fi_FI\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekuntia jäljellä"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} jäljellä"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["muutama sekunti jäljellä"]},Add:{msgid:"Add",msgstr:["Lisää"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Peruuta lähetykset"]},"estimating time left":{msgid:"estimating time left",msgstr:["arvioidaan jäljellä olevaa aikaa"]},paused:{msgid:"paused",msgstr:["keskeytetty"]},"Upload files":{msgid:"Upload files",msgstr:["Lähetä tiedostoja"]}}}}},{locale:"fo",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)","Content-Type":"text/plain; charset=UTF-8",Language:"fo","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fo\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"fr",json:{charset:"utf-8",headers:{"Last-Translator":"jed boulahya, 2024","Language-Team":"French (https://app.transifex.com/nextcloud/teams/64236/fr/)","Content-Type":"text/plain; charset=UTF-8",Language:"fr","Plural-Forms":"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nBenoit Pruneau, 2024\njed boulahya, 2024\n"},msgstr:["Last-Translator: jed boulahya, 2024\nLanguage-Team: French (https://app.transifex.com/nextcloud/teams/64236/fr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fr\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} fichier en conflit","{count} fichiers en conflit","{count} fichiers en conflit"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} fichier en conflit dans {dirname}","{count} fichiers en conflit dans {dirname}","{count} fichiers en conflit dans {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} secondes restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} restant"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["quelques secondes restantes"]},Cancel:{msgid:"Cancel",msgstr:["Annuler"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Annuler l'opération entière"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Annuler les envois"]},Continue:{msgid:"Continue",msgstr:["Continuer"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimation du temps restant"]},"Existing version":{msgid:"Existing version",msgstr:["Version existante"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Si vous sélectionnez les deux versions, le fichier copié aura un numéro ajouté àname."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Date de la dernière modification est inconnue"]},New:{msgid:"New",msgstr:["Nouveau"]},"New version":{msgid:"New version",msgstr:["Nouvelle version"]},paused:{msgid:"paused",msgstr:["en pause"]},"Preview image":{msgid:"Preview image",msgstr:["Aperçu de l'image"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Sélectionner toutes les cases à cocher"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Sélectionner tous les fichiers existants"]},"Select all new files":{msgid:"Select all new files",msgstr:["Sélectionner tous les nouveaux fichiers"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Ignorer ce fichier","Ignorer {count} fichiers","Ignorer {count} fichiers"]},"Unknown size":{msgid:"Unknown size",msgstr:["Taille inconnue"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:[" annulé"]},"Upload files":{msgid:"Upload files",msgstr:["Téléchargement des fichiers"]},"Upload progress":{msgid:"Upload progress",msgstr:["Progression du téléchargement"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Lorsqu'un dossier entrant est sélectionné, tous les fichiers en conflit qu'il contient seront également écrasés."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Quels fichiers souhaitez-vous conserver ?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Vous devez sélectionner au moins une version de chaque fichier pour continuer."]}}}}},{locale:"gd",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)","Content-Type":"text/plain; charset=UTF-8",Language:"gd","Plural-Forms":"nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gd\nPlural-Forms: nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"gl",json:{charset:"utf-8",headers:{"Last-Translator":"Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023","Language-Team":"Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)","Content-Type":"text/plain; charset=UTF-8",Language:"gl","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nNacho <nacho.vfranco@gmail.com>, 2023\nMiguel Anxo Bouzada <mbouzada@gmail.com>, 2023\n"},msgstr:["Last-Translator: Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023\nLanguage-Team: Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gl\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} conflito de ficheiros","{count} conflitos de ficheiros"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} conflito de ficheiros en {dirname}","{count} conflitos de ficheiros en {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["faltan {seconds} segundos"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["falta {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["faltan uns segundos"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar envíos"]},Continue:{msgid:"Continue",msgstr:["Continuar"]},"estimating time left":{msgid:"estimating time left",msgstr:["calculando canto tempo falta"]},"Existing version":{msgid:"Existing version",msgstr:["Versión existente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Se selecciona ambas as versións, o ficheiro copiado terá un número engadido ao seu nome."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Data da última modificación descoñecida"]},New:{msgid:"New",msgstr:["Nova"]},"New version":{msgid:"New version",msgstr:["Nova versión"]},paused:{msgid:"paused",msgstr:["detido"]},"Preview image":{msgid:"Preview image",msgstr:["Vista previa da imaxe"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Marcar todas as caixas de selección"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleccionar todos os ficheiros existentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleccionar todos os ficheiros novos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Omita este ficheiro","Omitir {count} ficheiros"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamaño descoñecido"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Envío cancelado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar ficheiros"]},"Upload progress":{msgid:"Upload progress",msgstr:["Progreso do envío"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Que ficheiros quere conservar?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Debe seleccionar polo menos unha versión de cada ficheiro para continuar."]}}}}},{locale:"he",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)","Content-Type":"text/plain; charset=UTF-8",Language:"he","Plural-Forms":"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: he\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hi_IN",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)","Content-Type":"text/plain; charset=UTF-8",Language:"hi_IN","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hi_IN\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hr",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)","Content-Type":"text/plain; charset=UTF-8",Language:"hr","Plural-Forms":"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hr\nPlural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hsb",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)","Content-Type":"text/plain; charset=UTF-8",Language:"hsb","Plural-Forms":"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hsb\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hu",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)","Content-Type":"text/plain; charset=UTF-8",Language:"hu","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"hu_HU",json:{charset:"utf-8",headers:{"Last-Translator":"Balázs Úr, 2022","Language-Team":"Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)","Content-Type":"text/plain; charset=UTF-8",Language:"hu_HU","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nBalázs Meskó <meskobalazs@mailbox.org>, 2022\nBalázs Úr, 2022\n"},msgstr:["Last-Translator: Balázs Úr, 2022\nLanguage-Team: Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu_HU\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{} másodperc van hátra"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} van hátra"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["pár másodperc van hátra"]},Add:{msgid:"Add",msgstr:["Hozzáadás"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Feltöltések megszakítása"]},"estimating time left":{msgid:"estimating time left",msgstr:["hátralévő idő becslése"]},paused:{msgid:"paused",msgstr:["szüneteltetve"]},"Upload files":{msgid:"Upload files",msgstr:["Fájlok feltöltése"]}}}}},{locale:"hy",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)","Content-Type":"text/plain; charset=UTF-8",Language:"hy","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hy\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ia",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)","Content-Type":"text/plain; charset=UTF-8",Language:"ia","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ia\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"id",json:{charset:"utf-8",headers:{"Last-Translator":"Linerly <linerly@proton.me>, 2023","Language-Team":"Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)","Content-Type":"text/plain; charset=UTF-8",Language:"id","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nEmpty Slot Filler, 2023\nLinerly <linerly@proton.me>, 2023\n"},msgstr:["Last-Translator: Linerly <linerly@proton.me>, 2023\nLanguage-Team: Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: id\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} berkas berkonflik"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} berkas berkonflik dalam {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} detik tersisa"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} tersisa"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["tinggal sebentar lagi"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Batalkan unggahan"]},Continue:{msgid:"Continue",msgstr:["Lanjutkan"]},"estimating time left":{msgid:"estimating time left",msgstr:["memperkirakan waktu yang tersisa"]},"Existing version":{msgid:"Existing version",msgstr:["Versi yang ada"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Jika Anda memilih kedua versi, nama berkas yang disalin akan ditambahi angka."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Tanggal perubahan terakhir tidak diketahui"]},New:{msgid:"New",msgstr:["Baru"]},"New version":{msgid:"New version",msgstr:["Versi baru"]},paused:{msgid:"paused",msgstr:["dijeda"]},"Preview image":{msgid:"Preview image",msgstr:["Gambar pratinjau"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Pilih semua kotak centang"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Pilih semua berkas yang ada"]},"Select all new files":{msgid:"Select all new files",msgstr:["Pilih semua berkas baru"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Lewati {count} berkas"]},"Unknown size":{msgid:"Unknown size",msgstr:["Ukuran tidak diketahui"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Unggahan dibatalkan"]},"Upload files":{msgid:"Upload files",msgstr:["Unggah berkas"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Berkas mana yang Anda ingin tetap simpan?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Anda harus memilih setidaknya satu versi dari masing-masing berkas untuk melanjutkan."]}}}}},{locale:"ig",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)","Content-Type":"text/plain; charset=UTF-8",Language:"ig","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ig\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"is",json:{charset:"utf-8",headers:{"Last-Translator":"Sveinn í Felli <sv1@fellsnet.is>, 2023","Language-Team":"Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)","Content-Type":"text/plain; charset=UTF-8",Language:"is","Plural-Forms":"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nSveinn í Felli <sv1@fellsnet.is>, 2023\n"},msgstr:["Last-Translator: Sveinn í Felli <sv1@fellsnet.is>, 2023\nLanguage-Team: Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: is\nPlural-Forms: nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} árekstur skráa","{count} árekstrar skráa"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} árekstur skráa í {dirname}","{count} árekstrar skráa í {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekúndur eftir"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} eftir"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["nokkrar sekúndur eftir"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Hætta við innsendingar"]},Continue:{msgid:"Continue",msgstr:["Halda áfram"]},"estimating time left":{msgid:"estimating time left",msgstr:["áætla tíma sem eftir er"]},"Existing version":{msgid:"Existing version",msgstr:["Fyrirliggjandi útgáfa"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Ef þú velur báðar útgáfur, þá mun verða bætt tölustaf aftan við heiti afrituðu skrárinnar."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Síðasta breytingadagsetning er óþekkt"]},New:{msgid:"New",msgstr:["Nýtt"]},"New version":{msgid:"New version",msgstr:["Ný útgáfa"]},paused:{msgid:"paused",msgstr:["í bið"]},"Preview image":{msgid:"Preview image",msgstr:["Forskoðun myndar"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Velja gátreiti"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Velja allar fyrirliggjandi skrár"]},"Select all new files":{msgid:"Select all new files",msgstr:["Velja allar nýjar skrár"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Sleppa þessari skrá","Sleppa {count} skrám"]},"Unknown size":{msgid:"Unknown size",msgstr:["Óþekkt stærð"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Hætt við innsendingu"]},"Upload files":{msgid:"Upload files",msgstr:["Senda inn skrár"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hvaða skrám vilt þú vilt halda eftir?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Þú verður að velja að minnsta kosti eina útgáfu af hverri skrá til að halda áfram."]}}}}},{locale:"it",json:{charset:"utf-8",headers:{"Last-Translator":"Random_R, 2023","Language-Team":"Italian (https://app.transifex.com/nextcloud/teams/64236/it/)","Content-Type":"text/plain; charset=UTF-8",Language:"it","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nLep Lep, 2023\nRandom_R, 2023\n"},msgstr:["Last-Translator: Random_R, 2023\nLanguage-Team: Italian (https://app.transifex.com/nextcloud/teams/64236/it/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} file in conflitto","{count} file in conflitto","{count} file in conflitto"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} file in conflitto in {dirname}","{count} file in conflitto in {dirname}","{count} file in conflitto in {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} secondi rimanenti "]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} rimanente"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["alcuni secondi rimanenti"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Annulla i caricamenti"]},Continue:{msgid:"Continue",msgstr:["Continua"]},"estimating time left":{msgid:"estimating time left",msgstr:["calcolo il tempo rimanente"]},"Existing version":{msgid:"Existing version",msgstr:["Versione esistente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Se selezioni entrambe le versioni, nel nome del file copiato verrà aggiunto un numero "]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Ultima modifica sconosciuta"]},New:{msgid:"New",msgstr:["Nuovo"]},"New version":{msgid:"New version",msgstr:["Nuova versione"]},paused:{msgid:"paused",msgstr:["pausa"]},"Preview image":{msgid:"Preview image",msgstr:["Anteprima immagine"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Seleziona tutte le caselle"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Seleziona tutti i file esistenti"]},"Select all new files":{msgid:"Select all new files",msgstr:["Seleziona tutti i nuovi file"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Salta questo file","Salta {count} file","Salta {count} file"]},"Unknown size":{msgid:"Unknown size",msgstr:["Dimensione sconosciuta"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Caricamento cancellato"]},"Upload files":{msgid:"Upload files",msgstr:["Carica i file"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Quali file vuoi mantenere?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Devi selezionare almeno una versione di ogni file per continuare"]}}}}},{locale:"it_IT",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)","Content-Type":"text/plain; charset=UTF-8",Language:"it_IT","Plural-Forms":"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it_IT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ja_JP",json:{charset:"utf-8",headers:{"Last-Translator":"かたかめ, 2022","Language-Team":"Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)","Content-Type":"text/plain; charset=UTF-8",Language:"ja_JP","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nT.S, 2022\nかたかめ, 2022\n"},msgstr:["Last-Translator: かたかめ, 2022\nLanguage-Team: Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ja_JP\nPlural-Forms: nplurals=1; plural=0;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["残り {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["残り {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["残り数秒"]},Add:{msgid:"Add",msgstr:["追加"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["アップロードをキャンセル"]},"estimating time left":{msgid:"estimating time left",msgstr:["概算残り時間"]},paused:{msgid:"paused",msgstr:["一時停止中"]},"Upload files":{msgid:"Upload files",msgstr:["ファイルをアップデート"]}}}}},{locale:"ka",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)","Content-Type":"text/plain; charset=UTF-8",Language:"ka","Plural-Forms":"nplurals=2; plural=(n!=1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka\nPlural-Forms: nplurals=2; plural=(n!=1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ka_GE",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)","Content-Type":"text/plain; charset=UTF-8",Language:"ka_GE","Plural-Forms":"nplurals=2; plural=(n!=1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka_GE\nPlural-Forms: nplurals=2; plural=(n!=1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"kab",json:{charset:"utf-8",headers:{"Last-Translator":"ZiriSut, 2023","Language-Team":"Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)","Content-Type":"text/plain; charset=UTF-8",Language:"kab","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nZiriSut, 2023\n"},msgstr:["Last-Translator: ZiriSut, 2023\nLanguage-Team: Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kab\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} tesdatin i d-yeqqimen"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} i d-yeqqimen"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["qqiment-d kra n tesdatin kan"]},Add:{msgid:"Add",msgstr:["Rnu"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Sefsex asali"]},"estimating time left":{msgid:"estimating time left",msgstr:["asizel n wakud i d-yeqqimen"]},paused:{msgid:"paused",msgstr:["yeḥbes"]},"Upload files":{msgid:"Upload files",msgstr:["Sali-d ifuyla"]}}}}},{locale:"kk",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)","Content-Type":"text/plain; charset=UTF-8",Language:"kk","Plural-Forms":"nplurals=2; plural=(n!=1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kk\nPlural-Forms: nplurals=2; plural=(n!=1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"km",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)","Content-Type":"text/plain; charset=UTF-8",Language:"km","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: km\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"kn",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)","Content-Type":"text/plain; charset=UTF-8",Language:"kn","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kn\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ko",json:{charset:"utf-8",headers:{"Last-Translator":"Brandon Han, 2024","Language-Team":"Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)","Content-Type":"text/plain; charset=UTF-8",Language:"ko","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nhosun Lee, 2023\nBrandon Han, 2024\n"},msgstr:["Last-Translator: Brandon Han, 2024\nLanguage-Team: Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ko\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count}개의 파일이 충돌함"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname}에서 {count}개의 파일이 충돌함"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} 남음"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} 남음"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["곧 완료"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["업로드 취소"]},Continue:{msgid:"Continue",msgstr:["확인"]},"estimating time left":{msgid:"estimating time left",msgstr:["남은 시간 계산"]},"Existing version":{msgid:"Existing version",msgstr:["현재 버전"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["두 버전을 모두 선택할 경우, 복제된 파일 이름에 숫자가 추가됩니다."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["최근 수정일 알 수 없음"]},New:{msgid:"New",msgstr:["새로 만들기"]},"New version":{msgid:"New version",msgstr:["새 버전"]},paused:{msgid:"paused",msgstr:["일시정지됨"]},"Preview image":{msgid:"Preview image",msgstr:["미리보기 이미지"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["모든 체크박스 선택"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["모든 파일 선택"]},"Select all new files":{msgid:"Select all new files",msgstr:["모든 새 파일 선택"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["{count}개의 파일 넘기기"]},"Unknown size":{msgid:"Unknown size",msgstr:["크기를 알 수 없음"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["업로드 취소됨"]},"Upload files":{msgid:"Upload files",msgstr:["파일 업로드"]},"Upload progress":{msgid:"Upload progress",msgstr:["업로드 진행도"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["어떤 파일을 보존하시겠습니까?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["계속하기 위해서는 한 파일에 최소 하나의 버전을 선택해야 합니다."]}}}}},{locale:"la",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Latin (https://www.transifex.com/nextcloud/teams/64236/la/)","Content-Type":"text/plain; charset=UTF-8",Language:"la","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latin (https://www.transifex.com/nextcloud/teams/64236/la/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: la\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lb",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)","Content-Type":"text/plain; charset=UTF-8",Language:"lb","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lb\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lo",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)","Content-Type":"text/plain; charset=UTF-8",Language:"lo","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lo\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lt_LT",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)","Content-Type":"text/plain; charset=UTF-8",Language:"lt_LT","Plural-Forms":"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lt_LT\nPlural-Forms: nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"lv",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)","Content-Type":"text/plain; charset=UTF-8",Language:"lv","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lv\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"mk",json:{charset:"utf-8",headers:{"Last-Translator":"Сашко Тодоров <sasetodorov@gmail.com>, 2022","Language-Team":"Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)","Content-Type":"text/plain; charset=UTF-8",Language:"mk","Plural-Forms":"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nСашко Тодоров <sasetodorov@gmail.com>, 2022\n"},msgstr:["Last-Translator: Сашко Тодоров <sasetodorov@gmail.com>, 2022\nLanguage-Team: Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mk\nPlural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["преостануваат {seconds} секунди"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["преостанува {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["уште неколку секунди"]},Add:{msgid:"Add",msgstr:["Додади"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Прекини прикачување"]},"estimating time left":{msgid:"estimating time left",msgstr:["приближно преостанато време"]},paused:{msgid:"paused",msgstr:["паузирано"]},"Upload files":{msgid:"Upload files",msgstr:["Прикачување датотеки"]}}}}},{locale:"mn",json:{charset:"utf-8",headers:{"Last-Translator":"BATKHUYAG Ganbold, 2023","Language-Team":"Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)","Content-Type":"text/plain; charset=UTF-8",Language:"mn","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nBATKHUYAG Ganbold, 2023\n"},msgstr:["Last-Translator: BATKHUYAG Ganbold, 2023\nLanguage-Team: Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mn\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} секунд үлдсэн"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} үлдсэн"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["хэдхэн секунд үлдсэн"]},Add:{msgid:"Add",msgstr:["Нэмэх"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Илгээлтийг цуцлах"]},"estimating time left":{msgid:"estimating time left",msgstr:["Үлдсэн хугацааг тооцоолж байна"]},paused:{msgid:"paused",msgstr:["түр зогсоосон"]},"Upload files":{msgid:"Upload files",msgstr:["Файл илгээх"]}}}}},{locale:"mr",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)","Content-Type":"text/plain; charset=UTF-8",Language:"mr","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mr\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ms_MY",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)","Content-Type":"text/plain; charset=UTF-8",Language:"ms_MY","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ms_MY\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"my",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)","Content-Type":"text/plain; charset=UTF-8",Language:"my","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: my\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"nb_NO",json:{charset:"utf-8",headers:{"Last-Translator":"Syvert Fossdal, 2024","Language-Team":"Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)","Content-Type":"text/plain; charset=UTF-8",Language:"nb_NO","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nSyvert Fossdal, 2024\n"},msgstr:["Last-Translator: Syvert Fossdal, 2024\nLanguage-Team: Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nb_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} file conflict","{count} filkonflikter"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} file conflict in {dirname}","{count} filkonflikter i {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekunder igjen"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} igjen"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["noen få sekunder igjen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Avbryt opplastninger"]},Continue:{msgid:"Continue",msgstr:["Fortsett"]},"estimating time left":{msgid:"estimating time left",msgstr:["Estimerer tid igjen"]},"Existing version":{msgid:"Existing version",msgstr:["Gjeldende versjon"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Hvis du velger begge versjoner, vil den kopierte filen få et tall lagt til navnet."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Siste gang redigert ukjent"]},New:{msgid:"New",msgstr:["Ny"]},"New version":{msgid:"New version",msgstr:["Ny versjon"]},paused:{msgid:"paused",msgstr:["pauset"]},"Preview image":{msgid:"Preview image",msgstr:["Forhåndsvis bilde"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Velg alle"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Velg alle eksisterende filer"]},"Select all new files":{msgid:"Select all new files",msgstr:["Velg alle nye filer"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Skip this file","Hopp over {count} filer"]},"Unknown size":{msgid:"Unknown size",msgstr:["Ukjent størrelse"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Opplasting avbrutt"]},"Upload files":{msgid:"Upload files",msgstr:["Last opp filer"]},"Upload progress":{msgid:"Upload progress",msgstr:["Fremdrift, opplasting"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hvilke filer vil du beholde?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du må velge minst en versjon av hver fil for å fortsette."]}}}}},{locale:"ne",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)","Content-Type":"text/plain; charset=UTF-8",Language:"ne","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ne\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"nl",json:{charset:"utf-8",headers:{"Last-Translator":"Rico <rico-schwab@hotmail.com>, 2023","Language-Team":"Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)","Content-Type":"text/plain; charset=UTF-8",Language:"nl","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nRico <rico-schwab@hotmail.com>, 2023\n"},msgstr:["Last-Translator: Rico <rico-schwab@hotmail.com>, 2023\nLanguage-Team: Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nl\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Nog {seconds} seconden"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{seconds} over"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Nog een paar seconden"]},Add:{msgid:"Add",msgstr:["Voeg toe"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Uploads annuleren"]},"estimating time left":{msgid:"estimating time left",msgstr:["Schatting van de resterende tijd"]},paused:{msgid:"paused",msgstr:["Gepauzeerd"]},"Upload files":{msgid:"Upload files",msgstr:["Upload bestanden"]}}}}},{locale:"nn",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)","Content-Type":"text/plain; charset=UTF-8",Language:"nn","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"nn_NO",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)","Content-Type":"text/plain; charset=UTF-8",Language:"nn_NO","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"oc",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)","Content-Type":"text/plain; charset=UTF-8",Language:"oc","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: oc\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"pl",json:{charset:"utf-8",headers:{"Last-Translator":"Valdnet, 2024","Language-Team":"Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)","Content-Type":"text/plain; charset=UTF-8",Language:"pl","Plural-Forms":"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nM H <haincu@o2.pl>, 2023\nValdnet, 2024\n"},msgstr:["Last-Translator: Valdnet, 2024\nLanguage-Team: Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pl\nPlural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["konflikt 1 pliku","{count} konfliktów plików","{count} konfliktów plików","{count} konfliktów plików"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} konfliktowy plik w {dirname}","{count} konfliktowych plików w {dirname}","{count} konfliktowych plików w {dirname}","{count} konfliktowych plików w {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Pozostało {seconds} sekund"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Pozostało {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Pozostało kilka sekund"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Anuluj wysyłanie"]},Continue:{msgid:"Continue",msgstr:["Kontynuuj"]},"estimating time left":{msgid:"estimating time left",msgstr:["Szacowanie pozostałego czasu"]},"Existing version":{msgid:"Existing version",msgstr:["Istniejąca wersja"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Jeżeli wybierzesz obie wersje to do nazw skopiowanych plików zostanie dodany numer"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Nieznana data ostatniej modyfikacji"]},New:{msgid:"New",msgstr:["Nowy"]},"New version":{msgid:"New version",msgstr:["Nowa wersja"]},paused:{msgid:"paused",msgstr:["Wstrzymane"]},"Preview image":{msgid:"Preview image",msgstr:["Podgląd obrazu"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Zaznacz wszystkie boxy"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Zaznacz wszystkie istniejące pliki"]},"Select all new files":{msgid:"Select all new files",msgstr:["Zaznacz wszystkie nowe pliki"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Pomiń 1 plik","Pomiń {count} plików","Pomiń {count} plików","Pomiń {count} plików"]},"Unknown size":{msgid:"Unknown size",msgstr:["Nieznany rozmiar"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Anulowano wysyłanie"]},"Upload files":{msgid:"Upload files",msgstr:["Wyślij pliki"]},"Upload progress":{msgid:"Upload progress",msgstr:["Postęp wysyłania"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Które pliki chcesz zachować"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Aby kontynuować, musisz wybrać co najmniej jedną wersję każdego pliku."]}}}}},{locale:"ps",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)","Content-Type":"text/plain; charset=UTF-8",Language:"ps","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ps\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"pt_BR",json:{charset:"utf-8",headers:{"Last-Translator":"Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024","Language-Team":"Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)","Content-Type":"text/plain; charset=UTF-8",Language:"pt_BR","Plural-Forms":"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nLeonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\n"},msgstr:["Last-Translator: Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\nLanguage-Team: Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_BR\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} arquivos em conflito","{count} arquivos em conflito","{count} arquivos em conflito"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} conflitos de arquivo em {dirname}","{count} conflitos de arquivo em {dirname}","{count} conflitos de arquivo em {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} segundos restantes"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} restante"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["alguns segundos restantes"]},Cancel:{msgid:"Cancel",msgstr:["Cancelar"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Cancelar a operação inteira"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar uploads"]},Continue:{msgid:"Continue",msgstr:["Continuar"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimando tempo restante"]},"Existing version":{msgid:"Existing version",msgstr:["Versão existente"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Se você selecionar ambas as versões, o arquivo copiado terá um número adicionado ao seu nome."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Data da última modificação desconhecida"]},New:{msgid:"New",msgstr:["Novo"]},"New version":{msgid:"New version",msgstr:["Nova versão"]},paused:{msgid:"paused",msgstr:["pausado"]},"Preview image":{msgid:"Preview image",msgstr:["Visualizar imagem"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Marque todas as caixas de seleção"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Selecione todos os arquivos existentes"]},"Select all new files":{msgid:"Select all new files",msgstr:["Selecione todos os novos arquivos"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Ignorar {count} arquivos","Ignorar {count} arquivos","Ignorar {count} arquivos"]},"Unknown size":{msgid:"Unknown size",msgstr:["Tamanho desconhecido"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Envio cancelado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar arquivos"]},"Upload progress":{msgid:"Upload progress",msgstr:["Envio em progresso"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Quando uma pasta é selecionada, quaisquer arquivos dentro dela também serão sobrescritos."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Quais arquivos você deseja manter?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Você precisa selecionar pelo menos uma versão de cada arquivo para continuar."]}}}}},{locale:"pt_PT",json:{charset:"utf-8",headers:{"Last-Translator":"Manuela Silva <mmsrs@sky.com>, 2022","Language-Team":"Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)","Content-Type":"text/plain; charset=UTF-8",Language:"pt_PT","Plural-Forms":"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nManuela Silva <mmsrs@sky.com>, 2022\n"},msgstr:["Last-Translator: Manuela Silva <mmsrs@sky.com>, 2022\nLanguage-Team: Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_PT\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["faltam {seconds} segundo(s)"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["faltam {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["faltam uns segundos"]},Add:{msgid:"Add",msgstr:["Adicionar"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Cancelar envios"]},"estimating time left":{msgid:"estimating time left",msgstr:["tempo em falta estimado"]},paused:{msgid:"paused",msgstr:["pausado"]},"Upload files":{msgid:"Upload files",msgstr:["Enviar ficheiros"]}}}}},{locale:"ro",json:{charset:"utf-8",headers:{"Last-Translator":"Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022","Language-Team":"Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)","Content-Type":"text/plain; charset=UTF-8",Language:"ro","Plural-Forms":"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMădălin Vasiliu <contact@madalinvasiliu.com>, 2022\n"},msgstr:["Last-Translator: Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022\nLanguage-Team: Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ro\nPlural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} secunde rămase"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["{time} rămas"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["câteva secunde rămase"]},Add:{msgid:"Add",msgstr:["Adaugă"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Anulați încărcările"]},"estimating time left":{msgid:"estimating time left",msgstr:["estimarea timpului rămas"]},paused:{msgid:"paused",msgstr:["pus pe pauză"]},"Upload files":{msgid:"Upload files",msgstr:["Încarcă fișiere"]}}}}},{locale:"ru",json:{charset:"utf-8",headers:{"Last-Translator":"Александр, 2023","Language-Team":"Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)","Content-Type":"text/plain; charset=UTF-8",Language:"ru","Plural-Forms":"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nMax Smith <sevinfolds@gmail.com>, 2023\nАлександр, 2023\n"},msgstr:["Last-Translator: Александр, 2023\nLanguage-Team: Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["конфликт {count} файла","конфликт {count} файлов","конфликт {count} файлов","конфликт {count} файлов"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["конфликт {count} файла в {dirname}","конфликт {count} файлов в {dirname}","конфликт {count} файлов в {dirname}","конфликт {count} файлов в {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["осталось {seconds} секунд"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["осталось {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["осталось несколько секунд"]},Add:{msgid:"Add",msgstr:["Добавить"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Отменить загрузки"]},Continue:{msgid:"Continue",msgstr:["Продолжить"]},"estimating time left":{msgid:"estimating time left",msgstr:["оценка оставшегося времени"]},"Existing version":{msgid:"Existing version",msgstr:["Текущая версия"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Если вы выберете обе версии, к имени скопированного файла будет добавлен номер."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Дата последнего изменения неизвестна"]},"New version":{msgid:"New version",msgstr:["Новая версия"]},paused:{msgid:"paused",msgstr:["приостановлено"]},"Preview image":{msgid:"Preview image",msgstr:["Предварительный просмотр"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Установить все флажки"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Выбрать все существующие файлы"]},"Select all new files":{msgid:"Select all new files",msgstr:["Выбрать все новые файлы"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Пропустить файл","Пропустить {count} файла","Пропустить {count} файлов","Пропустить {count} файлов"]},"Unknown size":{msgid:"Unknown size",msgstr:["Неизвестный размер"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Загрузка отменена"]},"Upload files":{msgid:"Upload files",msgstr:["Загрузка файлов"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Какие файлы вы хотите сохранить?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Для продолжения вам нужно выбрать по крайней мере одну версию каждого файла."]}}}}},{locale:"ru_RU",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)","Content-Type":"text/plain; charset=UTF-8",Language:"ru_RU","Plural-Forms":"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru_RU\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sc",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)","Content-Type":"text/plain; charset=UTF-8",Language:"sc","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sc\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"si",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)","Content-Type":"text/plain; charset=UTF-8",Language:"si","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"si_LK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)","Content-Type":"text/plain; charset=UTF-8",Language:"si_LK","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sk_SK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)","Content-Type":"text/plain; charset=UTF-8",Language:"sk_SK","Plural-Forms":"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sk_SK\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sl",json:{charset:"utf-8",headers:{"Last-Translator":"Matej Urbančič <>, 2022","Language-Team":"Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)","Content-Type":"text/plain; charset=UTF-8",Language:"sl","Plural-Forms":"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nMatej Urbančič <>, 2022\n"},msgstr:["Last-Translator: Matej Urbančič <>, 2022\nLanguage-Team: Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["še {seconds} sekund"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["še {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["še nekaj sekund"]},Add:{msgid:"Add",msgstr:["Dodaj"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Prekliči pošiljanje"]},"estimating time left":{msgid:"estimating time left",msgstr:["ocenjen čas do konca"]},paused:{msgid:"paused",msgstr:["v premoru"]},"Upload files":{msgid:"Upload files",msgstr:["Pošlji datoteke"]}}}}},{locale:"sl_SI",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)","Content-Type":"text/plain; charset=UTF-8",Language:"sl_SI","Plural-Forms":"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl_SI\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sq",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)","Content-Type":"text/plain; charset=UTF-8",Language:"sq","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sq\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sr",json:{charset:"utf-8",headers:{"Last-Translator":"Иван Пешић, 2023","Language-Team":"Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)","Content-Type":"text/plain; charset=UTF-8",Language:"sr","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nИван Пешић, 2023\n"},msgstr:["Last-Translator: Иван Пешић, 2023\nLanguage-Team: Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} фајл конфликт","{count} фајл конфликта","{count} фајл конфликта"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} фајл конфликт у {dirname}","{count} фајл конфликта у {dirname}","{count} фајл конфликта у {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["преостало је {seconds} секунди"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} преостало"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["преостало је неколико секунди"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Обустави отпремања"]},Continue:{msgid:"Continue",msgstr:["Настави"]},"estimating time left":{msgid:"estimating time left",msgstr:["процена преосталог времена"]},"Existing version":{msgid:"Existing version",msgstr:["Постојећа верзија"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Ако изаберете обе верзије, на име копираног фајла ће се додати број."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Није познат датум последње измене"]},New:{msgid:"New",msgstr:["Ново"]},"New version":{msgid:"New version",msgstr:["Нова верзија"]},paused:{msgid:"paused",msgstr:["паузирано"]},"Preview image":{msgid:"Preview image",msgstr:["Слика прегледа"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Штиклирај сва поља за штиклирање"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Изабери све постојеће фајлове"]},"Select all new files":{msgid:"Select all new files",msgstr:["Изабери све нове фајлове"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Прескочи овај фајл","Прескочи {count} фајла","Прескочи {count} фајлова"]},"Unknown size":{msgid:"Unknown size",msgstr:["Непозната величина"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Отпремање је отказано"]},"Upload files":{msgid:"Upload files",msgstr:["Отпреми фајлове"]},"Upload progress":{msgid:"Upload progress",msgstr:["Напредак отпремања"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Које фајлове желите да задржите?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Морате да изаберете барем једну верзију сваког фајла да наставите."]}}}}},{locale:"sr@latin",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)","Content-Type":"text/plain; charset=UTF-8",Language:"sr@latin","Plural-Forms":"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr@latin\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"sv",json:{charset:"utf-8",headers:{"Last-Translator":"Magnus Höglund, 2024","Language-Team":"Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)","Content-Type":"text/plain; charset=UTF-8",Language:"sv","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nMagnus Höglund, 2024\n"},msgstr:["Last-Translator: Magnus Höglund, 2024\nLanguage-Team: Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sv\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} filkonflikt","{count} filkonflikter"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} filkonflikt i {dirname}","{count} filkonflikter i {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} sekunder kvarstår"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} kvarstår"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["några sekunder kvar"]},Cancel:{msgid:"Cancel",msgstr:["Avbryt"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Avbryt hela operationen"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Avbryt uppladdningar"]},Continue:{msgid:"Continue",msgstr:["Fortsätt"]},"estimating time left":{msgid:"estimating time left",msgstr:["uppskattar kvarstående tid"]},"Existing version":{msgid:"Existing version",msgstr:["Nuvarande version"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Om du väljer båda versionerna kommer den kopierade filen att få ett nummer tillagt i namnet."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Senaste ändringsdatum okänt"]},New:{msgid:"New",msgstr:["Ny"]},"New version":{msgid:"New version",msgstr:["Ny version"]},paused:{msgid:"paused",msgstr:["pausad"]},"Preview image":{msgid:"Preview image",msgstr:["Förhandsgranska bild"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Markera alla kryssrutor"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Välj alla befintliga filer"]},"Select all new files":{msgid:"Select all new files",msgstr:["Välj alla nya filer"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Hoppa över denna fil","Hoppa över {count} filer"]},"Unknown size":{msgid:"Unknown size",msgstr:["Okänd storlek"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Uppladdningen avbröts"]},"Upload files":{msgid:"Upload files",msgstr:["Ladda upp filer"]},"Upload progress":{msgid:"Upload progress",msgstr:["Uppladdningsförlopp"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["När en inkommande mapp väljs skrivs även alla konfliktande filer i den över."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Vilka filer vill du behålla?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Du måste välja minst en version av varje fil för att fortsätta."]}}}}},{locale:"sw",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)","Content-Type":"text/plain; charset=UTF-8",Language:"sw","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sw\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ta",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)","Content-Type":"text/plain; charset=UTF-8",Language:"ta","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"ta_LK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)","Content-Type":"text/plain; charset=UTF-8",Language:"ta_LK","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"th",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Thai (https://www.transifex.com/nextcloud/teams/64236/th/)","Content-Type":"text/plain; charset=UTF-8",Language:"th","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Thai (https://www.transifex.com/nextcloud/teams/64236/th/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"th_TH",json:{charset:"utf-8",headers:{"Last-Translator":"Phongpanot Phairat <ppnplus@protonmail.com>, 2022","Language-Team":"Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)","Content-Type":"text/plain; charset=UTF-8",Language:"th_TH","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nPhongpanot Phairat <ppnplus@protonmail.com>, 2022\n"},msgstr:["Last-Translator: Phongpanot Phairat <ppnplus@protonmail.com>, 2022\nLanguage-Team: Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th_TH\nPlural-Forms: nplurals=1; plural=0;\n"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["เหลืออีก {seconds} วินาที"]},"{time} left":{msgid:"{time} left",comments:{extracted:"time has the format 00:00:00"},msgstr:["เหลืออีก {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["เหลืออีกไม่กี่วินาที"]},Add:{msgid:"Add",msgstr:["เพิ่ม"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["ยกเลิกการอัปโหลด"]},"estimating time left":{msgid:"estimating time left",msgstr:["กำลังคำนวณเวลาที่เหลือ"]},paused:{msgid:"paused",msgstr:["หยุดชั่วคราว"]},"Upload files":{msgid:"Upload files",msgstr:["อัปโหลดไฟล์"]}}}}},{locale:"tk",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)","Content-Type":"text/plain; charset=UTF-8",Language:"tk","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tk\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"tr",json:{charset:"utf-8",headers:{"Last-Translator":"Kaya Zeren <kayazeren@gmail.com>, 2024","Language-Team":"Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)","Content-Type":"text/plain; charset=UTF-8",Language:"tr","Plural-Forms":"nplurals=2; plural=(n > 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nKaya Zeren <kayazeren@gmail.com>, 2024\n"},msgstr:["Last-Translator: Kaya Zeren <kayazeren@gmail.com>, 2024\nLanguage-Team: Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tr\nPlural-Forms: nplurals=2; plural=(n > 1);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} dosya çakışması var","{count} dosya çakışması var"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname} klasöründe {count} dosya çakışması var","{dirname} klasöründe {count} dosya çakışması var"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["{seconds} saniye kaldı"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["{time} kaldı"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["bir kaç saniye kaldı"]},Cancel:{msgid:"Cancel",msgstr:["İptal"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Tüm işlemi iptal et"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Yüklemeleri iptal et"]},Continue:{msgid:"Continue",msgstr:["İlerle"]},"estimating time left":{msgid:"estimating time left",msgstr:["öngörülen kalan süre"]},"Existing version":{msgid:"Existing version",msgstr:["Var olan sürüm"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["İki sürümü de seçerseniz, kopyalanan dosyanın adına bir sayı eklenir."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Son değiştirilme tarihi bilinmiyor"]},New:{msgid:"New",msgstr:["Yeni"]},"New version":{msgid:"New version",msgstr:["Yeni sürüm"]},paused:{msgid:"paused",msgstr:["duraklatıldı"]},"Preview image":{msgid:"Preview image",msgstr:["Görsel ön izlemesi"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Tüm kutuları işaretle"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Tüm var olan dosyaları seç"]},"Select all new files":{msgid:"Select all new files",msgstr:["Tüm yeni dosyaları seç"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Bu dosyayı atla","{count} dosyayı atla"]},"Unknown size":{msgid:"Unknown size",msgstr:["Boyut bilinmiyor"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Yükleme iptal edildi"]},"Upload files":{msgid:"Upload files",msgstr:["Dosyaları yükle"]},"Upload progress":{msgid:"Upload progress",msgstr:["Yükleme ilerlemesi"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Bir gelen klasör seçildiğinde, içindeki çakışan dosyaların da üzerine yazılır."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Hangi dosyaları tutmak istiyorsunuz?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["İlerlemek için her dosyanın en az bir sürümünü seçmelisiniz."]}}}}},{locale:"ug",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)","Content-Type":"text/plain; charset=UTF-8",Language:"ug","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ug\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"uk",json:{charset:"utf-8",headers:{"Last-Translator":"O St <oleksiy.stasevych@gmail.com>, 2024","Language-Team":"Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)","Content-Type":"text/plain; charset=UTF-8",Language:"uk","Plural-Forms":"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\nO St <oleksiy.stasevych@gmail.com>, 2024\n"},msgstr:["Last-Translator: O St <oleksiy.stasevych@gmail.com>, 2024\nLanguage-Team: Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uk\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} конфліктний файл","{count} конфліктних файли","{count} конфліктних файлів","{count} конфліктних файлів"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} конфліктний файл у каталозі {dirname}","{count} конфліктних файли у каталозі {dirname}","{count} конфліктних файлів у каталозі {dirname}","{count} конфліктних файлів у каталозі {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Залишилося {seconds} секунд"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Залишилося {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["залишилося кілька секунд"]},Cancel:{msgid:"Cancel",msgstr:["Скасувати"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["Скасувати операцію повністю"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Скасувати завантаження"]},Continue:{msgid:"Continue",msgstr:["Продовжити"]},"estimating time left":{msgid:"estimating time left",msgstr:["оцінка часу, що залишився"]},"Existing version":{msgid:"Existing version",msgstr:["Присутня версія"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Якщо ви виберете обидві версії, то буде створено копію файлу, до назви якої буде додано цифру."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Дата останньої зміни невідома"]},New:{msgid:"New",msgstr:["Нове"]},"New version":{msgid:"New version",msgstr:["Нова версія"]},paused:{msgid:"paused",msgstr:["призупинено"]},"Preview image":{msgid:"Preview image",msgstr:["Попередній перегляд"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Вибрати все"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Вибрати усі присутні файли"]},"Select all new files":{msgid:"Select all new files",msgstr:["Вибрати усі нові файли"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Пропустити файл","Пропустити {count} файли","Пропустити {count} файлів","Пропустити {count} файлів"]},"Unknown size":{msgid:"Unknown size",msgstr:["Невідомий розмір"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Завантаження скасовано"]},"Upload files":{msgid:"Upload files",msgstr:["Завантажити файли"]},"Upload progress":{msgid:"Upload progress",msgstr:["Поступ завантаження"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["Усі конфліктні файли у вибраному каталозі призначення буде перезаписано поверх."]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Які файли залишити?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Для продовження потрібно вибрати принаймні одну версію для кожного файлу."]}}}}},{locale:"ur_PK",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)","Content-Type":"text/plain; charset=UTF-8",Language:"ur_PK","Plural-Forms":"nplurals=2; plural=(n != 1);"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ur_PK\nPlural-Forms: nplurals=2; plural=(n != 1);\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"uz",json:{charset:"utf-8",headers:{"Last-Translator":"Transifex Bot <>, 2022","Language-Team":"Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)","Content-Type":"text/plain; charset=UTF-8",Language:"uz","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nTransifex Bot <>, 2022\n"},msgstr:["Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uz\nPlural-Forms: nplurals=1; plural=0;\n"]},"{estimate} seconds left":{msgid:"{estimate} seconds left",msgstr:[""]},"{hours} hours and {minutes} minutes left":{msgid:"{hours} hours and {minutes} minutes left",msgstr:[""]},"{minutes} minutes left":{msgid:"{minutes} minutes left",msgstr:[""]},"a few seconds left":{msgid:"a few seconds left",msgstr:[""]},Add:{msgid:"Add",msgstr:[""]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:[""]},"estimating time left":{msgid:"estimating time left",msgstr:[""]},paused:{msgid:"paused",msgstr:[""]}}}}},{locale:"vi",json:{charset:"utf-8",headers:{"Last-Translator":"Tung DangQuang, 2023","Language-Team":"Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)","Content-Type":"text/plain; charset=UTF-8",Language:"vi","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nTung DangQuang, 2023\n"},msgstr:["Last-Translator: Tung DangQuang, 2023\nLanguage-Team: Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: vi\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} Tập tin xung đột"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{count} tập tin lỗi trong {dirname}"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["Còn {second} giây"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["Còn lại {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["Còn lại một vài giây"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["Huỷ tải lên"]},Continue:{msgid:"Continue",msgstr:["Tiếp Tục"]},"estimating time left":{msgid:"estimating time left",msgstr:["Thời gian còn lại dự kiến"]},"Existing version":{msgid:"Existing version",msgstr:["Phiên Bản Hiện Tại"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["Nếu bạn chọn cả hai phiên bản, tệp được sao chép sẽ có thêm một số vào tên của nó."]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["Ngày sửa dổi lần cuối không xác định"]},New:{msgid:"New",msgstr:["Tạo Mới"]},"New version":{msgid:"New version",msgstr:["Phiên Bản Mới"]},paused:{msgid:"paused",msgstr:["đã tạm dừng"]},"Preview image":{msgid:"Preview image",msgstr:["Xem Trước Ảnh"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["Chọn tất cả hộp checkbox"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["Chọn tất cả các tập tin có sẵn"]},"Select all new files":{msgid:"Select all new files",msgstr:["Chọn tất cả các tập tin mới"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["Bỏ Qua {count} tập tin"]},"Unknown size":{msgid:"Unknown size",msgstr:["Không rõ dung lượng"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["Dừng Tải Lên"]},"Upload files":{msgid:"Upload files",msgstr:["Tập tin tải lên"]},"Upload progress":{msgid:"Upload progress",msgstr:["Đang Tải Lên"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["Bạn muốn giữ tập tin nào?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["Bạn cần chọn ít nhất một phiên bản tập tin mới có thể tiếp tục"]}}}}},{locale:"zh_CN",json:{charset:"utf-8",headers:{"Last-Translator":"Hongbo Chen, 2023","Language-Team":"Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)","Content-Type":"text/plain; charset=UTF-8",Language:"zh_CN","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nHongbo Chen, 2023\n"},msgstr:["Last-Translator: Hongbo Chen, 2023\nLanguage-Team: Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_CN\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count}文件冲突"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["在{dirname}目录下有{count}个文件冲突"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["剩余 {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["剩余 {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["还剩几秒"]},Add:{msgid:"Add",msgstr:["添加"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["取消上传"]},Continue:{msgid:"Continue",msgstr:["继续"]},"estimating time left":{msgid:"estimating time left",msgstr:["估计剩余时间"]},"Existing version":{msgid:"Existing version",msgstr:["版本已存在"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["如果选择所有的版本,新增版本的文件名为原文件名加数字"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["文件最后修改日期未知"]},"New version":{msgid:"New version",msgstr:["新版本"]},paused:{msgid:"paused",msgstr:["已暂停"]},"Preview image":{msgid:"Preview image",msgstr:["图片预览"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["选择所有的选择框"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["选择所有存在的文件"]},"Select all new files":{msgid:"Select all new files",msgstr:["选择所有的新文件"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["跳过{count}个文件"]},"Unknown size":{msgid:"Unknown size",msgstr:["文件大小未知"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["取消上传"]},"Upload files":{msgid:"Upload files",msgstr:["上传文件"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["你要保留哪些文件?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["每个文件至少选择一个版本"]}}}}},{locale:"zh_HK",json:{charset:"utf-8",headers:{"Last-Translator":"Café Tango, 2023","Language-Team":"Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)","Content-Type":"text/plain; charset=UTF-8",Language:"zh_HK","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nCafé Tango, 2023\n"},msgstr:["Last-Translator: Café Tango, 2023\nLanguage-Team: Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_HK\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} 個檔案衝突"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname} 中有 {count} 個檔案衝突"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["剩餘 {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["剩餘 {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["還剩幾秒"]},Add:{msgid:"Add",msgstr:["添加"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["取消上傳"]},Continue:{msgid:"Continue",msgstr:["繼續"]},"estimating time left":{msgid:"estimating time left",msgstr:["估計剩餘時間"]},"Existing version":{msgid:"Existing version",msgstr:["既有版本"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["若您選取兩個版本,複製的檔案的名稱將會新增編號。"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["最後修改日期不詳"]},"New version":{msgid:"New version",msgstr:["新版本 "]},paused:{msgid:"paused",msgstr:["已暫停"]},"Preview image":{msgid:"Preview image",msgstr:["預覽圖片"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["選取所有核取方塊"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["選取所有既有檔案"]},"Select all new files":{msgid:"Select all new files",msgstr:["選取所有新檔案"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["略過 {count} 個檔案"]},"Unknown size":{msgid:"Unknown size",msgstr:["大小不詳"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["已取消上傳"]},"Upload files":{msgid:"Upload files",msgstr:["上傳檔案"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["您想保留哪些檔案?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["您必須為每個檔案都至少選取一個版本以繼續。"]}}}}},{locale:"zh_TW",json:{charset:"utf-8",headers:{"Last-Translator":"黃柏諺 <s8321414@gmail.com>, 2024","Language-Team":"Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)","Content-Type":"text/plain; charset=UTF-8",Language:"zh_TW","Plural-Forms":"nplurals=1; plural=0;"},translations:{"":{"":{msgid:"",comments:{translator:"\nTranslators:\nJoas Schilling, 2024\n黃柏諺 <s8321414@gmail.com>, 2024\n"},msgstr:["Last-Translator: 黃柏諺 <s8321414@gmail.com>, 2024\nLanguage-Team: Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_TW\nPlural-Forms: nplurals=1; plural=0;\n"]},"{count} file conflict":{msgid:"{count} file conflict",msgid_plural:"{count} files conflict",msgstr:["{count} 個檔案衝突"]},"{count} file conflict in {dirname}":{msgid:"{count} file conflict in {dirname}",msgid_plural:"{count} file conflicts in {dirname}",msgstr:["{dirname} 中有 {count} 個檔案衝突"]},"{seconds} seconds left":{msgid:"{seconds} seconds left",msgstr:["剩餘 {seconds} 秒"]},"{time} left":{msgid:"{time} left",comments:{extracted:"TRANSLATORS time has the format 00:00:00"},msgstr:["剩餘 {time}"]},"a few seconds left":{msgid:"a few seconds left",msgstr:["還剩幾秒"]},Cancel:{msgid:"Cancel",msgstr:["取消"]},"Cancel the entire operation":{msgid:"Cancel the entire operation",msgstr:["取消整個操作"]},"Cancel uploads":{msgid:"Cancel uploads",msgstr:["取消上傳"]},Continue:{msgid:"Continue",msgstr:["繼續"]},"estimating time left":{msgid:"estimating time left",msgstr:["估計剩餘時間"]},"Existing version":{msgid:"Existing version",msgstr:["既有版本"]},"If you select both versions, the copied file will have a number added to its name.":{msgid:"If you select both versions, the copied file will have a number added to its name.",msgstr:["若您選取兩個版本,複製的檔案的名稱將會新增編號。"]},"Last modified date unknown":{msgid:"Last modified date unknown",msgstr:["最後修改日期未知"]},New:{msgid:"New",msgstr:["新增"]},"New version":{msgid:"New version",msgstr:["新版本"]},paused:{msgid:"paused",msgstr:["已暫停"]},"Preview image":{msgid:"Preview image",msgstr:["預覽圖片"]},"Select all checkboxes":{msgid:"Select all checkboxes",msgstr:["選取所有核取方塊"]},"Select all existing files":{msgid:"Select all existing files",msgstr:["選取所有既有檔案"]},"Select all new files":{msgid:"Select all new files",msgstr:["選取所有新檔案"]},"Skip this file":{msgid:"Skip this file",msgid_plural:"Skip {count} files",msgstr:["略過 {count} 檔案"]},"Unknown size":{msgid:"Unknown size",msgstr:["未知大小"]},"Upload cancelled":{msgid:"Upload cancelled",msgstr:["已取消上傳"]},"Upload files":{msgid:"Upload files",msgstr:["上傳檔案"]},"Upload progress":{msgid:"Upload progress",msgstr:["上傳進度"]},"When an incoming folder is selected, any conflicting files within it will also be overwritten.":{msgid:"When an incoming folder is selected, any conflicting files within it will also be overwritten.",msgstr:["選取傳入資料夾後,其中任何的衝突檔案都會被覆寫。"]},"Which files do you want to keep?":{msgid:"Which files do you want to keep?",msgstr:["您想保留哪些檔案?"]},"You need to select at least one version of each file to continue.":{msgid:"You need to select at least one version of each file to continue.",msgstr:["您必須為每個檔案都至少選取一個版本以繼續。"]}}}}}].map((t=>nt.addTranslation(t.locale,t.json)));const st=nt.build(),it=st.ngettext.bind(st),rt=st.gettext.bind(st),ot=D.Ay.extend({name:"UploadPicker",components:{Cancel:Z,NcActionButton:U.A,NcActions:j.A,NcButton:z.A,NcIconSvgWrapper:M.A,NcProgressBar:R.A,Plus:tt,Upload:et},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:w.vd,default:void 0},content:{type:Array,default:()=>[]},forbiddenCharacters:{type:Array,default:()=>[]}},data:()=>({addLabel:rt("New"),cancelLabel:rt("Cancel uploads"),uploadLabel:rt("Upload files"),progressLabel:rt("Upload progress"),progressTimeId:`nc-uploader-progress-${Math.random().toString(36).slice(7)}`,eta:null,timeLeft:"",newFileMenuEntries:[],uploadManager:ct()}),computed:{totalQueueSize(){return this.uploadManager.info?.size||0},uploadedQueueSize(){return this.uploadManager.info?.progress||0},progress(){return Math.round(this.uploadedQueueSize/this.totalQueueSize*100)||0},queue(){return this.uploadManager.queue},hasFailure(){return 0!==this.queue?.filter((t=>t.status===W.FAILED)).length},isUploading(){return this.queue?.length>0},isAssembling(){return 0!==this.queue?.filter((t=>t.status===W.ASSEMBLING)).length},isPaused(){return this.uploadManager.info?.status===Q.PAUSED},buttonName(){if(!this.isUploading)return this.addLabel}},watch:{destination(t){this.setDestination(t)},totalQueueSize(t){this.eta=O({min:0,max:t}),this.updateStatus()},uploadedQueueSize(t){this.eta?.report?.(t),this.updateStatus()},isPaused(t){t?this.$emit("paused",this.queue):this.$emit("resumed",this.queue)}},beforeMount(){this.destination&&this.setDestination(this.destination),this.uploadManager.addNotifier(this.onUploadCompletion),Y.debug("UploadPicker initialised")},methods:{onClick(){this.$refs.input.click()},async onPick(){let t=[...this.$refs.input.files];if(ut(t,this.content)){const e=t.filter((t=>this.content.find((e=>e.basename===t.name)))).filter(Boolean),n=t.filter((t=>!e.includes(t)));try{const{selected:s,renamed:i}=await dt(this.destination.basename,e,this.content);t=[...n,...s,...i]}catch{return void(0,B.Qg)(rt("Upload cancelled"))}}t.forEach((t=>{const e=(this.forbiddenCharacters||[]).find((e=>t.name.includes(e)));e?(0,B.Qg)(rt(`"${e}" is not allowed inside a file name.`)):this.uploadManager.upload(t.name,t).catch((()=>{}))})),this.$refs.form.reset()},onCancel(){this.uploadManager.queue.forEach((t=>{t.cancel()})),this.$refs.form.reset()},updateStatus(){if(this.isPaused)return void(this.timeLeft=rt("paused"));const t=Math.round(this.eta.estimate());if(t!==1/0)if(t<10)this.timeLeft=rt("a few seconds left");else if(t>60){const e=new Date(0);e.setSeconds(t);const n=e.toISOString().slice(11,19);this.timeLeft=rt("{time} left",{time:n})}else this.timeLeft=rt("{seconds} seconds left",{seconds:t});else this.timeLeft=rt("estimating time left")},setDestination(t){this.destination?(this.uploadManager.destination=t,this.newFileMenuEntries=(0,w.m1)(t)):Y.debug("Invalid destination")},onUploadCompletion(t){t.status===W.FAILED?this.$emit("failed",t):this.$emit("uploaded",t)}}}),at=J(ot,(function(){var t=this,e=t._self._c;return t._self._setupProxy,t.destination?e("form",{ref:"form",staticClass:"upload-picker",class:{"upload-picker--uploading":t.isUploading,"upload-picker--paused":t.isPaused},attrs:{"data-cy-upload-picker":""}},[t.newFileMenuEntries&&0===t.newFileMenuEntries.length?e("NcButton",{attrs:{disabled:t.disabled,"data-cy-upload-picker-add":"",type:"secondary"},on:{click:t.onClick},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[t._v(" "+t._s(t.buttonName)+" ")]):e("NcActions",{attrs:{"menu-name":t.buttonName,"menu-title":t.addLabel,type:"secondary"},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[e("NcActionButton",{attrs:{"data-cy-upload-picker-add":"","close-after-click":!0},on:{click:t.onClick},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Upload",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,3606034491)},[t._v(" "+t._s(t.uploadLabel)+" ")]),t._l(t.newFileMenuEntries,(function(n){return e("NcActionButton",{key:n.id,staticClass:"upload-picker__menu-entry",attrs:{icon:n.iconClass,"close-after-click":!0},on:{click:function(e){return n.handler(t.destination,t.content)}},scopedSlots:t._u([n.iconSvgInline?{key:"icon",fn:function(){return[e("NcIconSvgWrapper",{attrs:{svg:n.iconSvgInline}})]},proxy:!0}:null],null,!0)},[t._v(" "+t._s(n.displayName)+" ")])}))],2),e("div",{directives:[{name:"show",rawName:"v-show",value:t.isUploading,expression:"isUploading"}],staticClass:"upload-picker__progress"},[e("NcProgressBar",{attrs:{"aria-label":t.progressLabel,"aria-describedby":t.progressTimeId,error:t.hasFailure,value:t.progress,size:"medium"}}),e("p",{attrs:{id:t.progressTimeId}},[t._v(" "+t._s(t.timeLeft)+" ")])],1),t.isUploading?e("NcButton",{staticClass:"upload-picker__cancel",attrs:{type:"tertiary","aria-label":t.cancelLabel,"data-cy-upload-picker-cancel":""},on:{click:t.onCancel},scopedSlots:t._u([{key:"icon",fn:function(){return[e("Cancel",{attrs:{title:"",size:20}})]},proxy:!0}],null,!1,4076886712)}):t._e(),e("input",{directives:[{name:"show",rawName:"v-show",value:!1,expression:"false"}],ref:"input",attrs:{type:"file",accept:t.accept?.join?.(", "),multiple:t.multiple,"data-cy-upload-picker-input":""},on:{change:t.onPick}})],1):t._e()}),[],!1,null,"eca9500a",null,null).exports;let lt=null;function ct(){const t=null!==document.querySelector('input[name="isPublic"][value="1"]');return lt instanceof X||(lt=new X(t)),lt}async function dt(t,e,s){const i=(0,D.$V)((()=>Promise.all([n.e(4208),n.e(6075)]).then(n.bind(n,56075))));return new Promise(((n,r)=>{const o=new D.Ay({name:"ConflictPickerRoot",render:a=>a(i,{props:{dirname:t,conflicts:e,content:s},on:{submit(t){n(t),o.$destroy(),o.$el?.parentNode?.removeChild(o.$el)},cancel(t){r(t??new Error("Canceled")),o.$destroy(),o.$el?.parentNode?.removeChild(o.$el)}}})});o.$mount(),document.body.appendChild(o.$el)}))}function ut(t,e){const n=e.map((t=>t.basename));return t.filter((t=>{const e=t instanceof File?t.name:t.basename;return-1!==n.indexOf(e)})).length>0}},88164:(t,e,n)=>{"use strict";n.d(e,{Jv:()=>r,dC:()=>s});const s=(t,e)=>{var n;return(null!=(n=null==e?void 0:e.baseURL)?n:o())+(t=>"/remote.php/"+t)(t)},i=(t,e,n)=>{const s=Object.assign({escape:!0},n||{});return"/"!==t.charAt(0)&&(t="/"+t),i=(i=e||{})||{},t.replace(/{([^{}]*)}/g,(function(t,e){const n=i[e];return s.escape?encodeURIComponent("string"==typeof n||"number"==typeof n?n.toString():t):"string"==typeof n||"number"==typeof n?n.toString():t}));var i},r=(t,e,n)=>{var s,r,o;const l=Object.assign({noRewrite:!1},n||{}),c=null!=(s=null==n?void 0:n.baseURL)?s:a();return!0!==(null==(o=null==(r=null==window?void 0:window.OC)?void 0:r.config)?void 0:o.modRewriteWorking)||l.noRewrite?c+"/index.php"+i(t,e,n):c+i(t,e,n)},o=()=>window.location.protocol+"//"+window.location.host+a();function a(){let t=window._oc_webroot;if(typeof t>"u"){t=location.pathname;const e=t.indexOf("/index.php/");if(-1!==e)t=t.slice(0,e);else{const e=t.indexOf("/",1);t=t.slice(0,e>0?e:void 0)}}return t}},53110:(t,e,n)=>{"use strict";n.d(e,{k3:()=>o,pe:()=>r});var s=n(28893);const{Axios:i,AxiosError:r,CanceledError:o,isCancel:a,CancelToken:l,VERSION:c,all:d,Cancel:u,isAxiosError:m,spread:p,toFormData:f,AxiosHeaders:g,HttpStatusCode:h,formToJSON:v,getAdapter:A,mergeConfig:w}=s.A}},r={};function o(t){var e=r[t];if(void 0!==e)return e.exports;var n=r[t]={id:t,loaded:!1,exports:{}};return i[t].call(n.exports,n,n.exports,o),n.loaded=!0,n.exports}o.m=i,e=[],o.O=(t,n,s,i)=>{if(!n){var r=1/0;for(d=0;d<e.length;d++){n=e[d][0],s=e[d][1],i=e[d][2];for(var a=!0,l=0;l<n.length;l++)(!1&i||r>=i)&&Object.keys(o.O).every((t=>o.O[t](n[l])))?n.splice(l--,1):(a=!1,i<r&&(r=i));if(a){e.splice(d--,1);var c=s();void 0!==c&&(t=c)}}return t}i=i||0;for(var d=e.length;d>0&&e[d-1][2]>i;d--)e[d]=e[d-1];e[d]=[n,s,i]},o.n=t=>{var e=t&&t.__esModule?()=>t.default:()=>t;return o.d(e,{a:e}),e},o.d=(t,e)=>{for(var n in e)o.o(e,n)&&!o.o(t,n)&&Object.defineProperty(t,n,{enumerable:!0,get:e[n]})},o.f={},o.e=t=>Promise.all(Object.keys(o.f).reduce(((e,n)=>(o.f[n](t,e),e)),[])),o.u=t=>t+"-"+t+".js?v="+{1359:"0bf1b6d6403ca20a8e30",6075:"f8e1d39004c19c13e598",8618:"1e8f15db3b14455fef8f"}[t],o.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(t){if("object"==typeof window)return window}}(),o.o=(t,e)=>Object.prototype.hasOwnProperty.call(t,e),n={},s="nextcloud:",o.l=(t,e,i,r)=>{if(n[t])n[t].push(e);else{var a,l;if(void 0!==i)for(var c=document.getElementsByTagName("script"),d=0;d<c.length;d++){var u=c[d];if(u.getAttribute("src")==t||u.getAttribute("data-webpack")==s+i){a=u;break}}a||(l=!0,(a=document.createElement("script")).charset="utf-8",a.timeout=120,o.nc&&a.setAttribute("nonce",o.nc),a.setAttribute("data-webpack",s+i),a.src=t),n[t]=[e];var m=(e,s)=>{a.onerror=a.onload=null,clearTimeout(p);var i=n[t];if(delete n[t],a.parentNode&&a.parentNode.removeChild(a),i&&i.forEach((t=>t(s))),e)return e(s)},p=setTimeout(m.bind(null,void 0,{type:"timeout",target:a}),12e4);a.onerror=m.bind(null,a.onerror),a.onload=m.bind(null,a.onload),l&&document.head.appendChild(a)}},o.r=t=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(t,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(t,"__esModule",{value:!0})},o.nmd=t=>(t.paths=[],t.children||(t.children=[]),t),o.j=2882,(()=>{var t;o.g.importScripts&&(t=o.g.location+"");var e=o.g.document;if(!t&&e&&(e.currentScript&&(t=e.currentScript.src),!t)){var n=e.getElementsByTagName("script");if(n.length)for(var s=n.length-1;s>-1&&(!t||!/^http(s?):/.test(t));)t=n[s--].src}if(!t)throw new Error("Automatic publicPath is not supported in this browser");t=t.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),o.p=t})(),(()=>{o.b=document.baseURI||self.location.href;var t={2882:0};o.f.j=(e,n)=>{var s=o.o(t,e)?t[e]:void 0;if(0!==s)if(s)n.push(s[2]);else{var i=new Promise(((n,i)=>s=t[e]=[n,i]));n.push(s[2]=i);var r=o.p+o.u(e),a=new Error;o.l(r,(n=>{if(o.o(t,e)&&(0!==(s=t[e])&&(t[e]=void 0),s)){var i=n&&("load"===n.type?"missing":n.type),r=n&&n.target&&n.target.src;a.message="Loading chunk "+e+" failed.\n("+i+": "+r+")",a.name="ChunkLoadError",a.type=i,a.request=r,s[1](a)}}),"chunk-"+e,e)}},o.O.j=e=>0===t[e];var e=(e,n)=>{var s,i,r=n[0],a=n[1],l=n[2],c=0;if(r.some((e=>0!==t[e]))){for(s in a)o.o(a,s)&&(o.m[s]=a[s]);if(l)var d=l(o)}for(e&&e(n);c<r.length;c++)i=r[c],o.o(t,i)&&t[i]&&t[i][0](),t[i]=0;return o.O(d)},n=self.webpackChunknextcloud=self.webpackChunknextcloud||[];n.forEach(e.bind(null,0)),n.push=e.bind(null,n.push.bind(n))})(),o.nc=void 0;var a=o.O(void 0,[4208],(()=>o(4737)));a=o.O(a)})();
+//# sourceMappingURL=files-main.js.map?v=7967ccf9848af6ebe0ed \ No newline at end of file
diff --git a/dist/files-main.js.map b/dist/files-main.js.map
index f952283bc6d..e6e1c178560 100644
--- a/dist/files-main.js.map
+++ b/dist/files-main.js.map
@@ -1 +1 @@
-{"version":3,"file":"files-main.js?v=b08ba9ba4fe4336cdb81","mappings":";UAAIA,ECAAC,EACAC,2BCCJ,IAAIC,EAAMC,OAAOC,UAAUC,eACvBC,EAAS,IASb,SAASC,IAAU,CA4BnB,SAASC,EAAGC,EAAIC,EAASC,GACvBC,KAAKH,GAAKA,EACVG,KAAKF,QAAUA,EACfE,KAAKD,KAAOA,IAAQ,CACtB,CAaA,SAASE,EAAYC,EAASC,EAAON,EAAIC,EAASC,GAChD,GAAkB,mBAAPF,EACT,MAAM,IAAIO,UAAU,mCAGtB,IAAIC,EAAW,IAAIT,EAAGC,EAAIC,GAAWI,EAASH,GAC1CO,EAAMZ,EAASA,EAASS,EAAQA,EAMpC,OAJKD,EAAQK,QAAQD,GACXJ,EAAQK,QAAQD,GAAKT,GAC1BK,EAAQK,QAAQD,GAAO,CAACJ,EAAQK,QAAQD,GAAMD,GADhBH,EAAQK,QAAQD,GAAKE,KAAKH,IADlCH,EAAQK,QAAQD,GAAOD,EAAUH,EAAQO,gBAI7DP,CACT,CASA,SAASQ,EAAWR,EAASI,GACI,KAAzBJ,EAAQO,aAAoBP,EAAQK,QAAU,IAAIZ,SAC5CO,EAAQK,QAAQD,EAC9B,CASA,SAASK,IACPX,KAAKO,QAAU,IAAIZ,EACnBK,KAAKS,aAAe,CACtB,CAzEIlB,OAAOqB,SACTjB,EAAOH,UAAYD,OAAOqB,OAAO,OAM5B,IAAIjB,GAASkB,YAAWnB,GAAS,IA2ExCiB,EAAanB,UAAUsB,WAAa,WAClC,IACIC,EACAC,EAFAC,EAAQ,GAIZ,GAA0B,IAAtBjB,KAAKS,aAAoB,OAAOQ,EAEpC,IAAKD,KAASD,EAASf,KAAKO,QACtBjB,EAAI4B,KAAKH,EAAQC,IAAOC,EAAMT,KAAKd,EAASsB,EAAKG,MAAM,GAAKH,GAGlE,OAAIzB,OAAO6B,sBACFH,EAAMI,OAAO9B,OAAO6B,sBAAsBL,IAG5CE,CACT,EASAN,EAAanB,UAAU8B,UAAY,SAAmBnB,GACpD,IAAIG,EAAMZ,EAASA,EAASS,EAAQA,EAChCoB,EAAWvB,KAAKO,QAAQD,GAE5B,IAAKiB,EAAU,MAAO,GACtB,GAAIA,EAAS1B,GAAI,MAAO,CAAC0B,EAAS1B,IAElC,IAAK,IAAI2B,EAAI,EAAGC,EAAIF,EAASG,OAAQC,EAAK,IAAIC,MAAMH,GAAID,EAAIC,EAAGD,IAC7DG,EAAGH,GAAKD,EAASC,GAAG3B,GAGtB,OAAO8B,CACT,EASAhB,EAAanB,UAAUqC,cAAgB,SAAuB1B,GAC5D,IAAIG,EAAMZ,EAASA,EAASS,EAAQA,EAChCmB,EAAYtB,KAAKO,QAAQD,GAE7B,OAAKgB,EACDA,EAAUzB,GAAW,EAClByB,EAAUI,OAFM,CAGzB,EASAf,EAAanB,UAAUsC,KAAO,SAAc3B,EAAO4B,EAAIC,EAAIC,EAAIC,EAAIC,GACjE,IAAI7B,EAAMZ,EAASA,EAASS,EAAQA,EAEpC,IAAKH,KAAKO,QAAQD,GAAM,OAAO,EAE/B,IAEI8B,EACAZ,EAHAF,EAAYtB,KAAKO,QAAQD,GACzB+B,EAAMC,UAAUZ,OAIpB,GAAIJ,EAAUzB,GAAI,CAGhB,OAFIyB,EAAUvB,MAAMC,KAAKuC,eAAepC,EAAOmB,EAAUzB,QAAI2C,GAAW,GAEhEH,GACN,KAAK,EAAG,OAAOf,EAAUzB,GAAGqB,KAAKI,EAAUxB,UAAU,EACrD,KAAK,EAAG,OAAOwB,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,IAAK,EACzD,KAAK,EAAG,OAAOT,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,IAAK,EAC7D,KAAK,EAAG,OAAOV,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,EAAIC,IAAK,EACjE,KAAK,EAAG,OAAOX,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,EAAIC,EAAIC,IAAK,EACrE,KAAK,EAAG,OAAOZ,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,EAAIC,EAAIC,EAAIC,IAAK,EAG3E,IAAKX,EAAI,EAAGY,EAAO,IAAIR,MAAMS,EAAK,GAAIb,EAAIa,EAAKb,IAC7CY,EAAKZ,EAAI,GAAKc,UAAUd,GAG1BF,EAAUzB,GAAG4C,MAAMnB,EAAUxB,QAASsC,EACxC,KAAO,CACL,IACIM,EADAhB,EAASJ,EAAUI,OAGvB,IAAKF,EAAI,EAAGA,EAAIE,EAAQF,IAGtB,OAFIF,EAAUE,GAAGzB,MAAMC,KAAKuC,eAAepC,EAAOmB,EAAUE,GAAG3B,QAAI2C,GAAW,GAEtEH,GACN,KAAK,EAAGf,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,SAAU,MACpD,KAAK,EAAGwB,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,QAASiC,GAAK,MACxD,KAAK,EAAGT,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,QAASiC,EAAIC,GAAK,MAC5D,KAAK,EAAGV,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,QAASiC,EAAIC,EAAIC,GAAK,MAChE,QACE,IAAKG,EAAM,IAAKM,EAAI,EAAGN,EAAO,IAAIR,MAAMS,EAAK,GAAIK,EAAIL,EAAKK,IACxDN,EAAKM,EAAI,GAAKJ,UAAUI,GAG1BpB,EAAUE,GAAG3B,GAAG4C,MAAMnB,EAAUE,GAAG1B,QAASsC,GAGpD,CAEA,OAAO,CACT,EAWAzB,EAAanB,UAAUmD,GAAK,SAAYxC,EAAON,EAAIC,GACjD,OAAOG,EAAYD,KAAMG,EAAON,EAAIC,GAAS,EAC/C,EAWAa,EAAanB,UAAUO,KAAO,SAAcI,EAAON,EAAIC,GACrD,OAAOG,EAAYD,KAAMG,EAAON,EAAIC,GAAS,EAC/C,EAYAa,EAAanB,UAAU+C,eAAiB,SAAwBpC,EAAON,EAAIC,EAASC,GAClF,IAAIO,EAAMZ,EAASA,EAASS,EAAQA,EAEpC,IAAKH,KAAKO,QAAQD,GAAM,OAAON,KAC/B,IAAKH,EAEH,OADAa,EAAWV,KAAMM,GACVN,KAGT,IAAIsB,EAAYtB,KAAKO,QAAQD,GAE7B,GAAIgB,EAAUzB,GAEVyB,EAAUzB,KAAOA,GACfE,IAAQuB,EAAUvB,MAClBD,GAAWwB,EAAUxB,UAAYA,GAEnCY,EAAWV,KAAMM,OAEd,CACL,IAAK,IAAIkB,EAAI,EAAGT,EAAS,GAAIW,EAASJ,EAAUI,OAAQF,EAAIE,EAAQF,KAEhEF,EAAUE,GAAG3B,KAAOA,GACnBE,IAASuB,EAAUE,GAAGzB,MACtBD,GAAWwB,EAAUE,GAAG1B,UAAYA,IAErCiB,EAAOP,KAAKc,EAAUE,IAOtBT,EAAOW,OAAQ1B,KAAKO,QAAQD,GAAyB,IAAlBS,EAAOW,OAAeX,EAAO,GAAKA,EACpEL,EAAWV,KAAMM,EACxB,CAEA,OAAON,IACT,EASAW,EAAanB,UAAUoD,mBAAqB,SAA4BzC,GACtE,IAAIG,EAUJ,OARIH,GACFG,EAAMZ,EAASA,EAASS,EAAQA,EAC5BH,KAAKO,QAAQD,IAAMI,EAAWV,KAAMM,KAExCN,KAAKO,QAAU,IAAIZ,EACnBK,KAAKS,aAAe,GAGfT,IACT,EAKAW,EAAanB,UAAUqD,IAAMlC,EAAanB,UAAU+C,eACpD5B,EAAanB,UAAUS,YAAcU,EAAanB,UAAUmD,GAK5DhC,EAAamC,SAAWpD,EAKxBiB,EAAaA,aAAeA,EAM1BoC,EAAOC,QAAUrC,yMClUnB,IAAIsC,EAQJ,MAAMC,EAAkBC,GAAWF,EAAcE,EAK3CC,EAAsGC,SAE5G,SAASC,EAETC,GACI,OAAQA,GACS,iBAANA,GAC+B,oBAAtChE,OAAOC,UAAUgE,SAAStC,KAAKqC,IACX,mBAAbA,EAAEE,MACjB,CAMA,IAAIC,GACJ,SAAWA,GAQPA,EAAqB,OAAI,SAMzBA,EAA0B,YAAI,eAM9BA,EAA4B,cAAI,gBAEnC,CAtBD,CAsBGA,IAAiBA,EAAe,CAAC,IAEpC,MAAMC,EAA8B,oBAAXC,OAOnBC,EAA6F,oBAA1BC,uBAAyCA,uBAAiEH,EAY7KI,EAAwB,KAAyB,iBAAXH,QAAuBA,OAAOA,SAAWA,OAC/EA,OACgB,iBAATI,MAAqBA,KAAKA,OAASA,KACtCA,KACkB,iBAAXC,QAAuBA,OAAOA,SAAWA,OAC5CA,OACsB,iBAAfC,WACHA,WACA,CAAEC,YAAa,MARH,GAkB9B,SAASC,EAASC,EAAKrD,EAAMsD,GACzB,MAAMC,EAAM,IAAIC,eAChBD,EAAIE,KAAK,MAAOJ,GAChBE,EAAIG,aAAe,OACnBH,EAAII,OAAS,WACTC,EAAOL,EAAIM,SAAU7D,EAAMsD,EAC/B,EACAC,EAAIO,QAAU,WACVC,EAAQC,MAAM,0BAClB,EACAT,EAAIU,MACR,CACA,SAASC,EAAYb,GACjB,MAAME,EAAM,IAAIC,eAEhBD,EAAIE,KAAK,OAAQJ,GAAK,GACtB,IACIE,EAAIU,MACR,CACA,MAAOE,GAAK,CACZ,OAAOZ,EAAIa,QAAU,KAAOb,EAAIa,QAAU,GAC9C,CAEA,SAASC,EAAMC,GACX,IACIA,EAAKC,cAAc,IAAIC,WAAW,SACtC,CACA,MAAOL,GACH,MAAM7E,EAAMmF,SAASC,YAAY,eACjCpF,EAAIqF,eAAe,SAAS,GAAM,EAAM/B,OAAQ,EAAG,EAAG,EAAG,GAAI,IAAI,GAAO,GAAO,GAAO,EAAO,EAAG,MAChG0B,EAAKC,cAAcjF,EACvB,CACJ,CACA,MAAMsF,EACgB,iBAAdC,UAAyBA,UAAY,CAAEC,UAAW,IAIpDC,EAA+B,KAAO,YAAYC,KAAKJ,EAAWE,YACpE,cAAcE,KAAKJ,EAAWE,aAC7B,SAASE,KAAKJ,EAAWE,WAFO,GAG/BlB,EAAUjB,EAGqB,oBAAtBsC,mBACH,aAAcA,kBAAkBzG,YAC/BuG,EAOb,SAAwBG,EAAMlF,EAAO,WAAYsD,GAC7C,MAAM6B,EAAIV,SAASW,cAAc,KACjCD,EAAE/B,SAAWpD,EACbmF,EAAEE,IAAM,WAGY,iBAATH,GAEPC,EAAEG,KAAOJ,EACLC,EAAEI,SAAWC,SAASD,OAClBrB,EAAYiB,EAAEG,MACdlC,EAAS8B,EAAMlF,EAAMsD,IAGrB6B,EAAEM,OAAS,SACXpB,EAAMc,IAIVd,EAAMc,KAKVA,EAAEG,KAAOI,IAAIC,gBAAgBT,GAC7BU,YAAW,WACPF,IAAIG,gBAAgBV,EAAEG,KAC1B,GAAG,KACHM,YAAW,WACPvB,EAAMc,EACV,GAAG,GAEX,EApCgB,qBAAsBP,EAqCtC,SAAkBM,EAAMlF,EAAO,WAAYsD,GACvC,GAAoB,iBAAT4B,EACP,GAAIhB,EAAYgB,GACZ9B,EAAS8B,EAAMlF,EAAMsD,OAEpB,CACD,MAAM6B,EAAIV,SAASW,cAAc,KACjCD,EAAEG,KAAOJ,EACTC,EAAEM,OAAS,SACXG,YAAW,WACPvB,EAAMc,EACV,GACJ,MAIAN,UAAUiB,iBA/GlB,SAAaZ,GAAM,QAAEa,GAAU,GAAU,CAAC,GAGtC,OAAIA,GACA,6EAA6Ef,KAAKE,EAAKc,MAChF,IAAIC,KAAK,CAACC,OAAOC,aAAa,OAASjB,GAAO,CAAEc,KAAMd,EAAKc,OAE/Dd,CACX,CAuGmCkB,CAAIlB,EAAM5B,GAAOtD,EAEpD,EACA,SAAyBkF,EAAMlF,EAAMsD,EAAM+C,GAOvC,IAJAA,EAAQA,GAAS5C,KAAK,GAAI,aAEtB4C,EAAM5B,SAAS6B,MAAQD,EAAM5B,SAAS8B,KAAKC,UAAY,kBAEvC,iBAATtB,EACP,OAAO9B,EAAS8B,EAAMlF,EAAMsD,GAChC,MAAMmD,EAAsB,6BAAdvB,EAAKc,KACbU,EAAW,eAAe1B,KAAKkB,OAAOnD,EAAQI,eAAiB,WAAYJ,EAC3E4D,EAAc,eAAe3B,KAAKH,UAAUC,WAClD,IAAK6B,GAAgBF,GAASC,GAAa3B,IACjB,oBAAf6B,WAA4B,CAEnC,MAAMC,EAAS,IAAID,WACnBC,EAAOC,UAAY,WACf,IAAIzD,EAAMwD,EAAOE,OACjB,GAAmB,iBAAR1D,EAEP,MADAgD,EAAQ,KACF,IAAIW,MAAM,4BAEpB3D,EAAMsD,EACAtD,EACAA,EAAI4D,QAAQ,eAAgB,yBAC9BZ,EACAA,EAAMb,SAASF,KAAOjC,EAGtBmC,SAAS0B,OAAO7D,GAEpBgD,EAAQ,IACZ,EACAQ,EAAOM,cAAcjC,EACzB,KACK,CACD,MAAM7B,EAAMqC,IAAIC,gBAAgBT,GAC5BmB,EACAA,EAAMb,SAAS0B,OAAO7D,GAEtBmC,SAASF,KAAOjC,EACpBgD,EAAQ,KACRT,YAAW,WACPF,IAAIG,gBAAgBxC,EACxB,GAAG,IACP,CACJ,EA7GM,OAqHN,SAAS+D,EAAaC,EAASrB,GAC3B,MAAMsB,EAAe,MAAQD,EACS,mBAA3BE,uBAEPA,uBAAuBD,EAActB,GAEvB,UAATA,EACLjC,EAAQC,MAAMsD,GAEA,SAATtB,EACLjC,EAAQyD,KAAKF,GAGbvD,EAAQ0D,IAAIH,EAEpB,CACA,SAASI,EAAQnF,GACb,MAAO,OAAQA,GAAK,YAAaA,CACrC,CAMA,SAASoF,IACL,KAAM,cAAe9C,WAEjB,OADAuC,EAAa,iDAAkD,UACxD,CAEf,CACA,SAASQ,EAAqB5D,GAC1B,SAAIA,aAAiBgD,OACjBhD,EAAMqD,QAAQQ,cAAcC,SAAS,8BACrCV,EAAa,kGAAmG,SACzG,EAGf,CAwCA,IAAIW,EAyCJ,SAASC,EAAgB7F,EAAO8F,GAC5B,IAAK,MAAMC,KAAOD,EAAO,CACrB,MAAME,EAAahG,EAAM8F,MAAMG,MAAMF,GAEjCC,EACA5J,OAAO2I,OAAOiB,EAAYF,EAAMC,IAIhC/F,EAAM8F,MAAMG,MAAMF,GAAOD,EAAMC,EAEvC,CACJ,CAEA,SAASG,EAAcC,GACnB,MAAO,CACHC,QAAS,CACLD,WAGZ,CACA,MAAME,EAAmB,kBACnBC,EAAgB,QACtB,SAASC,EAA4BC,GACjC,OAAOjB,EAAQiB,GACT,CACEC,GAAIH,EACJI,MAAOL,GAET,CACEI,GAAID,EAAMG,IACVD,MAAOF,EAAMG,IAEzB,CAmDA,SAASC,EAAgBhJ,GACrB,OAAKA,EAEDa,MAAMoI,QAAQjJ,GAEPA,EAAOkJ,QAAO,CAACC,EAAM/J,KACxB+J,EAAKC,KAAK3J,KAAKL,EAAM+I,KACrBgB,EAAKE,WAAW5J,KAAKL,EAAM6G,MAC3BkD,EAAKG,SAASlK,EAAM+I,KAAO/I,EAAMkK,SACjCH,EAAKI,SAASnK,EAAM+I,KAAO/I,EAAMmK,SAC1BJ,IACR,CACCG,SAAU,CAAC,EACXF,KAAM,GACNC,WAAY,GACZE,SAAU,CAAC,IAIR,CACHC,UAAWlB,EAActI,EAAOiG,MAChCkC,IAAKG,EAActI,EAAOmI,KAC1BmB,SAAUtJ,EAAOsJ,SACjBC,SAAUvJ,EAAOuJ,UArBd,CAAC,CAwBhB,CACA,SAASE,EAAmBxD,GACxB,OAAQA,GACJ,KAAKtD,EAAa+G,OACd,MAAO,WACX,KAAK/G,EAAagH,cAElB,KAAKhH,EAAaiH,YACd,MAAO,SACX,QACI,MAAO,UAEnB,CAGA,IAAIC,GAAmB,EACvB,MAAMC,EAAsB,GACtBC,EAAqB,kBACrBC,EAAe,SACb7C,OAAQ8C,GAAazL,OAOvB0L,EAAgBrB,GAAO,MAAQA,EAQrC,SAASsB,EAAsBC,EAAKhI,IAChC,QAAoB,CAChByG,GAAI,gBACJC,MAAO,WACPuB,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,sBACAM,QACAI,IACuB,mBAAZA,EAAIC,KACXpD,EAAa,2MAEjBmD,EAAIE,iBAAiB,CACjB7B,GAAIkB,EACJjB,MAAO,WACP6B,MAAO,WAEXH,EAAII,aAAa,CACb/B,GAAImB,EACJlB,MAAO,WACP+B,KAAM,UACNC,sBAAuB,gBACvBC,QAAS,CACL,CACIF,KAAM,eACNG,OAAQ,MA1P5BC,eAAqC7I,GACjC,IAAIwF,IAEJ,UACU9C,UAAUoG,UAAUC,UAAUC,KAAKC,UAAUjJ,EAAM8F,MAAMG,QAC/DhB,EAAa,oCACjB,CACA,MAAOpD,GACH,GAAI4D,EAAqB5D,GACrB,OACJoD,EAAa,qEAAsE,SACnFrD,EAAQC,MAAMA,EAClB,CACJ,CA8OwBqH,CAAsBlJ,EAAM,EAEhCmJ,QAAS,gCAEb,CACIV,KAAM,gBACNG,OAAQC,gBAnP5BA,eAAsC7I,GAClC,IAAIwF,IAEJ,IACIK,EAAgB7F,EAAOgJ,KAAKI,YAAY1G,UAAUoG,UAAUO,aAC5DpE,EAAa,sCACjB,CACA,MAAOpD,GACH,GAAI4D,EAAqB5D,GACrB,OACJoD,EAAa,sFAAuF,SACpGrD,EAAQC,MAAMA,EAClB,CACJ,CAuO8ByH,CAAuBtJ,GAC7BoI,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,EAAa,EAExCuB,QAAS,wDAEb,CACIV,KAAM,OACNG,OAAQ,MA9O5BC,eAAqC7I,GACjC,IACIyB,EAAO,IAAIqC,KAAK,CAACkF,KAAKC,UAAUjJ,EAAM8F,MAAMG,QAAS,CACjDpC,KAAM,6BACN,mBACR,CACA,MAAOhC,GACHoD,EAAa,0EAA2E,SACxFrD,EAAQC,MAAMA,EAClB,CACJ,CAqOwB4H,CAAsBzJ,EAAM,EAEhCmJ,QAAS,iCAEb,CACIV,KAAM,cACNG,OAAQC,gBAhN5BA,eAAyC7I,GACrC,IACI,MAAMsB,GA1BLsE,IACDA,EAAYtD,SAASW,cAAc,SACnC2C,EAAU/B,KAAO,OACjB+B,EAAU8D,OAAS,SAEvB,WACI,OAAO,IAAIC,SAAQ,CAACC,EAASC,KACzBjE,EAAUkE,SAAWjB,UACjB,MAAMkB,EAAQnE,EAAUmE,MACxB,IAAKA,EACD,OAAOH,EAAQ,MACnB,MAAMI,EAAOD,EAAME,KAAK,GACxB,OAEOL,EAFFI,EAEU,CAAEE,WAAYF,EAAKE,OAAQF,QADvB,KAC8B,EAGrDpE,EAAUuE,SAAW,IAAMP,EAAQ,MACnChE,EAAUjE,QAAUkI,EACpBjE,EAAU1D,OAAO,GAEzB,GAMU0C,QAAetD,IACrB,IAAKsD,EACD,OACJ,MAAM,KAAEsF,EAAI,KAAEF,GAASpF,EACvBiB,EAAgB7F,EAAOgJ,KAAKI,MAAMc,IAClCjF,EAAa,+BAA+B+E,EAAKnM,SACrD,CACA,MAAOgE,GACHoD,EAAa,4EAA6E,SAC1FrD,EAAQC,MAAMA,EAClB,CACJ,CAmM8BuI,CAA0BpK,GAChCoI,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,EAAa,EAExCuB,QAAS,sCAGjBkB,YAAa,CACT,CACI5B,KAAM,UACNU,QAAS,kCACTP,OAAS0B,IACL,MAAM9D,EAAQxG,EAAMuK,GAAGC,IAAIF,GACtB9D,EAG4B,mBAAjBA,EAAMiE,OAClBxF,EAAa,iBAAiBqF,kEAAwE,SAGtG9D,EAAMiE,SACNxF,EAAa,UAAUqF,cAPvBrF,EAAa,iBAAiBqF,oCAA0C,OAQ5E,MAKhBlC,EAAI5I,GAAGkL,kBAAiB,CAACC,EAASC,KAC9B,MAAMC,EAASF,EAAQG,mBACnBH,EAAQG,kBAAkBD,MAC9B,GAAIA,GAASA,EAAME,SAAU,CACzB,MAAMC,EAAcL,EAAQG,kBAAkBD,MAAME,SACpD3O,OAAO6O,OAAOD,GAAaE,SAAS1E,IAChCmE,EAAQQ,aAAarF,MAAMzI,KAAK,CAC5BwG,KAAMiE,EAAatB,EAAMG,KACzBZ,IAAK,QACLqF,UAAU,EACVnF,MAAOO,EAAM6E,cACP,CACEjF,QAAS,CACLH,OAAO,QAAMO,EAAM8E,QACnB3C,QAAS,CACL,CACIF,KAAM,UACNU,QAAS,gCACTP,OAAQ,IAAMpC,EAAMiE,aAMhCrO,OAAO4K,KAAKR,EAAM8E,QAAQxE,QAAO,CAAChB,EAAOC,KACrCD,EAAMC,GAAOS,EAAM8E,OAAOvF,GACnBD,IACR,CAAC,KAEZU,EAAM+E,UAAY/E,EAAM+E,SAAShN,QACjCoM,EAAQQ,aAAarF,MAAMzI,KAAK,CAC5BwG,KAAMiE,EAAatB,EAAMG,KACzBZ,IAAK,UACLqF,UAAU,EACVnF,MAAOO,EAAM+E,SAASzE,QAAO,CAAC0E,EAASzF,KACnC,IACIyF,EAAQzF,GAAOS,EAAMT,EACzB,CACA,MAAOlE,GAEH2J,EAAQzF,GAAOlE,CACnB,CACA,OAAO2J,CAAO,GACf,CAAC,IAEZ,GAER,KAEJpD,EAAI5I,GAAGiM,kBAAkBd,IACrB,GAAIA,EAAQ3C,MAAQA,GAAO2C,EAAQe,cAAgB9D,EAAc,CAC7D,IAAI+D,EAAS,CAAC3L,GACd2L,EAASA,EAAOzN,OAAOO,MAAMmN,KAAK5L,EAAMuK,GAAGU,WAC3CN,EAAQkB,WAAalB,EAAQmB,OACvBH,EAAOG,QAAQtF,GAAU,QAASA,EAC9BA,EAAMG,IACHjB,cACAC,SAASgF,EAAQmB,OAAOpG,eAC3BW,EAAiBX,cAAcC,SAASgF,EAAQmB,OAAOpG,iBAC3DiG,GAAQI,IAAIxF,EACtB,KAEJ6B,EAAI5I,GAAGwM,mBAAmBrB,IACtB,GAAIA,EAAQ3C,MAAQA,GAAO2C,EAAQe,cAAgB9D,EAAc,CAC7D,MAAMqE,EAAiBtB,EAAQL,SAAWhE,EACpCtG,EACAA,EAAMuK,GAAGC,IAAIG,EAAQL,QAC3B,IAAK2B,EAGD,OAEAA,IACAtB,EAAQ7E,MApQ5B,SAAsCU,GAClC,GAAIjB,EAAQiB,GAAQ,CAChB,MAAM0F,EAAazN,MAAMmN,KAAKpF,EAAM+D,GAAGvD,QACjCmF,EAAW3F,EAAM+D,GACjBzE,EAAQ,CACVA,MAAOoG,EAAWH,KAAKK,IAAY,CAC/BhB,UAAU,EACVrF,IAAKqG,EACLnG,MAAOO,EAAMV,MAAMG,MAAMmG,OAE7BZ,QAASU,EACJJ,QAAQrF,GAAO0F,EAAS3B,IAAI/D,GAAI8E,WAChCQ,KAAKtF,IACN,MAAMD,EAAQ2F,EAAS3B,IAAI/D,GAC3B,MAAO,CACH2E,UAAU,EACVrF,IAAKU,EACLR,MAAOO,EAAM+E,SAASzE,QAAO,CAAC0E,EAASzF,KACnCyF,EAAQzF,GAAOS,EAAMT,GACdyF,IACR,CAAC,GACP,KAGT,OAAO1F,CACX,CACA,MAAMA,EAAQ,CACVA,MAAO1J,OAAO4K,KAAKR,EAAM8E,QAAQS,KAAKhG,IAAQ,CAC1CqF,UAAU,EACVrF,MACAE,MAAOO,EAAM8E,OAAOvF,QAkB5B,OAdIS,EAAM+E,UAAY/E,EAAM+E,SAAShN,SACjCuH,EAAM0F,QAAUhF,EAAM+E,SAASQ,KAAKM,IAAe,CAC/CjB,UAAU,EACVrF,IAAKsG,EACLpG,MAAOO,EAAM6F,QAGjB7F,EAAM8F,kBAAkBC,OACxBzG,EAAM0G,iBAAmB/N,MAAMmN,KAAKpF,EAAM8F,mBAAmBP,KAAKhG,IAAQ,CACtEqF,UAAU,EACVrF,MACAE,MAAOO,EAAMT,QAGdD,CACX,CAmNoC2G,CAA6BR,GAErD,KAEJ7D,EAAI5I,GAAGkN,oBAAmB,CAAC/B,EAASC,KAChC,GAAID,EAAQ3C,MAAQA,GAAO2C,EAAQe,cAAgB9D,EAAc,CAC7D,MAAMqE,EAAiBtB,EAAQL,SAAWhE,EACpCtG,EACAA,EAAMuK,GAAGC,IAAIG,EAAQL,QAC3B,IAAK2B,EACD,OAAOhH,EAAa,UAAU0F,EAAQL,oBAAqB,SAE/D,MAAM,KAAEqC,GAAShC,EACZpF,EAAQ0G,GAUTU,EAAKC,QAAQ,SARO,IAAhBD,EAAKpO,QACJ0N,EAAeK,kBAAkBnQ,IAAIwQ,EAAK,OAC3CA,EAAK,KAAMV,EAAeX,SAC1BqB,EAAKC,QAAQ,UAOrBnF,GAAmB,EACnBkD,EAAQkC,IAAIZ,EAAgBU,EAAMhC,EAAQ7E,MAAMG,OAChDwB,GAAmB,CACvB,KAEJW,EAAI5I,GAAGsN,oBAAoBnC,IACvB,GAAIA,EAAQ9G,KAAKkJ,WAAW,MAAO,CAC/B,MAAMX,EAAUzB,EAAQ9G,KAAKiB,QAAQ,SAAU,IACzC0B,EAAQxG,EAAMuK,GAAGC,IAAI4B,GAC3B,IAAK5F,EACD,OAAOvB,EAAa,UAAUmH,eAAsB,SAExD,MAAM,KAAEO,GAAShC,EACjB,GAAgB,UAAZgC,EAAK,GACL,OAAO1H,EAAa,2BAA2BmH,QAAcO,kCAIjEA,EAAK,GAAK,SACVlF,GAAmB,EACnBkD,EAAQkC,IAAIrG,EAAOmG,EAAMhC,EAAQ7E,MAAMG,OACvCwB,GAAmB,CACvB,IACF,GAEV,CAgLA,IACIuF,EADAC,EAAkB,EAUtB,SAASC,EAAuB1G,EAAO2G,EAAaC,GAEhD,MAAMzE,EAAUwE,EAAYrG,QAAO,CAACuG,EAAcC,KAE9CD,EAAaC,IAAc,QAAM9G,GAAO8G,GACjCD,IACR,CAAC,GACJ,IAAK,MAAMC,KAAc3E,EACrBnC,EAAM8G,GAAc,WAEhB,MAAMC,EAAYN,EACZO,EAAeJ,EACf,IAAIK,MAAMjH,EAAO,CACfgE,IAAG,IAAIvL,KACH+N,EAAeO,EACRG,QAAQlD,OAAOvL,IAE1B4N,IAAG,IAAI5N,KACH+N,EAAeO,EACRG,QAAQb,OAAO5N,MAG5BuH,EAENwG,EAAeO,EACf,MAAMI,EAAWhF,EAAQ2E,GAAYhO,MAAMkO,EAAcrO,WAGzD,OADA6N,OAAe3N,EACRsO,CACX,CAER,CAIA,SAASC,GAAe,IAAE5F,EAAG,MAAExB,EAAK,QAAEqH,IAElC,GAAIrH,EAAMG,IAAIoG,WAAW,UACrB,OAGJvG,EAAM6E,gBAAkBwC,EAAQ/H,MAChCoH,EAAuB1G,EAAOpK,OAAO4K,KAAK6G,EAAQlF,SAAUnC,EAAM6E,eAElE,MAAMyC,EAAoBtH,EAAMuH,YAChC,QAAMvH,GAAOuH,WAAa,SAAUC,GAChCF,EAAkBxO,MAAMzC,KAAMsC,WAC9B+N,EAAuB1G,EAAOpK,OAAO4K,KAAKgH,EAASC,YAAYtF,WAAYnC,EAAM6E,cACrF,EAzOJ,SAA4BrD,EAAKxB,GACxBkB,EAAoB/B,SAASmC,EAAatB,EAAMG,OACjDe,EAAoBrK,KAAKyK,EAAatB,EAAMG,OAEhD,QAAoB,CAChBF,GAAI,gBACJC,MAAO,WACPuB,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,sBACAM,MACAkG,SAAU,CACNC,gBAAiB,CACbzH,MAAO,kCACP7C,KAAM,UACNuK,cAAc,MAQtBhG,IAEA,MAAMC,EAAyB,mBAAZD,EAAIC,IAAqBD,EAAIC,IAAIgG,KAAKjG,GAAOkG,KAAKjG,IACrE7B,EAAM+H,WAAU,EAAGC,QAAOC,UAAS5Q,OAAMoB,WACrC,MAAMyP,EAAUzB,IAChB7E,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,MAAQtG,EACfiR,SAAU,QACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3BiC,OAAQ1C,EAAcrI,GACtBoB,QAEJyP,aAGRF,GAAO5J,IACHoI,OAAe3N,EACf+I,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,MAAQtG,EACfiR,SAAU,MACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3BiC,OAAQ1C,EAAcrI,GACtBoB,OACA2F,UAEJ8J,YAEN,IAEND,GAAS5M,IACLmL,OAAe3N,EACf+I,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACN0G,QAAS,QACT5K,MAAO,MAAQtG,EACfiR,SAAU,MACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3BiC,OAAQ1C,EAAcrI,GACtBoB,OACA4C,SAEJ6M,YAEN,GACJ,IACH,GACHlI,EAAM8F,kBAAkBpB,SAASrN,KAC7B,SAAM,KAAM,QAAM2I,EAAM3I,MAAQ,CAACsJ,EAAUD,KACvCkB,EAAI4G,wBACJ5G,EAAIoB,mBAAmB5B,GACnBH,GACAW,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,SACP2K,SAAUjR,EACVkJ,KAAM,CACFI,WACAD,YAEJwH,QAAS1B,IAGrB,GACD,CAAEiC,MAAM,GAAO,IAEtBzI,EAAM0I,YAAW,EAAGtR,SAAQiG,QAAQiC,KAGhC,GAFAsC,EAAI4G,wBACJ5G,EAAIoB,mBAAmB5B,IAClBH,EACD,OAEJ,MAAM0H,EAAY,CACdN,KAAMxG,IACNlE,MAAOkD,EAAmBxD,GAC1BkD,KAAMc,EAAS,CAAErB,MAAON,EAAcM,EAAMG,MAAQC,EAAgBhJ,IACpE8Q,QAAS1B,GAETnJ,IAAStD,EAAagH,cACtB4H,EAAUL,SAAW,KAEhBjL,IAAStD,EAAaiH,YAC3B2H,EAAUL,SAAW,KAEhBlR,IAAWa,MAAMoI,QAAQjJ,KAC9BuR,EAAUL,SAAWlR,EAAOiG,MAE5BjG,IACAuR,EAAUpI,KAAK,eAAiB,CAC5BX,QAAS,CACLD,QAAS,gBACTtC,KAAM,SACNsF,QAAS,sBACTlD,MAAOrI,KAInBwK,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAOmS,GACT,GACH,CAAEC,UAAU,EAAMC,MAAO,SAC5B,MAAMC,EAAY9I,EAAMuH,WACxBvH,EAAMuH,YAAa,SAASC,IACxBsB,EAAUtB,GACV5F,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,MAAQqC,EAAMG,IACrBmI,SAAU,aACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3B4I,KAAMrJ,EAAc,kBAKhCkC,EAAI4G,wBACJ5G,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,EAAa,IAExC,MAAM,SAAE4H,GAAahJ,EACrBA,EAAMgJ,SAAW,KACbA,IACApH,EAAI4G,wBACJ5G,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,GACvBQ,EAAIqH,cAActB,iBACdlJ,EAAa,aAAauB,EAAMG,gBAAgB,EAGxDyB,EAAI4G,wBACJ5G,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,GACvBQ,EAAIqH,cAActB,iBACdlJ,EAAa,IAAIuB,EAAMG,0BAA0B,GAE7D,CA4DI+I,CAAmB1H,EAEnBxB,EACJ,CAuJA,MAAMmJ,EAAO,OACb,SAASC,EAAgBC,EAAeC,EAAUV,EAAUW,EAAYJ,GACpEE,EAAcxS,KAAKyS,GACnB,MAAME,EAAqB,KACvB,MAAMC,EAAMJ,EAAcK,QAAQJ,GAC9BG,GAAO,IACPJ,EAAcM,OAAOF,EAAK,GAC1BF,IACJ,EAKJ,OAHKX,IAAY,YACb,QAAeY,GAEZA,CACX,CACA,SAASI,EAAqBP,KAAkB5Q,GAC5C4Q,EAAc7R,QAAQkN,SAAS4E,IAC3BA,KAAY7Q,EAAK,GAEzB,CAEA,MAAMoR,EAA0B3T,GAAOA,IACvC,SAAS4T,EAAqBhN,EAAQiN,GAE9BjN,aAAkBkN,KAAOD,aAAwBC,KACjDD,EAAarF,SAAQ,CAACjF,EAAOF,IAAQzC,EAAOuJ,IAAI9G,EAAKE,KAGrD3C,aAAkBmN,KAAOF,aAAwBE,KACjDF,EAAarF,QAAQ5H,EAAOoN,IAAKpN,GAGrC,IAAK,MAAMyC,KAAOwK,EAAc,CAC5B,IAAKA,EAAajU,eAAeyJ,GAC7B,SACJ,MAAM4K,EAAWJ,EAAaxK,GACxB6K,EAActN,EAAOyC,GACvB5F,EAAcyQ,IACdzQ,EAAcwQ,IACdrN,EAAOhH,eAAeyJ,MACrB,QAAM4K,MACN,QAAWA,GAIZrN,EAAOyC,GAAOuK,EAAqBM,EAAaD,GAIhDrN,EAAOyC,GAAO4K,CAEtB,CACA,OAAOrN,CACX,CACA,MAAMuN,EAE2B3Q,SAC3B4Q,EAA+B,IAAIC,SAyBjChM,OAAM,GAAK3I,OA8CnB,SAAS4U,EAAiBrK,EAAKsK,EAAOpD,EAAU,CAAC,EAAG7N,EAAOkR,EAAKC,GAC5D,IAAIC,EACJ,MAAMC,EAAmB,EAAO,CAAE1I,QAAS,CAAC,GAAKkF,GAM3CyD,EAAoB,CACtBrC,MAAM,GAwBV,IAAIsC,EACAC,EAGAC,EAFA5B,EAAgB,GAChB6B,EAAsB,GAE1B,MAAMC,EAAe3R,EAAM8F,MAAMG,MAAMU,GAGlCwK,GAAmBQ,IAEhB,MACA,QAAI3R,EAAM8F,MAAMG,MAAOU,EAAK,CAAC,GAG7B3G,EAAM8F,MAAMG,MAAMU,GAAO,CAAC,GAGlC,MAAMiL,GAAW,QAAI,CAAC,GAGtB,IAAIC,EACJ,SAASC,EAAOC,GACZ,IAAIC,EACJT,EAAcC,GAAkB,EAMK,mBAA1BO,GACPA,EAAsB/R,EAAM8F,MAAMG,MAAMU,IACxCqL,EAAuB,CACnBnO,KAAMtD,EAAagH,cACnB6E,QAASzF,EACT/I,OAAQ6T,KAIZnB,EAAqBtQ,EAAM8F,MAAMG,MAAMU,GAAMoL,GAC7CC,EAAuB,CACnBnO,KAAMtD,EAAaiH,YACnBmD,QAASoH,EACT3F,QAASzF,EACT/I,OAAQ6T,IAGhB,MAAMQ,EAAgBJ,EAAiB3R,UACvC,UAAWgS,MAAK,KACRL,IAAmBI,IACnBV,GAAc,EAClB,IAEJC,GAAkB,EAElBpB,EAAqBP,EAAemC,EAAsBhS,EAAM8F,MAAMG,MAAMU,GAChF,CACA,MAAM8D,EAAS0G,EACT,WACE,MAAM,MAAErL,GAAU+H,EACZsE,EAAWrM,EAAQA,IAAU,CAAC,EAEpCjJ,KAAKiV,QAAQxG,IACT,EAAOA,EAAQ6G,EAAS,GAEhC,EAMUxC,EAcd,SAASyC,EAAWvU,EAAM+K,GACtB,OAAO,WACH7I,EAAeC,GACf,MAAMf,EAAOR,MAAMmN,KAAKzM,WAClBkT,EAAoB,GACpBC,EAAsB,GAe5B,IAAIC,EAPJnC,EAAqBsB,EAAqB,CACtCzS,OACApB,OACA2I,QACAgI,MAXJ,SAAesB,GACXuC,EAAkBhV,KAAKyS,EAC3B,EAUIrB,QATJ,SAAiBqB,GACbwC,EAAoBjV,KAAKyS,EAC7B,IAUA,IACIyC,EAAM3J,EAAOtJ,MAAMzC,MAAQA,KAAK8J,MAAQA,EAAM9J,KAAO2J,EAAOvH,EAEhE,CACA,MAAO4C,GAEH,MADAuO,EAAqBkC,EAAqBzQ,GACpCA,CACV,CACA,OAAI0Q,aAAe5I,QACR4I,EACFL,MAAMjM,IACPmK,EAAqBiC,EAAmBpM,GACjCA,KAENuM,OAAO3Q,IACRuO,EAAqBkC,EAAqBzQ,GACnC8H,QAAQE,OAAOhI,OAI9BuO,EAAqBiC,EAAmBE,GACjCA,EACX,CACJ,CACA,MAAMtE,GAA4B,QAAQ,CACtCtF,QAAS,CAAC,EACV6C,QAAS,CAAC,EACV1F,MAAO,GACP8L,aAEEa,EAAe,CACjBC,GAAI1S,EAEJ2G,MACA4H,UAAWqB,EAAgBvB,KAAK,KAAMqD,GACtCI,SACArH,SACA,UAAAyE,CAAWY,EAAUjC,EAAU,CAAC,GAC5B,MAAMmC,EAAqBJ,EAAgBC,EAAeC,EAAUjC,EAAQuB,UAAU,IAAMuD,MACtFA,EAAcvB,EAAMwB,KAAI,KAAM,SAAM,IAAM5S,EAAM8F,MAAMG,MAAMU,KAAOb,KAC/C,SAAlB+H,EAAQwB,MAAmBmC,EAAkBD,IAC7CzB,EAAS,CACL1D,QAASzF,EACT9C,KAAMtD,EAAa+G,OACnB1J,OAAQ6T,GACT3L,EACP,GACD,EAAO,CAAC,EAAGwL,EAAmBzD,MACjC,OAAOmC,CACX,EACAR,SApFJ,WACI4B,EAAMyB,OACNhD,EAAgB,GAChB6B,EAAsB,GACtB1R,EAAMuK,GAAGuI,OAAOnM,EACpB,GAkFI,OAEA8L,EAAaM,IAAK,GAEtB,MAAMvM,GAAQ,QAAoD9F,EAC5D,EAAO,CACLuN,cACA3B,mBAAmB,QAAQ,IAAImE,MAChCgC,GAIDA,GAGNzS,EAAMuK,GAAGsC,IAAIlG,EAAKH,GAClB,MAEMwM,GAFkBhT,EAAMiT,IAAMjT,EAAMiT,GAAGC,gBAAmB7C,IAE9B,IAAMrQ,EAAMmT,GAAGP,KAAI,KAAOxB,GAAQ,WAAewB,IAAI3B,OAEvF,IAAK,MAAMlL,KAAOiN,EAAY,CAC1B,MAAMI,EAAOJ,EAAWjN,GACxB,IAAK,QAAMqN,KAlQChT,EAkQoBgT,IAjQ1B,QAAMhT,KAAMA,EAAEiT,UAiQsB,QAAWD,GAOvCjC,KAEFQ,IAjRG2B,EAiR2BF,EAhRvC,KAC2BtC,EAAe3U,IAAImX,GAC9CnT,EAAcmT,IAASA,EAAIhX,eAAeuU,OA+Q7B,QAAMuC,GACNA,EAAKnN,MAAQ0L,EAAa5L,GAK1BuK,EAAqB8C,EAAMzB,EAAa5L,KAK5C,MACA,QAAI/F,EAAM8F,MAAMG,MAAMU,GAAMZ,EAAKqN,GAGjCpT,EAAM8F,MAAMG,MAAMU,GAAKZ,GAAOqN,QASrC,GAAoB,mBAATA,EAAqB,CAEjC,MAAMG,EAAsEnB,EAAWrM,EAAKqN,GAIxF,MACA,QAAIJ,EAAYjN,EAAKwN,GAIrBP,EAAWjN,GAAOwN,EAQtBlC,EAAiB1I,QAAQ5C,GAAOqN,CACpC,CAgBJ,CA9UJ,IAAuBE,EAMHlT,EA4ahB,GAjGI,KACAhE,OAAO4K,KAAKgM,GAAY9H,SAASnF,KAC7B,QAAIS,EAAOT,EAAKiN,EAAWjN,GAAK,KAIpC,EAAOS,EAAOwM,GAGd,GAAO,QAAMxM,GAAQwM,IAKzB5W,OAAOoX,eAAehN,EAAO,SAAU,CACnCgE,IAAK,IAAyExK,EAAM8F,MAAMG,MAAMU,GAChGkG,IAAM/G,IAKFgM,GAAQxG,IACJ,EAAOA,EAAQxF,EAAM,GACvB,IA0ENpF,EAAc,CACd,MAAM+S,EAAgB,CAClBC,UAAU,EACVC,cAAc,EAEdC,YAAY,GAEhB,CAAC,KAAM,cAAe,WAAY,qBAAqB1I,SAAS2I,IAC5DzX,OAAOoX,eAAehN,EAAOqN,EAAG,EAAO,CAAE5N,MAAOO,EAAMqN,IAAMJ,GAAe,GAEnF,CA6CA,OA3CI,OAEAjN,EAAMuM,IAAK,GAGf/S,EAAM0S,GAAGxH,SAAS4I,IAEd,GAAIpT,EAAc,CACd,MAAMqT,EAAa3C,EAAMwB,KAAI,IAAMkB,EAAS,CACxCtN,QACAwB,IAAKhI,EAAMiT,GACXjT,QACA6N,QAASwD,MAEbjV,OAAO4K,KAAK+M,GAAc,CAAC,GAAG7I,SAASnF,GAAQS,EAAM8F,kBAAkBoE,IAAI3K,KAC3E,EAAOS,EAAOuN,EAClB,MAEI,EAAOvN,EAAO4K,EAAMwB,KAAI,IAAMkB,EAAS,CACnCtN,QACAwB,IAAKhI,EAAMiT,GACXjT,QACA6N,QAASwD,MAEjB,IAYAM,GACAR,GACAtD,EAAQmG,SACRnG,EAAQmG,QAAQxN,EAAM8E,OAAQqG,GAElCJ,GAAc,EACdC,GAAkB,EACXhL,CACX,CACA,SAASyN,GAETC,EAAajD,EAAOkD,GAChB,IAAI1N,EACAoH,EACJ,MAAMuG,EAAgC,mBAAVnD,EAa5B,SAASoD,EAASrU,EAAOkR,GACrB,MAAMoD,GAAa,UAoDnB,OAnDAtU,EAGuFA,IAC9EsU,GAAa,QAAOrU,EAAa,MAAQ,QAE9CF,EAAeC,IAMnBA,EAAQF,GACGyK,GAAGpO,IAAIsK,KAEV2N,EACApD,EAAiBvK,EAAIwK,EAAOpD,EAAS7N,GAtgBrD,SAA4ByG,EAAIoH,EAAS7N,EAAOkR,GAC5C,MAAM,MAAEpL,EAAK,QAAE6C,EAAO,QAAE6C,GAAYqC,EAC9B8D,EAAe3R,EAAM8F,MAAMG,MAAMQ,GACvC,IAAID,EAoCJA,EAAQwK,EAAiBvK,GAnCzB,WACSkL,IAEG,MACA,QAAI3R,EAAM8F,MAAMG,MAAOQ,EAAIX,EAAQA,IAAU,CAAC,GAG9C9F,EAAM8F,MAAMG,MAAMQ,GAAMX,EAAQA,IAAU,CAAC,GAInD,MAAMyO,GAGA,QAAOvU,EAAM8F,MAAMG,MAAMQ,IAC/B,OAAO,EAAO8N,EAAY5L,EAASvM,OAAO4K,KAAKwE,GAAW,CAAC,GAAG1E,QAAO,CAAC0N,EAAiB3W,KAInF2W,EAAgB3W,IAAQ,SAAQ,SAAS,KACrCkC,EAAeC,GAEf,MAAMwG,EAAQxG,EAAMuK,GAAGC,IAAI/D,GAG3B,IAAI,MAAWD,EAAMuM,GAKrB,OAAOvH,EAAQ3N,GAAME,KAAKyI,EAAOA,EAAM,KAEpCgO,IACR,CAAC,GACR,GACoC3G,EAAS7N,EAAOkR,GAAK,EAE7D,CAgegBuD,CAAmBhO,EAAIoH,EAAS7N,IAQ1BA,EAAMuK,GAAGC,IAAI/D,EAyB/B,CAEA,MApE2B,iBAAhByN,GACPzN,EAAKyN,EAELrG,EAAUuG,EAAeD,EAAelD,IAGxCpD,EAAUqG,EACVzN,EAAKyN,EAAYzN,IA4DrB4N,EAAS1N,IAAMF,EACR4N,CACX,yCCrsDO,MAAMrU,GDg7Bb,WACI,MAAMoR,GAAQ,SAAY,GAGpBtL,EAAQsL,EAAMwB,KAAI,KAAM,QAAI,CAAC,KACnC,IAAIF,EAAK,GAELgC,EAAgB,GACpB,MAAM1U,GAAQ,QAAQ,CAClB,OAAA2U,CAAQ3M,GAGJjI,EAAeC,GACV,OACDA,EAAMiT,GAAKjL,EACXA,EAAI4M,QAAQ3U,EAAaD,GACzBgI,EAAI6M,OAAOC,iBAAiBC,OAAS/U,EAEjCU,GACAqH,EAAsBC,EAAKhI,GAE/B0U,EAAcxJ,SAAS8J,GAAWtC,EAAGrV,KAAK2X,KAC1CN,EAAgB,GAExB,EACA,GAAAO,CAAID,GAOA,OANKnY,KAAKoW,IAAO,KAIbP,EAAGrV,KAAK2X,GAHRN,EAAcrX,KAAK2X,GAKhBnY,IACX,EACA6V,KAGAO,GAAI,KACJE,GAAI/B,EACJ7G,GAAI,IAAIiG,IACR1K,UAOJ,OAHIpF,GAAiC,oBAAV+M,OACvBzN,EAAMiV,IAAIrH,GAEP5N,CACX,CCh+BqBkV,mBCtBrB,MAAMC,GAAQ,eACRC,GAAgB,IAAIC,OAAO,IAAMF,GAAQ,aAAc,MACvDG,GAAe,IAAID,OAAO,IAAMF,GAAQ,KAAM,MAEpD,SAASI,GAAiBC,EAAYC,GACrC,IAEC,MAAO,CAACC,mBAAmBF,EAAWG,KAAK,KAC5C,CAAE,MAEF,CAEA,GAA0B,IAAtBH,EAAWjX,OACd,OAAOiX,EAGRC,EAAQA,GAAS,EAGjB,MAAMG,EAAOJ,EAAWxX,MAAM,EAAGyX,GAC3BI,EAAQL,EAAWxX,MAAMyX,GAE/B,OAAOhX,MAAMpC,UAAU6B,OAAOH,KAAK,GAAIwX,GAAiBK,GAAOL,GAAiBM,GACjF,CAEA,SAASC,GAAOC,GACf,IACC,OAAOL,mBAAmBK,EAC3B,CAAE,MACD,IAAIC,EAASD,EAAME,MAAMb,KAAkB,GAE3C,IAAK,IAAI/W,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IAGlC2X,GAFAD,EAAQR,GAAiBS,EAAQ3X,GAAGsX,KAAK,KAE1BM,MAAMb,KAAkB,GAGxC,OAAOW,CACR,CACD,CCvCe,SAASG,GAAaC,EAAQC,GAC5C,GAAwB,iBAAXD,GAA4C,iBAAdC,EAC1C,MAAM,IAAInZ,UAAU,iDAGrB,GAAe,KAAXkZ,GAA+B,KAAdC,EACpB,MAAO,GAGR,MAAMC,EAAiBF,EAAOjG,QAAQkG,GAEtC,OAAwB,IAApBC,EACI,GAGD,CACNF,EAAOnY,MAAM,EAAGqY,GAChBF,EAAOnY,MAAMqY,EAAiBD,EAAU7X,QAE1C,CCnBO,SAAS+X,GAAYC,EAAQC,GACnC,MAAM5R,EAAS,CAAC,EAEhB,GAAInG,MAAMoI,QAAQ2P,GACjB,IAAK,MAAMzQ,KAAOyQ,EAAW,CAC5B,MAAMC,EAAara,OAAOsa,yBAAyBH,EAAQxQ,GACvD0Q,GAAY7C,YACfxX,OAAOoX,eAAe5O,EAAQmB,EAAK0Q,EAErC,MAGA,IAAK,MAAM1Q,KAAO2H,QAAQiJ,QAAQJ,GAAS,CAC1C,MAAME,EAAara,OAAOsa,yBAAyBH,EAAQxQ,GACvD0Q,EAAW7C,YAEV4C,EAAUzQ,EADAwQ,EAAOxQ,GACKwQ,IACzBna,OAAOoX,eAAe5O,EAAQmB,EAAK0Q,EAGtC,CAGD,OAAO7R,CACR,CCpBA,MAAMgS,GAAoB3Q,GAASA,QAG7B4Q,GAAkBV,GAAUW,mBAAmBX,GAAQrR,QAAQ,YAAYiS,GAAK,IAAIA,EAAEC,WAAW,GAAG3W,SAAS,IAAI4W,kBAEjHC,GAA2BhX,OAAO,4BA8OxC,SAASiX,GAA6BlR,GACrC,GAAqB,iBAAVA,GAAuC,IAAjBA,EAAM1H,OACtC,MAAM,IAAItB,UAAU,uDAEtB,CAEA,SAASma,GAAOnR,EAAO4H,GACtB,OAAIA,EAAQuJ,OACJvJ,EAAQwJ,OAASR,GAAgB5Q,GAAS6Q,mBAAmB7Q,GAG9DA,CACR,CAEA,SAAS,GAAOA,EAAO4H,GACtB,OAAIA,EAAQiI,OHzLE,SAA4BwB,GAC1C,GAA0B,iBAAfA,EACV,MAAM,IAAIra,UAAU,6DAA+Dqa,EAAa,KAGjG,IAEC,OAAO5B,mBAAmB4B,EAC3B,CAAE,MAED,OA9CF,SAAkCvB,GAEjC,MAAMwB,EAAa,CAClB,SAAU,KACV,SAAU,MAGX,IAAItB,EAAQX,GAAakC,KAAKzB,GAC9B,KAAOE,GAAO,CACb,IAECsB,EAAWtB,EAAM,IAAMP,mBAAmBO,EAAM,GACjD,CAAE,MACD,MAAMrR,EAASkR,GAAOG,EAAM,IAExBrR,IAAWqR,EAAM,KACpBsB,EAAWtB,EAAM,IAAMrR,EAEzB,CAEAqR,EAAQX,GAAakC,KAAKzB,EAC3B,CAGAwB,EAAW,OAAS,IAEpB,MAAME,EAAUrb,OAAO4K,KAAKuQ,GAE5B,IAAK,MAAMxR,KAAO0R,EAEjB1B,EAAQA,EAAMjR,QAAQ,IAAIuQ,OAAOtP,EAAK,KAAMwR,EAAWxR,IAGxD,OAAOgQ,CACR,CAYS2B,CAAyBJ,EACjC,CACD,CG8KS,CAAgBrR,GAGjBA,CACR,CAEA,SAAS0R,GAAW5B,GACnB,OAAItX,MAAMoI,QAAQkP,GACVA,EAAM6B,OAGO,iBAAV7B,EACH4B,GAAWvb,OAAO4K,KAAK+O,IAC5B6B,MAAK,CAAC5U,EAAG6U,IAAMC,OAAO9U,GAAK8U,OAAOD,KAClC9L,KAAIhG,GAAOgQ,EAAMhQ,KAGbgQ,CACR,CAEA,SAASgC,GAAWhC,GACnB,MAAMiC,EAAYjC,EAAM7F,QAAQ,KAKhC,OAJmB,IAAf8H,IACHjC,EAAQA,EAAM/X,MAAM,EAAGga,IAGjBjC,CACR,CAYA,SAASkC,GAAWhS,EAAO4H,GAO1B,OANIA,EAAQqK,eAAiBJ,OAAOK,MAAML,OAAO7R,KAA6B,iBAAVA,GAAuC,KAAjBA,EAAMmS,OAC/FnS,EAAQ6R,OAAO7R,IACL4H,EAAQwK,eAA2B,OAAVpS,GAA2C,SAAxBA,EAAMP,eAAoD,UAAxBO,EAAMP,gBAC9FO,EAAgC,SAAxBA,EAAMP,eAGRO,CACR,CAEO,SAASqS,GAAQvC,GAEvB,MAAMwC,GADNxC,EAAQgC,GAAWhC,IACM7F,QAAQ,KACjC,OAAoB,IAAhBqI,EACI,GAGDxC,EAAM/X,MAAMua,EAAa,EACjC,CAEO,SAASnP,GAAMoP,EAAO3K,GAW5BsJ,IAVAtJ,EAAU,CACTiI,QAAQ,EACR8B,MAAM,EACNa,YAAa,OACbC,qBAAsB,IACtBR,cAAc,EACdG,eAAe,KACZxK,IAGiC6K,sBAErC,MAAMC,EApMP,SAA8B9K,GAC7B,IAAIjJ,EAEJ,OAAQiJ,EAAQ4K,aACf,IAAK,QACJ,MAAO,CAAC1S,EAAKE,EAAO2S,KACnBhU,EAAS,YAAY4S,KAAKzR,GAE1BA,EAAMA,EAAIjB,QAAQ,UAAW,IAExBF,QAKoBvF,IAArBuZ,EAAY7S,KACf6S,EAAY7S,GAAO,CAAC,GAGrB6S,EAAY7S,GAAKnB,EAAO,IAAMqB,GAR7B2S,EAAY7S,GAAOE,CAQe,EAIrC,IAAK,UACJ,MAAO,CAACF,EAAKE,EAAO2S,KACnBhU,EAAS,SAAS4S,KAAKzR,GACvBA,EAAMA,EAAIjB,QAAQ,OAAQ,IAErBF,OAKoBvF,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI6S,EAAY7S,GAAME,GAJxC2S,EAAY7S,GAAO,CAACE,GALpB2S,EAAY7S,GAAOE,CAS2B,EAIjD,IAAK,uBACJ,MAAO,CAACF,EAAKE,EAAO2S,KACnBhU,EAAS,WAAW4S,KAAKzR,GACzBA,EAAMA,EAAIjB,QAAQ,SAAU,IAEvBF,OAKoBvF,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI6S,EAAY7S,GAAME,GAJxC2S,EAAY7S,GAAO,CAACE,GALpB2S,EAAY7S,GAAOE,CAS2B,EAIjD,IAAK,QACL,IAAK,YACJ,MAAO,CAACF,EAAKE,EAAO2S,KACnB,MAAM/R,EAA2B,iBAAVZ,GAAsBA,EAAMN,SAASkI,EAAQ6K,sBAC9DG,EAAmC,iBAAV5S,IAAuBY,GAAW,GAAOZ,EAAO4H,GAASlI,SAASkI,EAAQ6K,sBACzGzS,EAAQ4S,EAAiB,GAAO5S,EAAO4H,GAAW5H,EAClD,MAAMkB,EAAWN,GAAWgS,EAAiB5S,EAAMwP,MAAM5H,EAAQ6K,sBAAsB3M,KAAI9B,GAAQ,GAAOA,EAAM4D,KAAuB,OAAV5H,EAAiBA,EAAQ,GAAOA,EAAO4H,GACpK+K,EAAY7S,GAAOoB,CAAQ,EAI7B,IAAK,oBACJ,MAAO,CAACpB,EAAKE,EAAO2S,KACnB,MAAM/R,EAAU,SAAShE,KAAKkD,GAG9B,GAFAA,EAAMA,EAAIjB,QAAQ,OAAQ,KAErB+B,EAEJ,YADA+R,EAAY7S,GAAOE,EAAQ,GAAOA,EAAO4H,GAAW5H,GAIrD,MAAM6S,EAAuB,OAAV7S,EAChB,GACAA,EAAMwP,MAAM5H,EAAQ6K,sBAAsB3M,KAAI9B,GAAQ,GAAOA,EAAM4D,UAE7CxO,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI6S,EAAY7S,MAAS+S,GAJ3CF,EAAY7S,GAAO+S,CAImC,EAIzD,QACC,MAAO,CAAC/S,EAAKE,EAAO2S,UACMvZ,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI,CAAC6S,EAAY7S,IAAMgT,OAAQ9S,GAJjD2S,EAAY7S,GAAOE,CAIoC,EAI5D,CA0FmB+S,CAAqBnL,GAGjCoL,EAAc7c,OAAOqB,OAAO,MAElC,GAAqB,iBAAV+a,EACV,OAAOS,EAKR,KAFAT,EAAQA,EAAMJ,OAAOtT,QAAQ,SAAU,KAGtC,OAAOmU,EAGR,IAAK,MAAMC,KAAaV,EAAM/C,MAAM,KAAM,CACzC,GAAkB,KAAdyD,EACH,SAGD,MAAMC,EAAatL,EAAQiI,OAASoD,EAAUpU,QAAQ,MAAO,KAAOoU,EAEpE,IAAKnT,EAAKE,GAASiQ,GAAaiD,EAAY,UAEhC9Z,IAAR0G,IACHA,EAAMoT,GAKPlT,OAAkB5G,IAAV4G,EAAsB,KAAQ,CAAC,QAAS,YAAa,qBAAqBN,SAASkI,EAAQ4K,aAAexS,EAAQ,GAAOA,EAAO4H,GACxI8K,EAAU,GAAO5S,EAAK8H,GAAU5H,EAAOgT,EACxC,CAEA,IAAK,MAAOlT,EAAKE,KAAU7J,OAAOqb,QAAQwB,GACzC,GAAqB,iBAAVhT,GAAgC,OAAVA,EAChC,IAAK,MAAOmT,EAAMC,KAAWjd,OAAOqb,QAAQxR,GAC3CA,EAAMmT,GAAQnB,GAAWoB,EAAQxL,QAGlCoL,EAAYlT,GAAOkS,GAAWhS,EAAO4H,GAIvC,OAAqB,IAAjBA,EAAQ+J,KACJqB,IAKiB,IAAjBpL,EAAQ+J,KAAgBxb,OAAO4K,KAAKiS,GAAarB,OAASxb,OAAO4K,KAAKiS,GAAarB,KAAK/J,EAAQ+J,OAAO9Q,QAAO,CAAClC,EAAQmB,KAC9H,MAAME,EAAQgT,EAAYlT,GAE1B,OADAnB,EAAOmB,GAAOuT,QAAQrT,IAA2B,iBAAVA,IAAuBxH,MAAMoI,QAAQZ,GAAS0R,GAAW1R,GAASA,EAClGrB,CAAM,GACXxI,OAAOqB,OAAO,MAClB,CAEO,SAASwL,GAAUsN,EAAQ1I,GACjC,IAAK0I,EACJ,MAAO,GAQRY,IALAtJ,EAAU,CAACuJ,QAAQ,EAClBC,QAAQ,EACRoB,YAAa,OACbC,qBAAsB,OAAQ7K,IAEM6K,sBAErC,MAAMa,EAAexT,GACnB8H,EAAQ2L,UAAY5C,GAAkBL,EAAOxQ,KAC1C8H,EAAQ4L,iBAAmC,KAAhBlD,EAAOxQ,GAGjC4S,EA9YP,SAA+B9K,GAC9B,OAAQA,EAAQ4K,aACf,IAAK,QACJ,OAAO1S,GAAO,CAACnB,EAAQqB,KACtB,MAAMyT,EAAQ9U,EAAOrG,OAErB,YACWc,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EAAQ,CAACwS,GAAOrR,EAAK8H,GAAU,IAAK6L,EAAO,KAAK/D,KAAK,KAInD,IACH/Q,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,IAAKuJ,GAAOsC,EAAO7L,GAAU,KAAMuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,IACvF,EAIH,IAAK,UACJ,OAAO5P,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,MAAM8H,KAAK,KAI7B,IACH/Q,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,MAAOuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,KAK9D,IAAK,uBACJ,OAAO5P,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,UAAU8H,KAAK,KAIjC,IACH/Q,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,SAAUuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,KAKjE,IAAK,QACL,IAAK,YACL,IAAK,oBAAqB,CACzB,MAAMgE,EAAsC,sBAAxB9L,EAAQ4K,YACzB,MACA,IAEH,OAAO1S,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,GAIRqB,EAAkB,OAAVA,EAAiB,GAAKA,EAER,IAAlBrB,EAAOrG,OACH,CAAC,CAAC6Y,GAAOrR,EAAK8H,GAAU8L,EAAavC,GAAOnR,EAAO4H,IAAU8H,KAAK,KAGnE,CAAC,CAAC/Q,EAAQwS,GAAOnR,EAAO4H,IAAU8H,KAAK9H,EAAQ6K,uBAExD,CAEA,QACC,OAAO3S,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EACHwS,GAAOrR,EAAK8H,IAIP,IACHjJ,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,IAAKuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,KAK9D,CAgRmBiE,CAAsB/L,GAElCgM,EAAa,CAAC,EAEpB,IAAK,MAAO9T,EAAKE,KAAU7J,OAAOqb,QAAQlB,GACpCgD,EAAaxT,KACjB8T,EAAW9T,GAAOE,GAIpB,MAAMe,EAAO5K,OAAO4K,KAAK6S,GAMzB,OAJqB,IAAjBhM,EAAQ+J,MACX5Q,EAAK4Q,KAAK/J,EAAQ+J,MAGZ5Q,EAAK+E,KAAIhG,IACf,MAAME,EAAQsQ,EAAOxQ,GAErB,YAAc1G,IAAV4G,EACI,GAGM,OAAVA,EACImR,GAAOrR,EAAK8H,GAGhBpP,MAAMoI,QAAQZ,GACI,IAAjBA,EAAM1H,QAAwC,sBAAxBsP,EAAQ4K,YAC1BrB,GAAOrR,EAAK8H,GAAW,KAGxB5H,EACLa,OAAO6R,EAAU5S,GAAM,IACvB4P,KAAK,KAGDyB,GAAOrR,EAAK8H,GAAW,IAAMuJ,GAAOnR,EAAO4H,EAAQ,IACxD/B,QAAOiL,GAAKA,EAAExY,OAAS,IAAGoX,KAAK,IACnC,CAEO,SAASmE,GAAS5Y,EAAK2M,GAC7BA,EAAU,CACTiI,QAAQ,KACLjI,GAGJ,IAAKkM,EAAMC,GAAQ9D,GAAahV,EAAK,KAMrC,YAJa7B,IAAT0a,IACHA,EAAO7Y,GAGD,CACNA,IAAK6Y,GAAMtE,MAAM,OAAO,IAAM,GAC9B+C,MAAOpP,GAAMkP,GAAQpX,GAAM2M,MACvBA,GAAWA,EAAQoM,yBAA2BD,EAAO,CAACE,mBAAoB,GAAOF,EAAMnM,IAAY,CAAC,EAE1G,CAEO,SAASsM,GAAa5D,EAAQ1I,GACpCA,EAAU,CACTuJ,QAAQ,EACRC,QAAQ,EACR,CAACH,KAA2B,KACzBrJ,GAGJ,MAAM3M,EAAM6W,GAAWxB,EAAOrV,KAAKuU,MAAM,KAAK,IAAM,GAQpD,IAAI2E,EAAcnR,GALJ,IACVG,GAHiBkP,GAAQ/B,EAAOrV,KAGZ,CAAC0W,MAAM,OAC3BrB,EAAOiC,OAGwB3K,GAC/BuM,IACHA,EAAc,IAAIA,KAGnB,IAAIJ,EAtML,SAAiB9Y,GAChB,IAAI8Y,EAAO,GACX,MAAMhC,EAAY9W,EAAIgP,QAAQ,KAK9B,OAJmB,IAAf8H,IACHgC,EAAO9Y,EAAIlD,MAAMga,IAGXgC,CACR,CA8LYK,CAAQ9D,EAAOrV,KAC1B,GAAIqV,EAAO2D,mBAAoB,CAC9B,MAAMI,EAA6B,IAAI/W,IAAIrC,GAC3CoZ,EAA2BN,KAAOzD,EAAO2D,mBACzCF,EAAOnM,EAAQqJ,IAA4BoD,EAA2BN,KAAO,IAAIzD,EAAO2D,oBACzF,CAEA,MAAO,GAAGhZ,IAAMkZ,IAAcJ,GAC/B,CAEO,SAASO,GAAKxE,EAAOjK,EAAQ+B,GACnCA,EAAU,CACToM,yBAAyB,EACzB,CAAC/C,KAA2B,KACzBrJ,GAGJ,MAAM,IAAC3M,EAAG,MAAEsX,EAAK,mBAAE0B,GAAsBJ,GAAS/D,EAAOlI,GAEzD,OAAOsM,GAAa,CACnBjZ,MACAsX,MAAOlC,GAAYkC,EAAO1M,GAC1BoO,sBACErM,EACJ,CAEO,SAAS2M,GAAQzE,EAAOjK,EAAQ+B,GAGtC,OAAO0M,GAAKxE,EAFYtX,MAAMoI,QAAQiF,GAAU/F,IAAQ+F,EAAOnG,SAASI,GAAO,CAACA,EAAKE,KAAW6F,EAAO/F,EAAKE,GAExE4H,EACrC,CCtgBA,2BCiBA,SAAS4M,GAAQzX,EAAG6U,GAClB,IAAK,IAAI9R,KAAO8R,EACd7U,EAAE+C,GAAO8R,EAAE9R,GAEb,OAAO/C,CACT,CAIA,IAAI0X,GAAkB,WAClBC,GAAwB,SAAUC,GAAK,MAAO,IAAMA,EAAE5D,WAAW,GAAG3W,SAAS,GAAK,EAClFwa,GAAU,OAKV,GAAS,SAAUC,GAAO,OAAOhE,mBAAmBgE,GACnDhW,QAAQ4V,GAAiBC,IACzB7V,QAAQ+V,GAAS,IAAM,EAE5B,SAAS,GAAQC,GACf,IACE,OAAOpF,mBAAmBoF,EAC5B,CAAE,MAAOC,GAIT,CACA,OAAOD,CACT,CA0BA,IAAIE,GAAsB,SAAU/U,GAAS,OAAiB,MAATA,GAAkC,iBAAVA,EAAqBA,EAAQlC,OAAOkC,EAAS,EAE1H,SAASgV,GAAYzC,GACnB,IAAI0C,EAAM,CAAC,EAIX,OAFA1C,EAAQA,EAAMJ,OAAOtT,QAAQ,YAAa,MAM1C0T,EAAM/C,MAAM,KAAKvK,SAAQ,SAAUiQ,GACjC,IAAIC,EAAQD,EAAMrW,QAAQ,MAAO,KAAK2Q,MAAM,KACxC1P,EAAM,GAAOqV,EAAMC,SACnBC,EAAMF,EAAM7c,OAAS,EAAI,GAAO6c,EAAMzF,KAAK,MAAQ,UAEtCtW,IAAb6b,EAAInV,GACNmV,EAAInV,GAAOuV,EACF7c,MAAMoI,QAAQqU,EAAInV,IAC3BmV,EAAInV,GAAK1I,KAAKie,GAEdJ,EAAInV,GAAO,CAACmV,EAAInV,GAAMuV,EAE1B,IAEOJ,GAjBEA,CAkBX,CAEA,SAASK,GAAgBjI,GACvB,IAAI4H,EAAM5H,EACNlX,OAAO4K,KAAKsM,GACXvH,KAAI,SAAUhG,GACb,IAAIuV,EAAMhI,EAAIvN,GAEd,QAAY1G,IAARic,EACF,MAAO,GAGT,GAAY,OAARA,EACF,OAAO,GAAOvV,GAGhB,GAAItH,MAAMoI,QAAQyU,GAAM,CACtB,IAAI1W,EAAS,GAWb,OAVA0W,EAAIpQ,SAAQ,SAAUsQ,QACPnc,IAATmc,IAGS,OAATA,EACF5W,EAAOvH,KAAK,GAAO0I,IAEnBnB,EAAOvH,KAAK,GAAO0I,GAAO,IAAM,GAAOyV,IAE3C,IACO5W,EAAO+Q,KAAK,IACrB,CAEA,OAAO,GAAO5P,GAAO,IAAM,GAAOuV,EACpC,IACCxP,QAAO,SAAUiL,GAAK,OAAOA,EAAExY,OAAS,CAAG,IAC3CoX,KAAK,KACN,KACJ,OAAOuF,EAAO,IAAMA,EAAO,EAC7B,CAIA,IAAIO,GAAkB,OAEtB,SAASC,GACPC,EACAtY,EACAuY,EACAC,GAEA,IAAIN,EAAiBM,GAAUA,EAAOhO,QAAQ0N,eAE1C/C,EAAQnV,EAASmV,OAAS,CAAC,EAC/B,IACEA,EAAQsD,GAAMtD,EAChB,CAAE,MAAOxW,GAAI,CAEb,IAAI+Z,EAAQ,CACVle,KAAMwF,EAASxF,MAAS8d,GAAUA,EAAO9d,KACzCme,KAAOL,GAAUA,EAAOK,MAAS,CAAC,EAClCrP,KAAMtJ,EAASsJ,MAAQ,IACvBqN,KAAM3W,EAAS2W,MAAQ,GACvBxB,MAAOA,EACPyD,OAAQ5Y,EAAS4Y,QAAU,CAAC,EAC5BC,SAAUC,GAAY9Y,EAAUkY,GAChCa,QAAST,EAASU,GAAYV,GAAU,IAK1C,OAHIC,IACFG,EAAMH,eAAiBO,GAAYP,EAAgBL,IAE9Cnf,OAAOkgB,OAAOP,EACvB,CAEA,SAASD,GAAO7V,GACd,GAAIxH,MAAMoI,QAAQZ,GAChB,OAAOA,EAAM8F,IAAI+P,IACZ,GAAI7V,GAA0B,iBAAVA,EAAoB,CAC7C,IAAIiV,EAAM,CAAC,EACX,IAAK,IAAInV,KAAOE,EACdiV,EAAInV,GAAO+V,GAAM7V,EAAMF,IAEzB,OAAOmV,CACT,CACE,OAAOjV,CAEX,CAGA,IAAIsW,GAAQb,GAAY,KAAM,CAC5B/O,KAAM,MAGR,SAAS0P,GAAaV,GAEpB,IADA,IAAIT,EAAM,GACHS,GACLT,EAAItO,QAAQ+O,GACZA,EAASA,EAAOa,OAElB,OAAOtB,CACT,CAEA,SAASiB,GACPM,EACAC,GAEA,IAAI/P,EAAO8P,EAAI9P,KACX6L,EAAQiE,EAAIjE,WAAsB,IAAVA,IAAmBA,EAAQ,CAAC,GACxD,IAAIwB,EAAOyC,EAAIzC,KAGf,YAHmC,IAATA,IAAkBA,EAAO,KAG3CrN,GAAQ,MADA+P,GAAmBnB,IACF/C,GAASwB,CAC5C,CAEA,SAAS2C,GAAa3Z,EAAG6U,EAAG+E,GAC1B,OAAI/E,IAAM0E,GACDvZ,IAAM6U,IACHA,IAED7U,EAAE2J,MAAQkL,EAAElL,KACd3J,EAAE2J,KAAK7H,QAAQ2W,GAAiB,MAAQ5D,EAAElL,KAAK7H,QAAQ2W,GAAiB,MAAQmB,GACrF5Z,EAAEgX,OAASnC,EAAEmC,MACb6C,GAAc7Z,EAAEwV,MAAOX,EAAEW,WAClBxV,EAAEnF,OAAQga,EAAEha,OAEnBmF,EAAEnF,OAASga,EAAEha,OACZ+e,GACC5Z,EAAEgX,OAASnC,EAAEmC,MACf6C,GAAc7Z,EAAEwV,MAAOX,EAAEW,QACzBqE,GAAc7Z,EAAEiZ,OAAQpE,EAAEoE,SAMhC,CAEA,SAASY,GAAe7Z,EAAG6U,GAKzB,QAJW,IAAN7U,IAAeA,EAAI,CAAC,QACd,IAAN6U,IAAeA,EAAI,CAAC,IAGpB7U,IAAM6U,EAAK,OAAO7U,IAAM6U,EAC7B,IAAIiF,EAAQ1gB,OAAO4K,KAAKhE,GAAG4U,OACvBmF,EAAQ3gB,OAAO4K,KAAK6Q,GAAGD,OAC3B,OAAIkF,EAAMve,SAAWwe,EAAMxe,QAGpBue,EAAME,OAAM,SAAUjX,EAAK1H,GAChC,IAAI4e,EAAOja,EAAE+C,GAEb,GADWgX,EAAM1e,KACJ0H,EAAO,OAAO,EAC3B,IAAImX,EAAOrF,EAAE9R,GAEb,OAAY,MAARkX,GAAwB,MAARC,EAAuBD,IAASC,EAEhC,iBAATD,GAAqC,iBAATC,EAC9BL,GAAcI,EAAMC,GAEtBnZ,OAAOkZ,KAAUlZ,OAAOmZ,EACjC,GACF,CAqBA,SAASC,GAAoBpB,GAC3B,IAAK,IAAI1d,EAAI,EAAGA,EAAI0d,EAAMK,QAAQ7d,OAAQF,IAAK,CAC7C,IAAIsd,EAASI,EAAMK,QAAQ/d,GAC3B,IAAK,IAAIR,KAAQ8d,EAAOyB,UAAW,CACjC,IAAIC,EAAW1B,EAAOyB,UAAUvf,GAC5Byf,EAAM3B,EAAO4B,WAAW1f,GAC5B,GAAKwf,GAAaC,EAAlB,QACO3B,EAAO4B,WAAW1f,GACzB,IAAK,IAAI2f,EAAM,EAAGA,EAAMF,EAAI/e,OAAQif,IAC7BH,EAASI,mBAAqBH,EAAIE,GAAKH,EAHZ,CAKpC,CACF,CACF,CAEA,IAAIK,GAAO,CACT7f,KAAM,aACN8f,YAAY,EACZC,MAAO,CACL/f,KAAM,CACJgG,KAAME,OACN8Z,QAAS,YAGbC,OAAQ,SAAiBC,EAAGtB,GAC1B,IAAImB,EAAQnB,EAAImB,MACZI,EAAWvB,EAAIuB,SACfxB,EAASC,EAAID,OACbzV,EAAO0V,EAAI1V,KAGfA,EAAKkX,YAAa,EAalB,IATA,IAAIC,EAAI1B,EAAO2B,eACXtgB,EAAO+f,EAAM/f,KACbke,EAAQS,EAAO4B,OACfC,EAAQ7B,EAAO8B,mBAAqB9B,EAAO8B,iBAAmB,CAAC,GAI/DC,EAAQ,EACRC,GAAW,EACRhC,GAAUA,EAAOiC,cAAgBjC,GAAQ,CAC9C,IAAIkC,EAAYlC,EAAOmC,OAASnC,EAAOmC,OAAO5X,KAAO,CAAC,EAClD2X,EAAUT,YACZM,IAEEG,EAAUE,WAAapC,EAAOqC,iBAAmBrC,EAAOsC,YAC1DN,GAAW,GAEbhC,EAASA,EAAOuC,OAClB,CAIA,GAHAhY,EAAKiY,gBAAkBT,EAGnBC,EAAU,CACZ,IAAIS,EAAaZ,EAAMxgB,GACnBqhB,EAAkBD,GAAcA,EAAWE,UAC/C,OAAID,GAGED,EAAWG,aACbC,GAAgBH,EAAiBnY,EAAMkY,EAAWlD,MAAOkD,EAAWG,aAE/DlB,EAAEgB,EAAiBnY,EAAMiX,IAGzBE,GAEX,CAEA,IAAI9B,EAAUL,EAAMK,QAAQmC,GACxBY,EAAY/C,GAAWA,EAAQ5G,WAAW3X,GAG9C,IAAKue,IAAY+C,EAEf,OADAd,EAAMxgB,GAAQ,KACPqgB,IAITG,EAAMxgB,GAAQ,CAAEshB,UAAWA,GAI3BpY,EAAKuY,sBAAwB,SAAUC,EAAIjE,GAEzC,IAAIkE,EAAUpD,EAAQgB,UAAUvf,IAE7Byd,GAAOkE,IAAYD,IAClBjE,GAAOkE,IAAYD,KAErBnD,EAAQgB,UAAUvf,GAAQyd,EAE9B,GAIEvU,EAAK0Y,OAAS1Y,EAAK0Y,KAAO,CAAC,IAAIC,SAAW,SAAU3B,EAAG4B,GACvDvD,EAAQgB,UAAUvf,GAAQ8hB,EAAM7U,iBAClC,EAIA/D,EAAK0Y,KAAKG,KAAO,SAAUD,GACrBA,EAAM5Y,KAAK6X,WACbe,EAAM7U,mBACN6U,EAAM7U,oBAAsBsR,EAAQgB,UAAUvf,KAE9Cue,EAAQgB,UAAUvf,GAAQ8hB,EAAM7U,mBAMlCqS,GAAmBpB,EACrB,EAEA,IAAIqD,EAAchD,EAAQwB,OAASxB,EAAQwB,MAAM/f,GAUjD,OARIuhB,IACF3E,GAAO4D,EAAMxgB,GAAO,CAClBke,MAAOA,EACPqD,YAAaA,IAEfC,GAAgBF,EAAWpY,EAAMgV,EAAOqD,IAGnClB,EAAEiB,EAAWpY,EAAMiX,EAC5B,GAGF,SAASqB,GAAiBF,EAAWpY,EAAMgV,EAAOqD,GAEhD,IAAIS,EAAc9Y,EAAK6W,MAezB,SAAuB7B,EAAOlH,GAC5B,cAAeA,GACb,IAAK,YACH,OACF,IAAK,SACH,OAAOA,EACT,IAAK,WACH,OAAOA,EAAOkH,GAChB,IAAK,UACH,OAAOlH,EAASkH,EAAME,YAAS5c,EAUrC,CAlCiCygB,CAAa/D,EAAOqD,GACnD,GAAIS,EAAa,CAEfA,EAAc9Y,EAAK6W,MAAQnD,GAAO,CAAC,EAAGoF,GAEtC,IAAIE,EAAQhZ,EAAKgZ,MAAQhZ,EAAKgZ,OAAS,CAAC,EACxC,IAAK,IAAIha,KAAO8Z,EACTV,EAAUvB,OAAW7X,KAAOoZ,EAAUvB,QACzCmC,EAAMha,GAAO8Z,EAAY9Z,UAClB8Z,EAAY9Z,GAGzB,CACF,CAyBA,SAASia,GACPC,EACAC,EACAC,GAEA,IAAIC,EAAYH,EAASI,OAAO,GAChC,GAAkB,MAAdD,EACF,OAAOH,EAGT,GAAkB,MAAdG,GAAmC,MAAdA,EACvB,OAAOF,EAAOD,EAGhB,IAAIK,EAAQJ,EAAKzK,MAAM,KAKlB0K,GAAWG,EAAMA,EAAM/hB,OAAS,IACnC+hB,EAAMC,MAKR,IADA,IAAIC,EAAWP,EAASnb,QAAQ,MAAO,IAAI2Q,MAAM,KACxCpX,EAAI,EAAGA,EAAImiB,EAASjiB,OAAQF,IAAK,CACxC,IAAIoiB,EAAUD,EAASniB,GACP,OAAZoiB,EACFH,EAAMC,MACe,MAAZE,GACTH,EAAMjjB,KAAKojB,EAEf,CAOA,MAJiB,KAAbH,EAAM,IACRA,EAAM1T,QAAQ,IAGT0T,EAAM3K,KAAK,IACpB,CAyBA,SAAS+K,GAAW/T,GAClB,OAAOA,EAAK7H,QAAQ,gBAAiB,IACvC,CAEA,IAAI6b,GAAUliB,MAAMoI,SAAW,SAAU+Z,GACvC,MAA8C,kBAAvCxkB,OAAOC,UAAUgE,SAAStC,KAAK6iB,EACxC,EAKIC,GAmZJ,SAASC,EAAcnU,EAAM3F,EAAM6G,GAQjC,OAPK8S,GAAQ3Z,KACX6G,EAAkC7G,GAAQ6G,EAC1C7G,EAAO,IAGT6G,EAAUA,GAAW,CAAC,EAElBlB,aAAgB0I,OAlJtB,SAAyB1I,EAAM3F,GAE7B,IAAI+Z,EAASpU,EAAKqU,OAAO/K,MAAM,aAE/B,GAAI8K,EACF,IAAK,IAAI1iB,EAAI,EAAGA,EAAI0iB,EAAOxiB,OAAQF,IACjC2I,EAAK3J,KAAK,CACRQ,KAAMQ,EACN9B,OAAQ,KACR0kB,UAAW,KACXC,UAAU,EACVC,QAAQ,EACRC,SAAS,EACTC,UAAU,EACVC,QAAS,OAKf,OAAOC,GAAW5U,EAAM3F,EAC1B,CA+HWwa,CAAe7U,EAA4B,GAGhDgU,GAAQhU,GAxHd,SAAwBA,EAAM3F,EAAM6G,GAGlC,IAFA,IAAIuN,EAAQ,GAEH/c,EAAI,EAAGA,EAAIsO,EAAKpO,OAAQF,IAC/B+c,EAAM/d,KAAKyjB,EAAanU,EAAKtO,GAAI2I,EAAM6G,GAASmT,QAKlD,OAAOO,GAFM,IAAIlM,OAAO,MAAQ+F,EAAMzF,KAAK,KAAO,IAAK8L,GAAM5T,IAEnC7G,EAC5B,CA+GW0a,CAAoC,EAA8B,EAAQ7T,GArGrF,SAAyBlB,EAAM3F,EAAM6G,GACnC,OAAO8T,GAAe,GAAMhV,EAAMkB,GAAU7G,EAAM6G,EACpD,CAsGS+T,CAAqC,EAA8B,EAAQ/T,EACpF,EAnaIgU,GAAU,GAEVC,GAAqBC,GACrBC,GAAmBL,GAOnBM,GAAc,IAAI5M,OAAO,CAG3B,UAOA,0GACAM,KAAK,KAAM,KASb,SAAS,GAAOmF,EAAKjN,GAQnB,IAPA,IAKIqN,EALAlF,EAAS,GACTjQ,EAAM,EACN2T,EAAQ,EACR/M,EAAO,GACPuV,EAAmBrU,GAAWA,EAAQoT,WAAa,IAGf,OAAhC/F,EAAM+G,GAAYzK,KAAKsD,KAAe,CAC5C,IAAIqH,EAAIjH,EAAI,GACRkH,EAAUlH,EAAI,GACdmH,EAASnH,EAAIxB,MAKjB,GAJA/M,GAAQmO,EAAI9c,MAAM0b,EAAO2I,GACzB3I,EAAQ2I,EAASF,EAAE5jB,OAGf6jB,EACFzV,GAAQyV,EAAQ,OADlB,CAKA,IAAIE,EAAOxH,EAAIpB,GACXnd,EAAS2e,EAAI,GACbrd,EAAOqd,EAAI,GACXqH,EAAUrH,EAAI,GACdsH,EAAQtH,EAAI,GACZuH,EAAWvH,EAAI,GACfmG,EAAWnG,EAAI,GAGfvO,IACFqJ,EAAO3Y,KAAKsP,GACZA,EAAO,IAGT,IAAIyU,EAAoB,MAAV7kB,GAA0B,MAAR+lB,GAAgBA,IAAS/lB,EACrD4kB,EAAsB,MAAbsB,GAAiC,MAAbA,EAC7BvB,EAAwB,MAAbuB,GAAiC,MAAbA,EAC/BxB,EAAY/F,EAAI,IAAMgH,EACtBZ,EAAUiB,GAAWC,EAEzBxM,EAAO3Y,KAAK,CACVQ,KAAMA,GAAQkI,IACdxJ,OAAQA,GAAU,GAClB0kB,UAAWA,EACXC,SAAUA,EACVC,OAAQA,EACRC,QAASA,EACTC,WAAYA,EACZC,QAASA,EAAUoB,GAAYpB,GAAYD,EAAW,KAAO,KAAOsB,GAAa1B,GAAa,OA9BhG,CAgCF,CAYA,OATIvH,EAAQoB,EAAIvc,SACdoO,GAAQmO,EAAI8H,OAAOlJ,IAIjB/M,GACFqJ,EAAO3Y,KAAKsP,GAGPqJ,CACT,CAmBA,SAAS6M,GAA0B/H,GACjC,OAAOgI,UAAUhI,GAAKhW,QAAQ,WAAW,SAAU8V,GACjD,MAAO,IAAMA,EAAE5D,WAAW,GAAG3W,SAAS,IAAI4W,aAC5C,GACF,CAiBA,SAAS8K,GAAkB/L,EAAQnI,GAKjC,IAHA,IAAIkV,EAAU,IAAItkB,MAAMuX,EAAOzX,QAGtBF,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IACR,iBAAd2X,EAAO3X,KAChB0kB,EAAQ1kB,GAAK,IAAIgX,OAAO,OAASW,EAAO3X,GAAGijB,QAAU,KAAMG,GAAM5T,KAIrE,OAAO,SAAUyF,EAAKnS,GAMpB,IALA,IAAIwL,EAAO,GACP5F,EAAOuM,GAAO,CAAC,EAEf8D,GADUjW,GAAQ,CAAC,GACF6hB,OAASH,GAA2B/L,mBAEhDzY,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IAAK,CACtC,IAAI8W,EAAQa,EAAO3X,GAEnB,GAAqB,iBAAV8W,EAAX,CAMA,IACIsL,EADAxa,EAAQc,EAAKoO,EAAMtX,MAGvB,GAAa,MAAToI,EAAe,CACjB,GAAIkP,EAAM+L,SAAU,CAEd/L,EAAMiM,UACRzU,GAAQwI,EAAM5Y,QAGhB,QACF,CACE,MAAM,IAAIU,UAAU,aAAekY,EAAMtX,KAAO,kBAEpD,CAEA,GAAI8iB,GAAQ1a,GAAZ,CACE,IAAKkP,EAAMgM,OACT,MAAM,IAAIlkB,UAAU,aAAekY,EAAMtX,KAAO,kCAAoCmL,KAAKC,UAAUhD,GAAS,KAG9G,GAAqB,IAAjBA,EAAM1H,OAAc,CACtB,GAAI4W,EAAM+L,SACR,SAEA,MAAM,IAAIjkB,UAAU,aAAekY,EAAMtX,KAAO,oBAEpD,CAEA,IAAK,IAAI0B,EAAI,EAAGA,EAAI0G,EAAM1H,OAAQgB,IAAK,CAGrC,GAFAkhB,EAAUrJ,EAAOnR,EAAM1G,KAElBwjB,EAAQ1kB,GAAGwE,KAAK4d,GACnB,MAAM,IAAIxjB,UAAU,iBAAmBkY,EAAMtX,KAAO,eAAiBsX,EAAMmM,QAAU,oBAAsBtY,KAAKC,UAAUwX,GAAW,KAGvI9T,IAAe,IAANpN,EAAU4V,EAAM5Y,OAAS4Y,EAAM8L,WAAaR,CACvD,CAGF,KAxBA,CA4BA,GAFAA,EAAUtL,EAAMkM,SA5EbyB,UA4EuC7c,GA5ExBnB,QAAQ,SAAS,SAAU8V,GAC/C,MAAO,IAAMA,EAAE5D,WAAW,GAAG3W,SAAS,IAAI4W,aAC5C,IA0EuDG,EAAOnR,IAErD8c,EAAQ1kB,GAAGwE,KAAK4d,GACnB,MAAM,IAAIxjB,UAAU,aAAekY,EAAMtX,KAAO,eAAiBsX,EAAMmM,QAAU,oBAAsBb,EAAU,KAGnH9T,GAAQwI,EAAM5Y,OAASkkB,CARvB,CA1CA,MAHE9T,GAAQwI,CAsDZ,CAEA,OAAOxI,CACT,CACF,CAQA,SAASgW,GAAc7H,GACrB,OAAOA,EAAIhW,QAAQ,6BAA8B,OACnD,CAQA,SAAS4d,GAAaF,GACpB,OAAOA,EAAM1d,QAAQ,gBAAiB,OACxC,CASA,SAASyc,GAAY0B,EAAIjc,GAEvB,OADAic,EAAGjc,KAAOA,EACHic,CACT,CAQA,SAASxB,GAAO5T,GACd,OAAOA,GAAWA,EAAQqV,UAAY,GAAK,GAC7C,CAuEA,SAASvB,GAAgB3L,EAAQhP,EAAM6G,GAChC8S,GAAQ3Z,KACX6G,EAAkC7G,GAAQ6G,EAC1C7G,EAAO,IAUT,IALA,IAAIqQ,GAFJxJ,EAAUA,GAAW,CAAC,GAEDwJ,OACjB8L,GAAsB,IAAhBtV,EAAQsV,IACdpH,EAAQ,GAGH1d,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IAAK,CACtC,IAAI8W,EAAQa,EAAO3X,GAEnB,GAAqB,iBAAV8W,EACT4G,GAAS4G,GAAaxN,OACjB,CACL,IAAI5Y,EAASomB,GAAaxN,EAAM5Y,QAC5BgmB,EAAU,MAAQpN,EAAMmM,QAAU,IAEtCta,EAAK3J,KAAK8X,GAENA,EAAMgM,SACRoB,GAAW,MAAQhmB,EAASgmB,EAAU,MAaxCxG,GANIwG,EAJApN,EAAM+L,SACH/L,EAAMiM,QAGC7kB,EAAS,IAAMgmB,EAAU,KAFzB,MAAQhmB,EAAS,IAAMgmB,EAAU,MAKnChmB,EAAS,IAAMgmB,EAAU,GAIvC,CACF,CAEA,IAAItB,EAAY0B,GAAa9U,EAAQoT,WAAa,KAC9CmC,EAAoBrH,EAAM/d,OAAOijB,EAAU1iB,UAAY0iB,EAkB3D,OAZK5J,IACH0E,GAASqH,EAAoBrH,EAAM/d,MAAM,GAAIijB,EAAU1iB,QAAUwd,GAAS,MAAQkF,EAAY,WAI9FlF,GADEoH,EACO,IAIA9L,GAAU+L,EAAoB,GAAK,MAAQnC,EAAY,MAG3DM,GAAW,IAAIlM,OAAO,IAAM0G,EAAO0F,GAAM5T,IAAW7G,EAC7D,CAgCA6Z,GAAezX,MAAQyY,GACvBhB,GAAewC,QA9Tf,SAAkBvI,EAAKjN,GACrB,OAAOkU,GAAiB,GAAMjH,EAAKjN,GAAUA,EAC/C,EA6TAgT,GAAekB,iBAAmBD,GAClCjB,GAAec,eAAiBK,GAKhC,IAAIsB,GAAqBlnB,OAAOqB,OAAO,MAEvC,SAAS8lB,GACP5W,EACAsP,EACAuH,GAEAvH,EAASA,GAAU,CAAC,EACpB,IACE,IAAIwH,EACFH,GAAmB3W,KAClB2W,GAAmB3W,GAAQkU,GAAewC,QAAQ1W,IAMrD,MAFgC,iBAArBsP,EAAOyH,YAA0BzH,EAAO,GAAKA,EAAOyH,WAExDD,EAAOxH,EAAQ,CAAE+G,QAAQ,GAClC,CAAE,MAAOhhB,GAKP,MAAO,EACT,CAAE,eAEOia,EAAO,EAChB,CACF,CAIA,SAAS0H,GACPC,EACApE,EACAW,EACAtE,GAEA,IAAIyG,EAAsB,iBAARsB,EAAmB,CAAEjX,KAAMiX,GAAQA,EAErD,GAAItB,EAAKuB,YACP,OAAOvB,EACF,GAAIA,EAAKzkB,KAAM,CAEpB,IAAIoe,GADJqG,EAAO7H,GAAO,CAAC,EAAGmJ,IACA3H,OAIlB,OAHIA,GAA4B,iBAAXA,IACnBqG,EAAKrG,OAASxB,GAAO,CAAC,EAAGwB,IAEpBqG,CACT,CAGA,IAAKA,EAAK3V,MAAQ2V,EAAKrG,QAAUuD,EAAS,EACxC8C,EAAO7H,GAAO,CAAC,EAAG6H,IACbuB,aAAc,EACnB,IAAIC,EAAWrJ,GAAOA,GAAO,CAAC,EAAG+E,EAAQvD,QAASqG,EAAKrG,QACvD,GAAIuD,EAAQ3hB,KACVykB,EAAKzkB,KAAO2hB,EAAQ3hB,KACpBykB,EAAKrG,OAAS6H,OACT,GAAItE,EAAQpD,QAAQ7d,OAAQ,CACjC,IAAIwlB,EAAUvE,EAAQpD,QAAQoD,EAAQpD,QAAQ7d,OAAS,GAAGoO,KAC1D2V,EAAK3V,KAAO4W,GAAWQ,EAASD,EAAsBtE,EAAY,KACpE,CAGA,OAAO8C,CACT,CAEA,IAAI0B,EAnhBN,SAAoBrX,GAClB,IAAIqN,EAAO,GACPxB,EAAQ,GAERyL,EAAYtX,EAAKuD,QAAQ,KACzB+T,GAAa,IACfjK,EAAOrN,EAAK3O,MAAMimB,GAClBtX,EAAOA,EAAK3O,MAAM,EAAGimB,IAGvB,IAAIC,EAAavX,EAAKuD,QAAQ,KAM9B,OALIgU,GAAc,IAChB1L,EAAQ7L,EAAK3O,MAAMkmB,EAAa,GAChCvX,EAAOA,EAAK3O,MAAM,EAAGkmB,IAGhB,CACLvX,KAAMA,EACN6L,MAAOA,EACPwB,KAAMA,EAEV,CA8fmBmK,CAAU7B,EAAK3V,MAAQ,IACpCyX,EAAY5E,GAAWA,EAAQ7S,MAAS,IACxCA,EAAOqX,EAAWrX,KAClBqT,GAAYgE,EAAWrX,KAAMyX,EAAUjE,GAAUmC,EAAKnC,QACtDiE,EAEA5L,EAv9BN,SACEA,EACA6L,EACAC,QAEoB,IAAfD,IAAwBA,EAAa,CAAC,GAE3C,IACIE,EADAnb,EAAQkb,GAAerJ,GAE3B,IACEsJ,EAAcnb,EAAMoP,GAAS,GAC/B,CAAE,MAAOxW,GAEPuiB,EAAc,CAAC,CACjB,CACA,IAAK,IAAIxe,KAAOse,EAAY,CAC1B,IAAIpe,EAAQoe,EAAWte,GACvBwe,EAAYxe,GAAOtH,MAAMoI,QAAQZ,GAC7BA,EAAM8F,IAAIiP,IACVA,GAAoB/U,EAC1B,CACA,OAAOse,CACT,CAi8BcC,CACVR,EAAWxL,MACX8J,EAAK9J,MACLqD,GAAUA,EAAOhO,QAAQoN,YAGvBjB,EAAOsI,EAAKtI,MAAQgK,EAAWhK,KAKnC,OAJIA,GAA2B,MAAnBA,EAAKqG,OAAO,KACtBrG,EAAO,IAAMA,GAGR,CACL6J,aAAa,EACblX,KAAMA,EACN6L,MAAOA,EACPwB,KAAMA,EAEV,CAKA,IA4NIyK,GAzNA,GAAO,WAAa,EAMpBC,GAAO,CACT7mB,KAAM,aACN+f,MAAO,CACL+G,GAAI,CACF9gB,KAbQ,CAACE,OAAQ3H,QAcjBwoB,UAAU,GAEZC,IAAK,CACHhhB,KAAME,OACN8Z,QAAS,KAEXiH,OAAQxL,QACRyL,MAAOzL,QACP0L,UAAW1L,QACX6G,OAAQ7G,QACRxU,QAASwU,QACT2L,YAAalhB,OACbmhB,iBAAkBnhB,OAClBohB,iBAAkB,CAChBthB,KAAME,OACN8Z,QAAS,QAEX7gB,MAAO,CACL6G,KA/BW,CAACE,OAAQtF,OAgCpBof,QAAS,UAGbC,OAAQ,SAAiBI,GACvB,IAAIkH,EAAWvoB,KAEXgf,EAAShf,KAAKwoB,QACd7F,EAAU3iB,KAAKuhB,OACf3B,EAAMZ,EAAOjS,QACf/M,KAAK8nB,GACLnF,EACA3iB,KAAKsjB,QAEH9c,EAAWoZ,EAAIpZ,SACf0Y,EAAQU,EAAIV,MACZ5Y,EAAOsZ,EAAItZ,KAEXmiB,EAAU,CAAC,EACXC,EAAoB1J,EAAOhO,QAAQ2X,gBACnCC,EAAyB5J,EAAOhO,QAAQ6X,qBAExCC,EACmB,MAArBJ,EAA4B,qBAAuBA,EACjDK,EACwB,MAA1BH,EACI,2BACAA,EACFR,EACkB,MAApBpoB,KAAKooB,YAAsBU,EAAsB9oB,KAAKooB,YACpDC,EACuB,MAAzBroB,KAAKqoB,iBACDU,EACA/oB,KAAKqoB,iBAEPW,EAAgB9J,EAAMH,eACtBF,GAAY,KAAMiI,GAAkB5H,EAAMH,gBAAiB,KAAMC,GACjEE,EAEJuJ,EAAQJ,GAAoBvI,GAAY6C,EAASqG,EAAehpB,KAAKmoB,WACrEM,EAAQL,GAAepoB,KAAKkoB,OAASloB,KAAKmoB,UACtCM,EAAQJ,GAn2BhB,SAA0B1F,EAASlc,GACjC,OAGQ,IAFNkc,EAAQ7S,KAAK7H,QAAQ2W,GAAiB,KAAKvL,QACzC5M,EAAOqJ,KAAK7H,QAAQ2W,GAAiB,SAErCnY,EAAO0W,MAAQwF,EAAQxF,OAAS1W,EAAO0W,OAK7C,SAAwBwF,EAASlc,GAC/B,IAAK,IAAIyC,KAAOzC,EACd,KAAMyC,KAAOyZ,GACX,OAAO,EAGX,OAAO,CACT,CAXIsG,CAActG,EAAQhH,MAAOlV,EAAOkV,MAExC,CA41BQuN,CAAgBvG,EAASqG,GAE7B,IAAIV,EAAmBG,EAAQJ,GAAoBroB,KAAKsoB,iBAAmB,KAEvEa,EAAU,SAAUhkB,GAClBikB,GAAWjkB,KACTojB,EAAStgB,QACX+W,EAAO/W,QAAQzB,EAAU,IAEzBwY,EAAOxe,KAAKgG,EAAU,IAG5B,EAEI7D,EAAK,CAAE0C,MAAO+jB,IACdxnB,MAAMoI,QAAQhK,KAAKG,OACrBH,KAAKG,MAAMkO,SAAQ,SAAUlJ,GAC3BxC,EAAGwC,GAAKgkB,CACV,IAEAxmB,EAAG3C,KAAKG,OAASgpB,EAGnB,IAAIjf,EAAO,CAAEmf,MAAOZ,GAEhBa,GACDtpB,KAAKupB,aAAaC,YACnBxpB,KAAKupB,aAAavI,SAClBhhB,KAAKupB,aAAavI,QAAQ,CACxB1a,KAAMA,EACN4Y,MAAOA,EACPuK,SAAUN,EACVO,SAAUjB,EAAQL,GAClBuB,cAAelB,EAAQJ,KAG3B,GAAIiB,EAAY,CAKd,GAA0B,IAAtBA,EAAW5nB,OACb,OAAO4nB,EAAW,GACb,GAAIA,EAAW5nB,OAAS,IAAM4nB,EAAW5nB,OAO9C,OAA6B,IAAtB4nB,EAAW5nB,OAAe2f,IAAMA,EAAE,OAAQ,CAAC,EAAGiI,EAEzD,CAmBA,GAAiB,MAAbtpB,KAAKgoB,IACP9d,EAAKvH,GAAKA,EACVuH,EAAKgZ,MAAQ,CAAE5c,KAAMA,EAAM,eAAgBgiB,OACtC,CAEL,IAAIniB,EAAIyjB,GAAW5pB,KAAK6pB,OAAO7I,SAC/B,GAAI7a,EAAG,CAELA,EAAE2jB,UAAW,EACb,IAAIC,EAAS5jB,EAAE+D,KAAO0T,GAAO,CAAC,EAAGzX,EAAE+D,MAGnC,IAAK,IAAI/J,KAFT4pB,EAAMpnB,GAAKonB,EAAMpnB,IAAM,CAAC,EAENonB,EAAMpnB,GAAI,CAC1B,IAAIqnB,EAAYD,EAAMpnB,GAAGxC,GACrBA,KAASwC,IACXonB,EAAMpnB,GAAGxC,GAASyB,MAAMoI,QAAQggB,GAAaA,EAAY,CAACA,GAE9D,CAEA,IAAK,IAAIC,KAAWtnB,EACdsnB,KAAWF,EAAMpnB,GAEnBonB,EAAMpnB,GAAGsnB,GAASzpB,KAAKmC,EAAGsnB,IAE1BF,EAAMpnB,GAAGsnB,GAAWd,EAIxB,IAAIe,EAAU/jB,EAAE+D,KAAKgZ,MAAQtF,GAAO,CAAC,EAAGzX,EAAE+D,KAAKgZ,OAC/CgH,EAAO5jB,KAAOA,EACd4jB,EAAO,gBAAkB5B,CAC3B,MAEEpe,EAAKvH,GAAKA,CAEd,CAEA,OAAO0e,EAAErhB,KAAKgoB,IAAK9d,EAAMlK,KAAK6pB,OAAO7I,QACvC,GAGF,SAASoI,GAAYjkB,GAEnB,KAAIA,EAAEglB,SAAWhlB,EAAEilB,QAAUjlB,EAAEklB,SAAWllB,EAAEmlB,UAExCnlB,EAAEolB,uBAEW/nB,IAAb2C,EAAEqlB,QAAqC,IAAbrlB,EAAEqlB,QAAhC,CAEA,GAAIrlB,EAAEslB,eAAiBtlB,EAAEslB,cAAcC,aAAc,CACnD,IAAIjkB,EAAStB,EAAEslB,cAAcC,aAAa,UAC1C,GAAI,cAAc1kB,KAAKS,GAAW,MACpC,CAKA,OAHItB,EAAEwlB,gBACJxlB,EAAEwlB,kBAEG,CAVgD,CAWzD,CAEA,SAASf,GAAYzI,GACnB,GAAIA,EAEF,IADA,IAAIyJ,EACKppB,EAAI,EAAGA,EAAI2f,EAASzf,OAAQF,IAAK,CAExC,GAAkB,OADlBopB,EAAQzJ,EAAS3f,IACPwmB,IACR,OAAO4C,EAET,GAAIA,EAAMzJ,WAAayJ,EAAQhB,GAAWgB,EAAMzJ,WAC9C,OAAOyJ,CAEX,CAEJ,CAsDA,IAAIC,GAA8B,oBAAXjnB,OAIvB,SAASknB,GACPC,EACAC,EACAC,EACAC,EACAC,GAGA,IAAIC,EAAWJ,GAAe,GAE1BK,EAAUJ,GAAc1rB,OAAOqB,OAAO,MAEtC0qB,EAAUJ,GAAc3rB,OAAOqB,OAAO,MAE1CmqB,EAAO1c,SAAQ,SAAU6Q,GACvBqM,GAAeH,EAAUC,EAASC,EAASpM,EAAOiM,EACpD,IAGA,IAAK,IAAI3pB,EAAI,EAAGC,EAAI2pB,EAAS1pB,OAAQF,EAAIC,EAAGD,IACtB,MAAhB4pB,EAAS5pB,KACX4pB,EAAS5qB,KAAK4qB,EAAS9X,OAAO9R,EAAG,GAAG,IACpCC,IACAD,KAgBJ,MAAO,CACL4pB,SAAUA,EACVC,QAASA,EACTC,QAASA,EAEb,CAEA,SAASC,GACPH,EACAC,EACAC,EACApM,EACAS,EACA6L,GAEA,IAAI1b,EAAOoP,EAAMpP,KACb9O,EAAOke,EAAMle,KAmBbyqB,EACFvM,EAAMuM,qBAAuB,CAAC,EAC5BC,EA2HN,SACE5b,EACA6P,EACAnF,GAGA,OADKA,IAAU1K,EAAOA,EAAK7H,QAAQ,MAAO,KAC1B,MAAZ6H,EAAK,IACK,MAAV6P,EAD0B7P,EAEvB+T,GAAYlE,EAAW,KAAI,IAAM7P,EAC1C,CApIuB6b,CAAc7b,EAAM6P,EAAQ8L,EAAoBjR,QAElC,kBAAxB0E,EAAM0M,gBACfH,EAAoBpF,UAAYnH,EAAM0M,eAGxC,IAAI9M,EAAS,CACXhP,KAAM4b,EACNG,MAAOC,GAAkBJ,EAAgBD,GACzC9S,WAAYuG,EAAMvG,YAAc,CAAEqI,QAAS9B,EAAMoD,WACjDyJ,MAAO7M,EAAM6M,MACc,iBAAhB7M,EAAM6M,MACX,CAAC7M,EAAM6M,OACP7M,EAAM6M,MACR,GACJxL,UAAW,CAAC,EACZG,WAAY,CAAC,EACb1f,KAAMA,EACN2e,OAAQA,EACR6L,QAASA,EACTQ,SAAU9M,EAAM8M,SAChBC,YAAa/M,EAAM+M,YACnB9M,KAAMD,EAAMC,MAAQ,CAAC,EACrB4B,MACiB,MAAf7B,EAAM6B,MACF,CAAC,EACD7B,EAAMvG,WACJuG,EAAM6B,MACN,CAAEC,QAAS9B,EAAM6B,QAoC3B,GAjCI7B,EAAMiC,UAoBRjC,EAAMiC,SAAS9S,SAAQ,SAAUuc,GAC/B,IAAIsB,EAAeV,EACf3H,GAAW2H,EAAU,IAAOZ,EAAU,WACtCpoB,EACJ+oB,GAAeH,EAAUC,EAASC,EAASV,EAAO9L,EAAQoN,EAC5D,IAGGb,EAAQvM,EAAOhP,QAClBsb,EAAS5qB,KAAKse,EAAOhP,MACrBub,EAAQvM,EAAOhP,MAAQgP,QAGLtc,IAAhB0c,EAAM6M,MAER,IADA,IAAII,EAAUvqB,MAAMoI,QAAQkV,EAAM6M,OAAS7M,EAAM6M,MAAQ,CAAC7M,EAAM6M,OACvDvqB,EAAI,EAAGA,EAAI2qB,EAAQzqB,SAAUF,EAAG,CAWvC,IAAI4qB,EAAa,CACftc,KAXUqc,EAAQ3qB,GAYlB2f,SAAUjC,EAAMiC,UAElBoK,GACEH,EACAC,EACAC,EACAc,EACAzM,EACAb,EAAOhP,MAAQ,IAEnB,CAGE9O,IACGsqB,EAAQtqB,KACXsqB,EAAQtqB,GAAQ8d,GAStB,CAEA,SAASgN,GACPhc,EACA2b,GAaA,OAXYzH,GAAelU,EAAM,GAAI2b,EAYvC,CAiBA,SAASY,GACPtB,EACA/L,GAEA,IAAIY,EAAMkL,GAAeC,GACrBK,EAAWxL,EAAIwL,SACfC,EAAUzL,EAAIyL,QACdC,EAAU1L,EAAI0L,QA4BlB,SAASlS,EACP2N,EACAuF,EACAvN,GAEA,IAAIvY,EAAWsgB,GAAkBC,EAAKuF,GAAc,EAAOtN,GACvDhe,EAAOwF,EAASxF,KAEpB,GAAIA,EAAM,CACR,IAAI8d,EAASwM,EAAQtqB,GAIrB,IAAK8d,EAAU,OAAOyN,EAAa,KAAM/lB,GACzC,IAAIgmB,EAAa1N,EAAO+M,MAAM1hB,KAC3B8E,QAAO,SAAU/F,GAAO,OAAQA,EAAImb,QAAU,IAC9CnV,KAAI,SAAUhG,GAAO,OAAOA,EAAIlI,IAAM,IAMzC,GAJ+B,iBAApBwF,EAAS4Y,SAClB5Y,EAAS4Y,OAAS,CAAC,GAGjBkN,GAA+C,iBAAxBA,EAAalN,OACtC,IAAK,IAAIlW,KAAOojB,EAAalN,SACrBlW,KAAO1C,EAAS4Y,SAAWoN,EAAWnZ,QAAQnK,IAAQ,IAC1D1C,EAAS4Y,OAAOlW,GAAOojB,EAAalN,OAAOlW,IAMjD,OADA1C,EAASsJ,KAAO4W,GAAW5H,EAAOhP,KAAMtJ,EAAS4Y,QAC1CmN,EAAazN,EAAQtY,EAAUuY,EACxC,CAAO,GAAIvY,EAASsJ,KAAM,CACxBtJ,EAAS4Y,OAAS,CAAC,EACnB,IAAK,IAAI5d,EAAI,EAAGA,EAAI4pB,EAAS1pB,OAAQF,IAAK,CACxC,IAAIsO,EAAOsb,EAAS5pB,GAChBirB,EAAWpB,EAAQvb,GACvB,GAAI4c,GAAWD,EAASZ,MAAOrlB,EAASsJ,KAAMtJ,EAAS4Y,QACrD,OAAOmN,EAAaE,EAAUjmB,EAAUuY,EAE5C,CACF,CAEA,OAAOwN,EAAa,KAAM/lB,EAC5B,CAsFA,SAAS+lB,EACPzN,EACAtY,EACAuY,GAEA,OAAID,GAAUA,EAAOkN,SAzFvB,SACElN,EACAtY,GAEA,IAAImmB,EAAmB7N,EAAOkN,SAC1BA,EAAuC,mBAArBW,EAClBA,EAAiB9N,GAAYC,EAAQtY,EAAU,KAAMwY,IACrD2N,EAMJ,GAJwB,iBAAbX,IACTA,EAAW,CAAElc,KAAMkc,KAGhBA,GAAgC,iBAAbA,EAMtB,OAAOO,EAAa,KAAM/lB,GAG5B,IAAI4f,EAAK4F,EACLhrB,EAAOolB,EAAGplB,KACV8O,EAAOsW,EAAGtW,KACV6L,EAAQnV,EAASmV,MACjBwB,EAAO3W,EAAS2W,KAChBiC,EAAS5Y,EAAS4Y,OAKtB,GAJAzD,EAAQyK,EAAG3mB,eAAe,SAAW2mB,EAAGzK,MAAQA,EAChDwB,EAAOiJ,EAAG3mB,eAAe,QAAU2mB,EAAGjJ,KAAOA,EAC7CiC,EAASgH,EAAG3mB,eAAe,UAAY2mB,EAAGhH,OAASA,EAE/Cpe,EAMF,OAJmBsqB,EAAQtqB,GAIpBoY,EAAM,CACX4N,aAAa,EACbhmB,KAAMA,EACN2a,MAAOA,EACPwB,KAAMA,EACNiC,OAAQA,QACP5c,EAAWgE,GACT,GAAIsJ,EAAM,CAEf,IAAIoX,EAmFV,SAA4BpX,EAAMgP,GAChC,OAAOqE,GAAYrT,EAAMgP,EAAOa,OAASb,EAAOa,OAAO7P,KAAO,KAAK,EACrE,CArFoB8c,CAAkB9c,EAAMgP,GAItC,OAAO1F,EAAM,CACX4N,aAAa,EACblX,KAJiB4W,GAAWQ,EAAS9H,GAKrCzD,MAAOA,EACPwB,KAAMA,QACL3a,EAAWgE,EAChB,CAIE,OAAO+lB,EAAa,KAAM/lB,EAE9B,CA2BWwlB,CAASlN,EAAQC,GAAkBvY,GAExCsY,GAAUA,EAAO0M,QA3BvB,SACE1M,EACAtY,EACAglB,GAEA,IACIqB,EAAezT,EAAM,CACvB4N,aAAa,EACblX,KAHgB4W,GAAW8E,EAAShlB,EAAS4Y,UAK/C,GAAIyN,EAAc,CAChB,IAAItN,EAAUsN,EAAatN,QACvBuN,EAAgBvN,EAAQA,EAAQ7d,OAAS,GAE7C,OADA8E,EAAS4Y,OAASyN,EAAazN,OACxBmN,EAAaO,EAAetmB,EACrC,CACA,OAAO+lB,EAAa,KAAM/lB,EAC5B,CAWWulB,CAAMjN,EAAQtY,EAAUsY,EAAO0M,SAEjC3M,GAAYC,EAAQtY,EAAUuY,EAAgBC,EACvD,CAEA,MAAO,CACL5F,MAAOA,EACP2T,SAxKF,SAAmBC,EAAe9N,GAChC,IAAIS,EAAmC,iBAAlBqN,EAA8B1B,EAAQ0B,QAAiBxqB,EAE5EsoB,GAAe,CAAC5L,GAAS8N,GAAgB5B,EAAUC,EAASC,EAAS3L,GAGjEA,GAAUA,EAAOoM,MAAMrqB,QACzBopB,GAEEnL,EAAOoM,MAAM7c,KAAI,SAAU6c,GAAS,MAAO,CAAGjc,KAAMic,EAAO5K,SAAU,CAACjC,GAAW,IACjFkM,EACAC,EACAC,EACA3L,EAGN,EAyJEsN,UAvJF,WACE,OAAO7B,EAASlc,KAAI,SAAUY,GAAQ,OAAOub,EAAQvb,EAAO,GAC9D,EAsJEod,UA9KF,SAAoBnC,GAClBD,GAAeC,EAAQK,EAAUC,EAASC,EAC5C,EA8KF,CAEA,SAASoB,GACPb,EACA/b,EACAsP,GAEA,IAAIkG,EAAIxV,EAAKsJ,MAAMyS,GAEnB,IAAKvG,EACH,OAAO,EACF,IAAKlG,EACV,OAAO,EAGT,IAAK,IAAI5d,EAAI,EAAGa,EAAMijB,EAAE5jB,OAAQF,EAAIa,IAAOb,EAAG,CAC5C,IAAI0H,EAAM2iB,EAAM1hB,KAAK3I,EAAI,GACrB0H,IAEFkW,EAAOlW,EAAIlI,MAAQ,aAA+B,iBAATskB,EAAE9jB,GAAkB,GAAO8jB,EAAE9jB,IAAM8jB,EAAE9jB,GAElF,CAEA,OAAO,CACT,CASA,IAAI2rB,GACFtC,IAAajnB,OAAOwpB,aAAexpB,OAAOwpB,YAAY5hB,IAClD5H,OAAOwpB,YACP3b,KAEN,SAAS4b,KACP,OAAOF,GAAK3hB,MAAM8hB,QAAQ,EAC5B,CAEA,IAAIC,GAAOF,KAEX,SAASG,KACP,OAAOD,EACT,CAEA,SAASE,GAAavkB,GACpB,OAAQqkB,GAAOrkB,CACjB,CAIA,IAAIwkB,GAAgBnuB,OAAOqB,OAAO,MAElC,SAAS+sB,KAEH,sBAAuB/pB,OAAOgqB,UAChChqB,OAAOgqB,QAAQC,kBAAoB,UAOrC,IAAIC,EAAkBlqB,OAAO4C,SAASunB,SAAW,KAAOnqB,OAAO4C,SAASwnB,KACpEC,EAAerqB,OAAO4C,SAASF,KAAK2B,QAAQ6lB,EAAiB,IAE7DI,EAAYtQ,GAAO,CAAC,EAAGha,OAAOgqB,QAAQ3kB,OAI1C,OAHAilB,EAAUhlB,IAAMskB,KAChB5pB,OAAOgqB,QAAQO,aAAaD,EAAW,GAAID,GAC3CrqB,OAAOwqB,iBAAiB,WAAYC,IAC7B,WACLzqB,OAAO0qB,oBAAoB,WAAYD,GACzC,CACF,CAEA,SAASE,GACPvP,EACA8I,EACA/Y,EACAyf,GAEA,GAAKxP,EAAO7T,IAAZ,CAIA,IAAIsjB,EAAWzP,EAAOhO,QAAQ0d,eACzBD,GASLzP,EAAO7T,IAAIwjB,WAAU,WACnB,IAAIC,EA6CR,WACE,IAAI1lB,EAAMskB,KACV,GAAItkB,EACF,OAAOwkB,GAAcxkB,EAEzB,CAlDmB2lB,GACXC,EAAeL,EAASvtB,KAC1B8d,EACA8I,EACA/Y,EACAyf,EAAQI,EAAW,MAGhBE,IAI4B,mBAAtBA,EAAazZ,KACtByZ,EACGzZ,MAAK,SAAUyZ,GACdC,GAAiB,EAAgBH,EACnC,IACCjZ,OAAM,SAAUuI,GAIjB,IAEF6Q,GAAiBD,EAAcF,GAEnC,GAtCA,CAuCF,CAEA,SAASI,KACP,IAAI9lB,EAAMskB,KACNtkB,IACFwkB,GAAcxkB,GAAO,CACnBgR,EAAGtW,OAAOqrB,YACVC,EAAGtrB,OAAOurB,aAGhB,CAEA,SAASd,GAAgBlpB,GACvB6pB,KACI7pB,EAAE8D,OAAS9D,EAAE8D,MAAMC,KACrBukB,GAAYtoB,EAAE8D,MAAMC,IAExB,CAmBA,SAASkmB,GAAiB3Y,GACxB,OAAO4Y,GAAS5Y,EAAIyD,IAAMmV,GAAS5Y,EAAIyY,EACzC,CAEA,SAASI,GAAmB7Y,GAC1B,MAAO,CACLyD,EAAGmV,GAAS5Y,EAAIyD,GAAKzD,EAAIyD,EAAItW,OAAOqrB,YACpCC,EAAGG,GAAS5Y,EAAIyY,GAAKzY,EAAIyY,EAAItrB,OAAOurB,YAExC,CASA,SAASE,GAAUE,GACjB,MAAoB,iBAANA,CAChB,CAEA,IAAIC,GAAyB,OAE7B,SAAST,GAAkBD,EAAcF,GACvC,IAdwBnY,EAcpBgZ,EAAmC,iBAAjBX,EACtB,GAAIW,GAA6C,iBAA1BX,EAAaY,SAAuB,CAGzD,IAAIC,EAAKH,GAAuBxpB,KAAK8oB,EAAaY,UAC9CjqB,SAASmqB,eAAed,EAAaY,SAASvuB,MAAM,IACpDsE,SAASoqB,cAAcf,EAAaY,UAExC,GAAIC,EAAI,CACN,IAAInK,EACFsJ,EAAatJ,QAAyC,iBAAxBsJ,EAAatJ,OACvCsJ,EAAatJ,OACb,CAAC,EAEPoJ,EAjDN,SAA6Be,EAAInK,GAC/B,IACIsK,EADQrqB,SAASsqB,gBACDC,wBAChBC,EAASN,EAAGK,wBAChB,MAAO,CACL9V,EAAG+V,EAAOlX,KAAO+W,EAAQ/W,KAAOyM,EAAOtL,EACvCgV,EAAGe,EAAOC,IAAMJ,EAAQI,IAAM1K,EAAO0J,EAEzC,CAyCiBiB,CAAmBR,EAD9BnK,EA1BG,CACLtL,EAAGmV,IAFmB5Y,EA2BK+O,GAzBXtL,GAAKzD,EAAIyD,EAAI,EAC7BgV,EAAGG,GAAS5Y,EAAIyY,GAAKzY,EAAIyY,EAAI,GA0B7B,MAAWE,GAAgBN,KACzBF,EAAWU,GAAkBR,GAEjC,MAAWW,GAAYL,GAAgBN,KACrCF,EAAWU,GAAkBR,IAG3BF,IAEE,mBAAoBnpB,SAASsqB,gBAAgBK,MAC/CxsB,OAAOysB,SAAS,CACdtX,KAAM6V,EAAS1U,EACfgW,IAAKtB,EAASM,EAEdT,SAAUK,EAAaL,WAGzB7qB,OAAOysB,SAASzB,EAAS1U,EAAG0U,EAASM,GAG3C,CAIA,IAGQoB,GAHJC,GACF1F,MAKmC,KAH7ByF,GAAK1sB,OAAOiC,UAAUC,WAGpBuN,QAAQ,gBAAuD,IAA/Bid,GAAGjd,QAAQ,iBACd,IAAjCid,GAAGjd,QAAQ,mBACe,IAA1Bid,GAAGjd,QAAQ,YACsB,IAAjCid,GAAGjd,QAAQ,mBAKNzP,OAAOgqB,SAA+C,mBAA7BhqB,OAAOgqB,QAAQ4C,UAGnD,SAASA,GAAWnsB,EAAK4D,GACvB+mB,KAGA,IAAIpB,EAAUhqB,OAAOgqB,QACrB,IACE,GAAI3lB,EAAS,CAEX,IAAIimB,EAAYtQ,GAAO,CAAC,EAAGgQ,EAAQ3kB,OACnCilB,EAAUhlB,IAAMskB,KAChBI,EAAQO,aAAaD,EAAW,GAAI7pB,EACtC,MACEupB,EAAQ4C,UAAU,CAAEtnB,IAAKukB,GAAYJ,OAAkB,GAAIhpB,EAE/D,CAAE,MAAOc,GACPvB,OAAO4C,SAASyB,EAAU,UAAY,UAAU5D,EAClD,CACF,CAEA,SAAS8pB,GAAc9pB,GACrBmsB,GAAUnsB,GAAK,EACjB,CAGA,IAAIosB,GAAwB,CAC1BC,WAAY,EACZC,QAAS,EACTC,UAAW,EACXC,WAAY,IA0Bd,SAASC,GAAgC/hB,EAAM+Y,GAC7C,OAAOiJ,GACLhiB,EACA+Y,EACA2I,GAAsBG,UACrB,8BAAkC7hB,EAAa,SAAI,SAAc+Y,EAAW,SAAI,2BAErF,CAWA,SAASiJ,GAAmBhiB,EAAM+Y,EAAI9gB,EAAMqB,GAC1C,IAAIrD,EAAQ,IAAIgD,MAAMK,GAMtB,OALArD,EAAMgsB,WAAY,EAClBhsB,EAAM+J,KAAOA,EACb/J,EAAM8iB,GAAKA,EACX9iB,EAAMgC,KAAOA,EAENhC,CACT,CAEA,IAAIisB,GAAkB,CAAC,SAAU,QAAS,QAY1C,SAASC,GAAShT,GAChB,OAAO3e,OAAOC,UAAUgE,SAAStC,KAAKgd,GAAK7K,QAAQ,UAAY,CACjE,CAEA,SAAS8d,GAAqBjT,EAAKkT,GACjC,OACEF,GAAQhT,IACRA,EAAI8S,YACU,MAAbI,GAAqBlT,EAAIlX,OAASoqB,EAEvC,CAIA,SAASC,GAAUC,EAAOzxB,EAAI0xB,GAC5B,IAAIC,EAAO,SAAU3U,GACfA,GAASyU,EAAM5vB,OACjB6vB,IAEID,EAAMzU,GACRhd,EAAGyxB,EAAMzU,IAAQ,WACf2U,EAAK3U,EAAQ,EACf,IAEA2U,EAAK3U,EAAQ,EAGnB,EACA2U,EAAK,EACP,CAsEA,SAASC,GACPlS,EACA1f,GAEA,OAAO6xB,GAAQnS,EAAQrQ,KAAI,SAAUoW,GACnC,OAAO/lB,OAAO4K,KAAKmb,EAAE3M,YAAYzJ,KAAI,SAAUhG,GAAO,OAAOrJ,EAC3DylB,EAAE3M,WAAWzP,GACboc,EAAE/E,UAAUrX,GACZoc,EAAGpc,EACF,GACL,IACF,CAEA,SAASwoB,GAAS3N,GAChB,OAAOniB,MAAMpC,UAAU6B,OAAOoB,MAAM,GAAIshB,EAC1C,CAEA,IAAI4N,GACgB,mBAAXtuB,QACuB,iBAAvBA,OAAOuuB,YAUhB,SAAS7xB,GAAMF,GACb,IAAIgyB,GAAS,EACb,OAAO,WAEL,IADA,IAAIzvB,EAAO,GAAIC,EAAMC,UAAUZ,OACvBW,KAAQD,EAAMC,GAAQC,UAAWD,GAEzC,IAAIwvB,EAEJ,OADAA,GAAS,EACFhyB,EAAG4C,MAAMzC,KAAMoC,EACxB,CACF,CAIA,IAAI0vB,GAAU,SAAkB9S,EAAQqE,GACtCrjB,KAAKgf,OAASA,EACdhf,KAAKqjB,KAgOP,SAAwBA,GACtB,IAAKA,EACH,GAAIwH,GAAW,CAEb,IAAIkH,EAAStsB,SAASoqB,cAAc,QAGpCxM,GAFAA,EAAQ0O,GAAUA,EAAOrH,aAAa,SAAY,KAEtCziB,QAAQ,qBAAsB,GAC5C,MACEob,EAAO,IAQX,MAJuB,MAAnBA,EAAKG,OAAO,KACdH,EAAO,IAAMA,GAGRA,EAAKpb,QAAQ,MAAO,GAC7B,CAlPc+pB,CAAc3O,GAE1BrjB,KAAK2iB,QAAUjD,GACf1f,KAAKiyB,QAAU,KACfjyB,KAAKkyB,OAAQ,EACblyB,KAAKmyB,SAAW,GAChBnyB,KAAKoyB,cAAgB,GACrBpyB,KAAKqyB,SAAW,GAChBryB,KAAKsB,UAAY,EACnB,EA6PA,SAASgxB,GACPC,EACAvxB,EACAwQ,EACAghB,GAEA,IAAIC,EAAShB,GAAkBc,GAAS,SAAUG,EAAKlS,EAAUpH,EAAOlQ,GACtE,IAAIypB,EAUR,SACED,EACAxpB,GAMA,MAJmB,mBAARwpB,IAETA,EAAM9K,GAAKhK,OAAO8U,IAEbA,EAAI1hB,QAAQ9H,EACrB,CAnBgB0pB,CAAaF,EAAK1xB,GAC9B,GAAI2xB,EACF,OAAO/wB,MAAMoI,QAAQ2oB,GACjBA,EAAMzjB,KAAI,SAAUyjB,GAAS,OAAOnhB,EAAKmhB,EAAOnS,EAAUpH,EAAOlQ,EAAM,IACvEsI,EAAKmhB,EAAOnS,EAAUpH,EAAOlQ,EAErC,IACA,OAAOwoB,GAAQc,EAAUC,EAAOD,UAAYC,EAC9C,CAqBA,SAASI,GAAWF,EAAOnS,GACzB,GAAIA,EACF,OAAO,WACL,OAAOmS,EAAMlwB,MAAM+d,EAAUle,UAC/B,CAEJ,CArSAwvB,GAAQtyB,UAAUszB,OAAS,SAAiBvB,GAC1CvxB,KAAKuxB,GAAKA,CACZ,EAEAO,GAAQtyB,UAAUuzB,QAAU,SAAkBxB,EAAIyB,GAC5ChzB,KAAKkyB,MACPX,KAEAvxB,KAAKmyB,SAAS3xB,KAAK+wB,GACfyB,GACFhzB,KAAKoyB,cAAc5xB,KAAKwyB,GAG9B,EAEAlB,GAAQtyB,UAAUoS,QAAU,SAAkBohB,GAC5ChzB,KAAKqyB,SAAS7xB,KAAKwyB,EACrB,EAEAlB,GAAQtyB,UAAUyzB,aAAe,SAC/BzsB,EACA0sB,EACAC,GAEE,IAEEjU,EAFEqJ,EAAWvoB,KAIjB,IACEkf,EAAQlf,KAAKgf,OAAO5F,MAAM5S,EAAUxG,KAAK2iB,QAC3C,CAAE,MAAOxd,GAKP,MAJAnF,KAAKqyB,SAAShkB,SAAQ,SAAUkjB,GAC9BA,EAAGpsB,EACL,IAEMA,CACR,CACA,IAAIiuB,EAAOpzB,KAAK2iB,QAChB3iB,KAAKqzB,kBACHnU,GACA,WACEqJ,EAAS+K,YAAYpU,GACrBgU,GAAcA,EAAWhU,GACzBqJ,EAASgL,YACThL,EAASvJ,OAAOwU,WAAWnlB,SAAQ,SAAUuU,GAC3CA,GAAQA,EAAK1D,EAAOkU,EACtB,IAGK7K,EAAS2J,QACZ3J,EAAS2J,OAAQ,EACjB3J,EAAS4J,SAAS9jB,SAAQ,SAAUkjB,GAClCA,EAAGrS,EACL,IAEJ,IACA,SAAUhB,GACJiV,GACFA,EAAQjV,GAENA,IAAQqK,EAAS2J,QAKdf,GAAoBjT,EAAKuS,GAAsBC,aAAe0C,IAAS1T,KAC1E6I,EAAS2J,OAAQ,EACjB3J,EAAS6J,cAAc/jB,SAAQ,SAAUkjB,GACvCA,EAAGrT,EACL,KAGN,GAEJ,EAEA4T,GAAQtyB,UAAU6zB,kBAAoB,SAA4BnU,EAAOgU,EAAYC,GACjF,IAAI5K,EAAWvoB,KAEb2iB,EAAU3iB,KAAK2iB,QACnB3iB,KAAKiyB,QAAU/S,EACf,IAhSwCnQ,EACpC/J,EA+RAyuB,EAAQ,SAAUvV,IAIfiT,GAAoBjT,IAAQgT,GAAQhT,KACnCqK,EAAS8J,SAAS3wB,OACpB6mB,EAAS8J,SAAShkB,SAAQ,SAAUkjB,GAClCA,EAAGrT,EACL,IAKA,GAAQlZ,MAAMkZ,IAGlBiV,GAAWA,EAAQjV,EACrB,EACIwV,EAAiBxU,EAAMK,QAAQ7d,OAAS,EACxCiyB,EAAmBhR,EAAQpD,QAAQ7d,OAAS,EAChD,GACEoe,GAAYZ,EAAOyD,IAEnB+Q,IAAmBC,GACnBzU,EAAMK,QAAQmU,KAAoB/Q,EAAQpD,QAAQoU,GAMlD,OAJA3zB,KAAKuzB,YACDrU,EAAM/B,MACRoR,GAAavuB,KAAKgf,OAAQ2D,EAASzD,GAAO,GAErCuU,IA7TLzuB,EAAQ+rB,GAD4BhiB,EA8TO4T,EAASzD,EA1TtDuR,GAAsBI,WACrB,sDAA0D9hB,EAAa,SAAI,OAGxE/N,KAAO,uBACNgE,IAwTP,IA5O+Bua,EA4O3BK,EAuHN,SACE+C,EACA8C,GAEA,IAAIjkB,EACAoyB,EAAMC,KAAKD,IAAIjR,EAAQjhB,OAAQ+jB,EAAK/jB,QACxC,IAAKF,EAAI,EAAGA,EAAIoyB,GACVjR,EAAQnhB,KAAOikB,EAAKjkB,GADLA,KAKrB,MAAO,CACLsyB,QAASrO,EAAKtkB,MAAM,EAAGK,GACvBuyB,UAAWtO,EAAKtkB,MAAMK,GACtBwyB,YAAarR,EAAQxhB,MAAMK,GAE/B,CAvIYyyB,CACRj0B,KAAK2iB,QAAQpD,QACbL,EAAMK,SAEFuU,EAAUlU,EAAIkU,QACdE,EAAcpU,EAAIoU,YAClBD,EAAYnU,EAAImU,UAElBzC,EAAQ,GAAGjwB,OA6JjB,SAA6B2yB,GAC3B,OAAO1B,GAAc0B,EAAa,mBAAoBnB,IAAW,EACnE,CA7JIqB,CAAmBF,GAEnBh0B,KAAKgf,OAAOmV,YA6JhB,SAA6BL,GAC3B,OAAOxB,GAAcwB,EAAS,oBAAqBjB,GACrD,CA7JIuB,CAAmBN,GAEnBC,EAAU7kB,KAAI,SAAUoW,GAAK,OAAOA,EAAE2G,WAAa,KA5PtB1M,EA8PNwU,EA7PlB,SAAUjM,EAAI/Y,EAAM0W,GACzB,IAAI4O,GAAW,EACXpC,EAAU,EACVjtB,EAAQ,KAEZysB,GAAkBlS,GAAS,SAAUmT,EAAKxR,EAAG9H,EAAOlQ,GAMlD,GAAmB,mBAARwpB,QAAkClwB,IAAZkwB,EAAI4B,IAAmB,CACtDD,GAAW,EACXpC,IAEA,IA0BI5T,EA1BAtR,EAAUhN,IAAK,SAAUw0B,GAuErC,IAAqB9d,MAtEI8d,GAuEZC,YAAe7C,IAAyC,WAA5Blb,EAAIpT,OAAOuuB,gBAtExC2C,EAAcA,EAAYvT,SAG5B0R,EAAI+B,SAAkC,mBAAhBF,EAClBA,EACA3M,GAAKhK,OAAO2W,GAChBnb,EAAMT,WAAWzP,GAAOqrB,IACxBtC,GACe,GACbxM,GAEJ,IAEIzY,EAASjN,IAAK,SAAU20B,GAC1B,IAAIC,EAAM,qCAAuCzrB,EAAM,KAAOwrB,EAEzD1vB,IACHA,EAAQksB,GAAQwD,GACZA,EACA,IAAI1sB,MAAM2sB,GACdlP,EAAKzgB,GAET,IAGA,IACEqZ,EAAMqU,EAAI3lB,EAASC,EACrB,CAAE,MAAO7H,GACP6H,EAAO7H,EACT,CACA,GAAIkZ,EACF,GAAwB,mBAAbA,EAAIhJ,KACbgJ,EAAIhJ,KAAKtI,EAASC,OACb,CAEL,IAAI4nB,EAAOvW,EAAIiE,UACXsS,GAA6B,mBAAdA,EAAKvf,MACtBuf,EAAKvf,KAAKtI,EAASC,EAEvB,CAEJ,CACF,IAEKqnB,GAAY5O,GACnB,IAkMIoP,EAAW,SAAUjS,EAAM6C,GAC7B,GAAI8C,EAAS0J,UAAY/S,EACvB,OAAOuU,EAAM3C,GAA+BnO,EAASzD,IAEvD,IACE0D,EAAK1D,EAAOyD,GAAS,SAAUmF,IAClB,IAAPA,GAEFS,EAASgL,WAAU,GACnBE,EA1UV,SAAuC1kB,EAAM+Y,GAC3C,OAAOiJ,GACLhiB,EACA+Y,EACA2I,GAAsBE,QACrB,4BAAgC5hB,EAAa,SAAI,SAAc+Y,EAAW,SAAI,4BAEnF,CAmUgBgN,CAA6BnS,EAASzD,KACnCgS,GAAQpJ,IACjBS,EAASgL,WAAU,GACnBE,EAAM3L,IAEQ,iBAAPA,GACQ,iBAAPA,IACc,iBAAZA,EAAGhY,MAAwC,iBAAZgY,EAAG9mB,OAG5CyyB,EApXV,SAA0C1kB,EAAM+Y,GAC9C,OAAOiJ,GACLhiB,EACA+Y,EACA2I,GAAsBC,WACrB,+BAAmC3hB,EAAa,SAAI,SAgDzD,SAAyB+Y,GACvB,GAAkB,iBAAPA,EAAmB,OAAOA,EACrC,GAAI,SAAUA,EAAM,OAAOA,EAAGhY,KAC9B,IAAItJ,EAAW,CAAC,EAIhB,OAHAyqB,GAAgB5iB,SAAQ,SAAUnF,GAC5BA,KAAO4e,IAAMthB,EAAS0C,GAAO4e,EAAG5e,GACtC,IACOiD,KAAKC,UAAU5F,EAAU,KAAM,EACxC,CAxDsE,CAChEshB,GACG,4BAET,CA2WgBiN,CAAgCpS,EAASzD,IAC7B,iBAAP4I,GAAmBA,EAAG7f,QAC/BsgB,EAAStgB,QAAQ6f,GAEjBS,EAAS/nB,KAAKsnB,IAIhBrC,EAAKqC,EAET,GACF,CAAE,MAAO3iB,GACPsuB,EAAMtuB,EACR,CACF,EAEAksB,GAASC,EAAOuD,GAAU,WAGxB,IAAIG,EA0HR,SACEjB,GAEA,OAAOzB,GACLyB,EACA,oBACA,SAAUpB,EAAOzR,EAAG9H,EAAOlQ,GACzB,OAKN,SACEypB,EACAvZ,EACAlQ,GAEA,OAAO,SAA0B4e,EAAI/Y,EAAM0W,GACzC,OAAOkN,EAAM7K,EAAI/Y,GAAM,SAAUwiB,GACb,mBAAPA,IACJnY,EAAMsH,WAAWxX,KACpBkQ,EAAMsH,WAAWxX,GAAO,IAE1BkQ,EAAMsH,WAAWxX,GAAK1I,KAAK+wB,IAE7B9L,EAAK8L,EACP,GACF,CACF,CArBa0D,CAAetC,EAAOvZ,EAAOlQ,EACtC,GAEJ,CApIsBgsB,CAAmBnB,GAErC1C,GADY2D,EAAY3zB,OAAOknB,EAASvJ,OAAOmW,cAC/BN,GAAU,WACxB,GAAItM,EAAS0J,UAAY/S,EACvB,OAAOuU,EAAM3C,GAA+BnO,EAASzD,IAEvDqJ,EAAS0J,QAAU,KACnBiB,EAAWhU,GACPqJ,EAASvJ,OAAO7T,KAClBod,EAASvJ,OAAO7T,IAAIwjB,WAAU,WAC5BrO,GAAmBpB,EACrB,GAEJ,GACF,GACF,EAEA4S,GAAQtyB,UAAU8zB,YAAc,SAAsBpU,GACpDlf,KAAK2iB,QAAUzD,EACflf,KAAKuxB,IAAMvxB,KAAKuxB,GAAGrS,EACrB,EAEA4S,GAAQtyB,UAAU41B,eAAiB,WAEnC,EAEAtD,GAAQtyB,UAAU61B,SAAW,WAG3Br1B,KAAKsB,UAAU+M,SAAQ,SAAUinB,GAC/BA,GACF,IACAt1B,KAAKsB,UAAY,GAIjBtB,KAAK2iB,QAAUjD,GACf1f,KAAKiyB,QAAU,IACjB,EAoHA,IAAIsD,GAA6B,SAAUzD,GACzC,SAASyD,EAAcvW,EAAQqE,GAC7ByO,EAAQ5wB,KAAKlB,KAAMgf,EAAQqE,GAE3BrjB,KAAKw1B,eAAiBC,GAAYz1B,KAAKqjB,KACzC,CAkFA,OAhFKyO,IAAUyD,EAAa10B,UAAYixB,GACxCyD,EAAa/1B,UAAYD,OAAOqB,OAAQkxB,GAAWA,EAAQtyB,WAC3D+1B,EAAa/1B,UAAUk2B,YAAcH,EAErCA,EAAa/1B,UAAU41B,eAAiB,WACtC,IAAI7M,EAAWvoB,KAEf,KAAIA,KAAKsB,UAAUI,OAAS,GAA5B,CAIA,IAAIsd,EAAShf,KAAKgf,OACd2W,EAAe3W,EAAOhO,QAAQ0d,eAC9BkH,EAAiBrF,IAAqBoF,EAEtCC,GACF51B,KAAKsB,UAAUd,KAAKmtB,MAGtB,IAAIkI,EAAqB,WACvB,IAAIlT,EAAU4F,EAAS5F,QAInBnc,EAAWivB,GAAYlN,EAASlF,MAChCkF,EAAS5F,UAAYjD,IAASlZ,IAAa+hB,EAASiN,gBAIxDjN,EAAS0K,aAAazsB,GAAU,SAAU0Y,GACpC0W,GACFrH,GAAavP,EAAQE,EAAOyD,GAAS,EAEzC,GACF,EACA/e,OAAOwqB,iBAAiB,WAAYyH,GACpC71B,KAAKsB,UAAUd,MAAK,WAClBoD,OAAO0qB,oBAAoB,WAAYuH,EACzC,GA7BA,CA8BF,EAEAN,EAAa/1B,UAAUs2B,GAAK,SAAaC,GACvCnyB,OAAOgqB,QAAQkI,GAAGC,EACpB,EAEAR,EAAa/1B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GACjE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aAAazsB,GAAU,SAAU0Y,GACpCsR,GAAU3M,GAAU0E,EAASlF,KAAOnE,EAAMG,WAC1CkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GAAGiU,EACL,EAEAoC,EAAa/1B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GACvE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aAAazsB,GAAU,SAAU0Y,GACpCiP,GAAatK,GAAU0E,EAASlF,KAAOnE,EAAMG,WAC7CkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GAAGiU,EACL,EAEAoC,EAAa/1B,UAAU+zB,UAAY,SAAoB/yB,GACrD,GAAIi1B,GAAYz1B,KAAKqjB,QAAUrjB,KAAK2iB,QAAQtD,SAAU,CACpD,IAAIsD,EAAUkB,GAAU7jB,KAAKqjB,KAAOrjB,KAAK2iB,QAAQtD,UACjD7e,EAAOgwB,GAAU7N,GAAWwL,GAAaxL,EAC3C,CACF,EAEA4S,EAAa/1B,UAAUy2B,mBAAqB,WAC1C,OAAOR,GAAYz1B,KAAKqjB,KAC1B,EAEOkS,CACT,CAxFgC,CAwF9BzD,IAEF,SAAS2D,GAAapS,GACpB,IAAIvT,EAAOlM,OAAO4C,SAAS0vB,SACvBC,EAAgBrmB,EAAKjH,cACrButB,EAAgB/S,EAAKxa,cAQzB,OAJIwa,GAAU8S,IAAkBC,GAC6B,IAA1DD,EAAc9iB,QAAQwQ,GAAUuS,EAAgB,QACjDtmB,EAAOA,EAAK3O,MAAMkiB,EAAK3hB,UAEjBoO,GAAQ,KAAOlM,OAAO4C,SAAS6vB,OAASzyB,OAAO4C,SAAS2W,IAClE,CAIA,IAAImZ,GAA4B,SAAUxE,GACxC,SAASwE,EAAatX,EAAQqE,EAAMkT,GAClCzE,EAAQ5wB,KAAKlB,KAAMgf,EAAQqE,GAEvBkT,GAqGR,SAAwBlT,GACtB,IAAI7c,EAAWivB,GAAYpS,GAC3B,IAAK,OAAOrd,KAAKQ,GAEf,OADA5C,OAAO4C,SAASyB,QAAQ4b,GAAUR,EAAO,KAAO7c,KACzC,CAEX,CA3GoBgwB,CAAcx2B,KAAKqjB,OAGnCoT,IACF,CA8FA,OA5FK3E,IAAUwE,EAAYz1B,UAAYixB,GACvCwE,EAAY92B,UAAYD,OAAOqB,OAAQkxB,GAAWA,EAAQtyB,WAC1D82B,EAAY92B,UAAUk2B,YAAcY,EAIpCA,EAAY92B,UAAU41B,eAAiB,WACrC,IAAI7M,EAAWvoB,KAEf,KAAIA,KAAKsB,UAAUI,OAAS,GAA5B,CAIA,IACIi0B,EADS31B,KAAKgf,OACQhO,QAAQ0d,eAC9BkH,EAAiBrF,IAAqBoF,EAEtCC,GACF51B,KAAKsB,UAAUd,KAAKmtB,MAGtB,IAAIkI,EAAqB,WACvB,IAAIlT,EAAU4F,EAAS5F,QAClB8T,MAGLlO,EAAS0K,aAAa,MAAW,SAAU/T,GACrC0W,GACFrH,GAAahG,EAASvJ,OAAQE,EAAOyD,GAAS,GAE3C4N,IACHmG,GAAYxX,EAAMG,SAEtB,GACF,EACIsX,EAAYpG,GAAoB,WAAa,aACjD3sB,OAAOwqB,iBACLuI,EACAd,GAEF71B,KAAKsB,UAAUd,MAAK,WAClBoD,OAAO0qB,oBAAoBqI,EAAWd,EACxC,GA/BA,CAgCF,EAEAS,EAAY92B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GAChE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aACHzsB,GACA,SAAU0Y,GACR0X,GAAS1X,EAAMG,UACfkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEAmD,EAAY92B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GACtE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aACHzsB,GACA,SAAU0Y,GACRwX,GAAYxX,EAAMG,UAClBkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEAmD,EAAY92B,UAAUs2B,GAAK,SAAaC,GACtCnyB,OAAOgqB,QAAQkI,GAAGC,EACpB,EAEAO,EAAY92B,UAAU+zB,UAAY,SAAoB/yB,GACpD,IAAImiB,EAAU3iB,KAAK2iB,QAAQtD,SACvB,OAAcsD,IAChBniB,EAAOo2B,GAASjU,GAAW+T,GAAY/T,GAE3C,EAEA2T,EAAY92B,UAAUy2B,mBAAqB,WACzC,OAAO,IACT,EAEOK,CACT,CAvG+B,CAuG7BxE,IAUF,SAAS2E,KACP,IAAI3mB,EAAO,KACX,MAAuB,MAAnBA,EAAK0T,OAAO,KAGhBkT,GAAY,IAAM5mB,IACX,EACT,CAEA,SAAS,KAGP,IAAIxJ,EAAO1C,OAAO4C,SAASF,KACvBuW,EAAQvW,EAAK+M,QAAQ,KAEzB,OAAIwJ,EAAQ,EAAY,GAExBvW,EAAOA,EAAKnF,MAAM0b,EAAQ,EAG5B,CAEA,SAASga,GAAQ/mB,GACf,IAAIxJ,EAAO1C,OAAO4C,SAASF,KACvB9E,EAAI8E,EAAK+M,QAAQ,KAErB,OADW7R,GAAK,EAAI8E,EAAKnF,MAAM,EAAGK,GAAK8E,GACxB,IAAMwJ,CACvB,CAEA,SAAS8mB,GAAU9mB,GACbygB,GACFC,GAAUqG,GAAO/mB,IAEjBlM,OAAO4C,SAAS2W,KAAOrN,CAE3B,CAEA,SAAS4mB,GAAa5mB,GAChBygB,GACFpC,GAAa0I,GAAO/mB,IAEpBlM,OAAO4C,SAASyB,QAAQ4uB,GAAO/mB,GAEnC,CAIA,IAAIgnB,GAAgC,SAAUhF,GAC5C,SAASgF,EAAiB9X,EAAQqE,GAChCyO,EAAQ5wB,KAAKlB,KAAMgf,EAAQqE,GAC3BrjB,KAAKyjB,MAAQ,GACbzjB,KAAK6c,OAAS,CAChB,CAoEA,OAlEKiV,IAAUgF,EAAgBj2B,UAAYixB,GAC3CgF,EAAgBt3B,UAAYD,OAAOqB,OAAQkxB,GAAWA,EAAQtyB,WAC9Ds3B,EAAgBt3B,UAAUk2B,YAAcoB,EAExCA,EAAgBt3B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GACpE,IAAI5K,EAAWvoB,KAEfA,KAAKizB,aACHzsB,GACA,SAAU0Y,GACRqJ,EAAS9E,MAAQ8E,EAAS9E,MAAMtiB,MAAM,EAAGonB,EAAS1L,MAAQ,GAAGxb,OAAO6d,GACpEqJ,EAAS1L,QACTqW,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEA2D,EAAgBt3B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GAC1E,IAAI5K,EAAWvoB,KAEfA,KAAKizB,aACHzsB,GACA,SAAU0Y,GACRqJ,EAAS9E,MAAQ8E,EAAS9E,MAAMtiB,MAAM,EAAGonB,EAAS1L,OAAOxb,OAAO6d,GAChEgU,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEA2D,EAAgBt3B,UAAUs2B,GAAK,SAAaC,GAC1C,IAAIxN,EAAWvoB,KAEX+2B,EAAc/2B,KAAK6c,MAAQkZ,EAC/B,KAAIgB,EAAc,GAAKA,GAAe/2B,KAAKyjB,MAAM/hB,QAAjD,CAGA,IAAIwd,EAAQlf,KAAKyjB,MAAMsT,GACvB/2B,KAAKqzB,kBACHnU,GACA,WACE,IAAIkU,EAAO7K,EAAS5F,QACpB4F,EAAS1L,MAAQka,EACjBxO,EAAS+K,YAAYpU,GACrBqJ,EAASvJ,OAAOwU,WAAWnlB,SAAQ,SAAUuU,GAC3CA,GAAQA,EAAK1D,EAAOkU,EACtB,GACF,IACA,SAAUlV,GACJiT,GAAoBjT,EAAKuS,GAAsBI,cACjDtI,EAAS1L,MAAQka,EAErB,GAhBF,CAkBF,EAEAD,EAAgBt3B,UAAUy2B,mBAAqB,WAC7C,IAAItT,EAAU3iB,KAAKyjB,MAAMzjB,KAAKyjB,MAAM/hB,OAAS,GAC7C,OAAOihB,EAAUA,EAAQtD,SAAW,GACtC,EAEAyX,EAAgBt3B,UAAU+zB,UAAY,WAEtC,EAEOuD,CACT,CA1EmC,CA0EjChF,IAMEkF,GAAY,SAAoBhmB,QACjB,IAAZA,IAAqBA,EAAU,CAAC,GAKrChR,KAAKmL,IAAM,KACXnL,KAAKi3B,KAAO,GACZj3B,KAAKgR,QAAUA,EACfhR,KAAKm0B,YAAc,GACnBn0B,KAAKm1B,aAAe,GACpBn1B,KAAKwzB,WAAa,GAClBxzB,KAAKk3B,QAAU7K,GAAcrb,EAAQ+Z,QAAU,GAAI/qB,MAEnD,IAAIm3B,EAAOnmB,EAAQmmB,MAAQ,OAW3B,OAVAn3B,KAAKu2B,SACM,YAATY,IAAuB5G,KAA0C,IAArBvf,EAAQulB,SAClDv2B,KAAKu2B,WACPY,EAAO,QAEJtM,KACHsM,EAAO,YAETn3B,KAAKm3B,KAAOA,EAEJA,GACN,IAAK,UACHn3B,KAAK4tB,QAAU,IAAI2H,GAAav1B,KAAMgR,EAAQqS,MAC9C,MACF,IAAK,OACHrjB,KAAK4tB,QAAU,IAAI0I,GAAYt2B,KAAMgR,EAAQqS,KAAMrjB,KAAKu2B,UACxD,MACF,IAAK,WACHv2B,KAAK4tB,QAAU,IAAIkJ,GAAgB92B,KAAMgR,EAAQqS,MAOvD,EAEI+T,GAAqB,CAAE9K,aAAc,CAAExV,cAAc,IAEzDkgB,GAAUx3B,UAAU4Z,MAAQ,SAAgB2N,EAAKpE,EAAS5D,GACxD,OAAO/e,KAAKk3B,QAAQ9d,MAAM2N,EAAKpE,EAAS5D,EAC1C,EAEAqY,GAAmB9K,aAAa3e,IAAM,WACpC,OAAO3N,KAAK4tB,SAAW5tB,KAAK4tB,QAAQjL,OACtC,EAEAqU,GAAUx3B,UAAUujB,KAAO,SAAe5X,GACtC,IAAIod,EAAWvoB,KA0BjB,GAjBAA,KAAKi3B,KAAKz2B,KAAK2K,GAIfA,EAAIksB,MAAM,kBAAkB,WAE1B,IAAIxa,EAAQ0L,EAAS0O,KAAK5jB,QAAQlI,GAC9B0R,GAAS,GAAK0L,EAAS0O,KAAK3jB,OAAOuJ,EAAO,GAG1C0L,EAASpd,MAAQA,IAAOod,EAASpd,IAAMod,EAAS0O,KAAK,IAAM,MAE1D1O,EAASpd,KAAOod,EAASqF,QAAQyH,UACxC,KAIIr1B,KAAKmL,IAAT,CAIAnL,KAAKmL,IAAMA,EAEX,IAAIyiB,EAAU5tB,KAAK4tB,QAEnB,GAAIA,aAAmB2H,IAAgB3H,aAAmB0I,GAAa,CACrE,IASIlB,EAAiB,SAAUkC,GAC7B1J,EAAQwH,iBAVgB,SAAUkC,GAClC,IAAIvoB,EAAO6e,EAAQjL,QACfgT,EAAepN,EAASvX,QAAQ0d,eACf6B,IAAqBoF,GAEpB,aAAc2B,GAClC/I,GAAahG,EAAU+O,EAAcvoB,GAAM,EAE/C,CAGEwoB,CAAoBD,EACtB,EACA1J,EAAQqF,aACNrF,EAAQqI,qBACRb,EACAA,EAEJ,CAEAxH,EAAQkF,QAAO,SAAU5T,GACvBqJ,EAAS0O,KAAK5oB,SAAQ,SAAUlD,GAC9BA,EAAIqsB,OAAStY,CACf,GACF,GA/BA,CAgCF,EAEA8X,GAAUx3B,UAAUi4B,WAAa,SAAqB53B,GACpD,OAAO63B,GAAa13B,KAAKm0B,YAAat0B,EACxC,EAEAm3B,GAAUx3B,UAAUm4B,cAAgB,SAAwB93B,GAC1D,OAAO63B,GAAa13B,KAAKm1B,aAAct1B,EACzC,EAEAm3B,GAAUx3B,UAAUo4B,UAAY,SAAoB/3B,GAClD,OAAO63B,GAAa13B,KAAKwzB,WAAY3zB,EACvC,EAEAm3B,GAAUx3B,UAAUuzB,QAAU,SAAkBxB,EAAIyB,GAClDhzB,KAAK4tB,QAAQmF,QAAQxB,EAAIyB,EAC3B,EAEAgE,GAAUx3B,UAAUoS,QAAU,SAAkBohB,GAC9ChzB,KAAK4tB,QAAQhc,QAAQohB,EACvB,EAEAgE,GAAUx3B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GAC5D,IAAI5K,EAAWvoB,KAGjB,IAAKkzB,IAAeC,GAA8B,oBAAZrmB,QACpC,OAAO,IAAIA,SAAQ,SAAUC,EAASC,GACpCub,EAASqF,QAAQptB,KAAKgG,EAAUuG,EAASC,EAC3C,IAEAhN,KAAK4tB,QAAQptB,KAAKgG,EAAU0sB,EAAYC,EAE5C,EAEA6D,GAAUx3B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GAClE,IAAI5K,EAAWvoB,KAGjB,IAAKkzB,IAAeC,GAA8B,oBAAZrmB,QACpC,OAAO,IAAIA,SAAQ,SAAUC,EAASC,GACpCub,EAASqF,QAAQ3lB,QAAQzB,EAAUuG,EAASC,EAC9C,IAEAhN,KAAK4tB,QAAQ3lB,QAAQzB,EAAU0sB,EAAYC,EAE/C,EAEA6D,GAAUx3B,UAAUs2B,GAAK,SAAaC,GACpC/1B,KAAK4tB,QAAQkI,GAAGC,EAClB,EAEAiB,GAAUx3B,UAAUq4B,KAAO,WACzB73B,KAAK81B,IAAI,EACX,EAEAkB,GAAUx3B,UAAUs4B,QAAU,WAC5B93B,KAAK81B,GAAG,EACV,EAEAkB,GAAUx3B,UAAUu4B,qBAAuB,SAA+BjQ,GACxE,IAAI5I,EAAQ4I,EACRA,EAAGvI,QACDuI,EACA9nB,KAAK+M,QAAQ+a,GAAI5I,MACnBlf,KAAKssB,aACT,OAAKpN,EAGE,GAAG7d,OAAOoB,MACf,GACAyc,EAAMK,QAAQrQ,KAAI,SAAUoW,GAC1B,OAAO/lB,OAAO4K,KAAKmb,EAAE3M,YAAYzJ,KAAI,SAAUhG,GAC7C,OAAOoc,EAAE3M,WAAWzP,EACtB,GACF,KARO,EAUX,EAEA8tB,GAAUx3B,UAAUuN,QAAU,SAC5B+a,EACAnF,EACAW,GAGA,IAAI9c,EAAWsgB,GAAkBgB,EADjCnF,EAAUA,GAAW3iB,KAAK4tB,QAAQjL,QACYW,EAAQtjB,MAClDkf,EAAQlf,KAAKoZ,MAAM5S,EAAUmc,GAC7BtD,EAAWH,EAAMH,gBAAkBG,EAAMG,SAEzC/Y,EA4CN,SAAqB+c,EAAMhE,EAAU8X,GACnC,IAAIrnB,EAAgB,SAATqnB,EAAkB,IAAM9X,EAAWA,EAC9C,OAAOgE,EAAOQ,GAAUR,EAAO,IAAMvT,GAAQA,CAC/C,CA/CakoB,CADAh4B,KAAK4tB,QAAQvK,KACIhE,EAAUrf,KAAKm3B,MAC3C,MAAO,CACL3wB,SAAUA,EACV0Y,MAAOA,EACP5Y,KAAMA,EAEN2xB,aAAczxB,EACdiuB,SAAUvV,EAEd,EAEA8X,GAAUx3B,UAAUytB,UAAY,WAC9B,OAAOjtB,KAAKk3B,QAAQjK,WACtB,EAEA+J,GAAUx3B,UAAUutB,SAAW,SAAmBC,EAAe9N,GAC/Dlf,KAAKk3B,QAAQnK,SAASC,EAAe9N,GACjClf,KAAK4tB,QAAQjL,UAAYjD,IAC3B1f,KAAK4tB,QAAQqF,aAAajzB,KAAK4tB,QAAQqI,qBAE3C,EAEAe,GAAUx3B,UAAU0tB,UAAY,SAAoBnC,GAIlD/qB,KAAKk3B,QAAQhK,UAAUnC,GACnB/qB,KAAK4tB,QAAQjL,UAAYjD,IAC3B1f,KAAK4tB,QAAQqF,aAAajzB,KAAK4tB,QAAQqI,qBAE3C,EAEA12B,OAAO24B,iBAAkBlB,GAAUx3B,UAAW43B,IAE9C,IAAIe,GAAcnB,GAElB,SAASU,GAAcU,EAAMv4B,GAE3B,OADAu4B,EAAK53B,KAAKX,GACH,WACL,IAAI2B,EAAI42B,EAAK/kB,QAAQxT,GACjB2B,GAAK,GAAK42B,EAAK9kB,OAAO9R,EAAG,EAC/B,CACF,CAQAw1B,GAAUlf,QA70DV,SAASA,EAASugB,GAChB,IAAIvgB,EAAQwgB,WAAa1Q,KAASyQ,EAAlC,CACAvgB,EAAQwgB,WAAY,EAEpB1Q,GAAOyQ,EAEP,IAAIE,EAAQ,SAAUhJ,GAAK,YAAa/sB,IAAN+sB,CAAiB,EAE/CiJ,EAAmB,SAAU9V,EAAI+V,GACnC,IAAIj3B,EAAIkhB,EAAGgW,SAASC,aAChBJ,EAAM/2B,IAAM+2B,EAAM/2B,EAAIA,EAAE0I,OAASquB,EAAM/2B,EAAIA,EAAEihB,wBAC/CjhB,EAAEkhB,EAAI+V,EAEV,EAEAJ,EAAIO,MAAM,CACRC,aAAc,WACRN,EAAMv4B,KAAK04B,SAAS1Z,SACtBhf,KAAK4hB,YAAc5hB,KACnBA,KAAK84B,QAAU94B,KAAK04B,SAAS1Z,OAC7Bhf,KAAK84B,QAAQ/V,KAAK/iB,MAClBq4B,EAAIU,KAAKC,eAAeh5B,KAAM,SAAUA,KAAK84B,QAAQlL,QAAQjL,UAE7D3iB,KAAK4hB,YAAe5hB,KAAKkiB,SAAWliB,KAAKkiB,QAAQN,aAAgB5hB,KAEnEw4B,EAAiBx4B,KAAMA,KACzB,EACAi5B,UAAW,WACTT,EAAiBx4B,KACnB,IAGFT,OAAOoX,eAAe0hB,EAAI74B,UAAW,UAAW,CAC9CmO,IAAK,WAAkB,OAAO3N,KAAK4hB,YAAYkX,OAAQ,IAGzDv5B,OAAOoX,eAAe0hB,EAAI74B,UAAW,SAAU,CAC7CmO,IAAK,WAAkB,OAAO3N,KAAK4hB,YAAY4V,MAAO,IAGxDa,EAAI/V,UAAU,aAAczB,IAC5BwX,EAAI/V,UAAU,aAAcuF,IAE5B,IAAIqR,EAASb,EAAIrgB,OAAOmhB,sBAExBD,EAAOE,iBAAmBF,EAAOG,iBAAmBH,EAAOI,kBAAoBJ,EAAOK,OA5CtC,CA6ClD,EAgyDAvC,GAAUwC,QAAU,QACpBxC,GAAU7F,oBAAsBA,GAChC6F,GAAUvG,sBAAwBA,GAClCuG,GAAUyC,eAAiB/Z,GAEvBmL,IAAajnB,OAAOy0B,KACtBz0B,OAAOy0B,IAAIjgB,IAAI4e,IC5kGjBqB,GAAAA,GAAIjgB,IAAIshB,IAER,MAAMC,GAAeD,GAAOl6B,UAAUgB,KACtCk5B,GAAOl6B,UAAUgB,KAAO,SAAcsnB,EAAIoL,EAAYC,GAClD,OAAID,GAAcC,EACPwG,GAAaz4B,KAAKlB,KAAM8nB,EAAIoL,EAAYC,GAC5CwG,GAAaz4B,KAAKlB,KAAM8nB,GAAInS,OAAMuI,GAAOA,GACpD,EACA,MAwBA,GAxBe,IAAIwb,GAAO,CACtBvC,KAAM,UAGN9T,MAAMuW,EAAAA,GAAAA,IAAY,eAClBjR,gBAAiB,SACjBoC,OAAQ,CACJ,CACIjb,KAAM,IAENkc,SAAU,CAAEhrB,KAAM,WAAYoe,OAAQ,CAAEya,KAAM,WAElD,CACI/pB,KAAM,wBACN9O,KAAM,WACN+f,OAAO,IAIfrC,cAAAA,CAAe/C,GACX,MAAM5T,EAASwV,GAAYnR,UAAUuP,GAAO1T,QAAQ,SAAU,KAC9D,OAAOF,EAAU,IAAMA,EAAU,EACrC,gbCnCJ,wCCoBA,MCpBsG,GDoBtG,CACE/G,KAAM,UACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,sBEff,UAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,g5BAAg5B,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACx5C,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,uEEShC,MAAMmkB,IAAaC,EAAAA,GAAAA,GAAU,QAAS,cAAe,CAAC,GACzCC,GAAqB,WAC9B,MAAMhxB,EAAQyN,GAAY,aAAc,CACpCnO,MAAOA,KAAA,CACHwxB,gBAEJ9rB,QAAS,CACLisB,UAAY3xB,GAAW4wB,GAAS5wB,EAAMwxB,WAAWZ,IAAS,CAAC,GAE/D/tB,QAAS,CAIL+uB,QAAAA,CAAShB,EAAM3wB,EAAKE,GACXpJ,KAAKy6B,WAAWZ,IACjBxB,GAAAA,GAAAA,IAAQr4B,KAAKy6B,WAAYZ,EAAM,CAAC,GAEpCxB,GAAAA,GAAAA,IAAQr4B,KAAKy6B,WAAWZ,GAAO3wB,EAAKE,EACxC,EAIA,YAAM0xB,CAAOjB,EAAM3wB,EAAKE,GACpB2xB,GAAAA,EAAMC,KAAIpB,EAAAA,GAAAA,IAAY,4BAADv4B,OAA6Bw4B,EAAI,KAAAx4B,OAAI6H,IAAQ,CAC9DE,WAEJtH,EAAAA,GAAAA,IAAK,2BAA4B,CAAE+3B,OAAM3wB,MAAKE,SAClD,EAMA6xB,YAAAA,GAA+C,IAAlC/xB,EAAG5G,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,WAAYu3B,EAAIv3B,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,QAElCtC,KAAK86B,OAAOjB,EAAM,eAAgB3wB,GAClClJ,KAAK86B,OAAOjB,EAAM,oBAAqB,MAC3C,EAIAqB,sBAAAA,GAAuC,IAAhBrB,EAAIv3B,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,QAC1B,MACM64B,EAA4C,SADnCn7B,KAAK46B,UAAUf,IAAS,CAAEuB,kBAAmB,QAChCA,kBAA8B,OAAS,MAEnEp7B,KAAK86B,OAAOjB,EAAM,oBAAqBsB,EAC3C,KAGFE,EAAkB1xB,KAAMrH,WAQ9B,OANK+4B,EAAgBC,gBACjBC,EAAAA,GAAAA,IAAU,4BAA4B,SAAAC,GAAgC,IAAtB,KAAE3B,EAAI,IAAE3wB,EAAG,MAAEE,GAAOoyB,EAChEH,EAAgBR,SAAShB,EAAM3wB,EAAKE,EACxC,IACAiyB,EAAgBC,cAAe,GAE5BD,CACX,EC9DA,IAAeI,WAAAA,MACbC,OAAO,SACPC,aACAC,QCHF,SAASC,GAAUC,EAAO7oB,EAAUjC,GAClC,IAcI+qB,EAdAP,EAAOxqB,GAAW,CAAC,EACnBgrB,EAAkBR,EAAKS,WACvBA,OAAiC,IAApBD,GAAqCA,EAClDE,EAAiBV,EAAKW,UACtBA,OAA+B,IAAnBD,GAAoCA,EAChDE,EAAoBZ,EAAKa,aACzBA,OAAqC,IAAtBD,OAA+B55B,EAAY45B,EAS1DxL,GAAY,EAEZ0L,EAAW,EAEf,SAASC,IACHR,GACFS,aAAaT,EAEjB,CAkBA,SAASU,IACP,IAAK,IAAIC,EAAOp6B,UAAUZ,OAAQi7B,EAAa,IAAI/6B,MAAM86B,GAAOnP,EAAO,EAAGA,EAAOmP,EAAMnP,IACrFoP,EAAWpP,GAAQjrB,UAAUirB,GAG/B,IAAIvpB,EAAOhE,KACP48B,EAAUnrB,KAAKjG,MAAQ8wB,EAO3B,SAAS3hB,IACP2hB,EAAW7qB,KAAKjG,MAChByH,EAASxQ,MAAMuB,EAAM24B,EACvB,CAOA,SAASE,IACPd,OAAYv5B,CACd,CAjBIouB,IAmBCuL,IAAaE,GAAiBN,GAMjCphB,IAGF4hB,SAEqB/5B,IAAjB65B,GAA8BO,EAAUd,EACtCK,GAMFG,EAAW7qB,KAAKjG,MAEXywB,IACHF,EAAYn1B,WAAWy1B,EAAeQ,EAAQliB,EAAMmhB,KAOtDnhB,KAEsB,IAAfshB,IAYTF,EAAYn1B,WAAWy1B,EAAeQ,EAAQliB,OAAuBnY,IAAjB65B,EAA6BP,EAAQc,EAAUd,IAEvG,CAIA,OAFAW,EAAQK,OAxFR,SAAgB9rB,GACd,IACI+rB,GADQ/rB,GAAW,CAAC,GACOgsB,aAC3BA,OAAsC,IAAvBD,GAAwCA,EAE3DR,IACA3L,GAAaoM,CACf,EAmFOP,CACT,iBCzHA,MCpB2G,GDoB3G,CACEz7B,KAAM,eACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,8HAA8H,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC5oB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEkBhC,MCpC2L,GDoC3L,CACAtV,KAAA,kBAEA2X,WAAA,CACAskB,SAAA,GACAC,oBAAA,KACAC,cAAAA,GAAAA,GAGAjzB,KAAAA,KACA,CACAkzB,qBAAA,EACAC,cAAA3C,EAAAA,GAAAA,GAAA,+BAIA4C,SAAA,CACAC,iBAAAA,GAAA,IAAAC,EAAAC,EAAAC,EACA,MAAAC,GAAAC,EAAAA,GAAAA,IAAA,QAAAJ,EAAA,KAAAH,oBAAA,IAAAG,OAAA,EAAAA,EAAAK,MAAA,MACAC,GAAAF,EAAAA,GAAAA,IAAA,QAAAH,EAAA,KAAAJ,oBAAA,IAAAI,OAAA,EAAAA,EAAAM,OAAA,MAGA,eAAAL,EAAA,KAAAL,oBAAA,IAAAK,OAAA,EAAAA,EAAAK,OAAA,EACA,KAAAC,EAAA,gCAAAL,kBAGA,KAAAK,EAAA,kCACAH,KAAAF,EACAI,MAAAD,GAEA,EACAG,mBAAAA,GACA,YAAAZ,aAAAja,SAIA,KAAA4a,EAAA,gCAAAX,cAHA,EAIA,GAGAa,WAAAA,GAKAC,YAAA,KAAAC,2BAAA,MAEA7C,EAAAA,GAAAA,IAAA,0BAAA6C,6BACA7C,EAAAA,GAAAA,IAAA,0BAAA6C,6BACA7C,EAAAA,GAAAA,IAAA,wBAAA6C,6BACA7C,EAAAA,GAAAA,IAAA,0BAAA6C,2BACA,EAEAC,OAAAA,GAAA,IAAAC,EAAAC,GAWA,QAAAD,EAAA,KAAAjB,oBAAA,IAAAiB,OAAA,EAAAA,EAAAP,OAAA,YAAAQ,EAAA,KAAAlB,oBAAA,IAAAkB,OAAA,EAAAA,EAAAC,OAAA,GACA,KAAAC,wBAEA,EAEAC,QAAA,CAEAC,4BLuDMC,GADkB,CAAC,EACCC,QAGjBhD,GK1DT,cAAA17B,GACA,KAAA2+B,mBAAA3+B,EACA,GLwDmC,CAC/Bk8B,cAA0B,UAHG,IAAjBuC,IAAkCA,OKpDlDR,2BAAAvC,GAAA,cAAA17B,GACA,KAAA2+B,mBAAA3+B,EACA,IAQA,wBAAA2+B,GAAA,IAAA3+B,EAAAmC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,QACA,SAAA86B,oBAAA,CAIA,KAAAA,qBAAA,EACA,QAAA2B,EAAAC,EAAAC,EAAAC,EACA,MAAAr6B,QAAAk2B,GAAAA,EAAAptB,KAAAisB,EAAAA,GAAAA,IAAA,6BACA,GAAA/0B,SAAA,QAAAk6B,EAAAl6B,EAAAqF,YAAA,IAAA60B,IAAAA,EAAA70B,KACA,UAAAlC,MAAA,0BAKA,QAAAg3B,EAAA,KAAA3B,oBAAA,IAAA2B,OAAA,EAAAA,EAAAR,MAAA,YAAAS,EAAAp6B,EAAAqF,KAAAA,YAAA,IAAA+0B,OAAA,EAAAA,EAAAT,OAAA,YAAAU,EAAAr6B,EAAAqF,KAAAA,YAAA,IAAAg1B,OAAA,EAAAA,EAAAnB,OAAA,GACA,KAAAU,yBAGA,KAAApB,aAAAx4B,EAAAqF,KAAAA,IACA,OAAAlF,GACAm6B,GAAAn6B,MAAA,mCAAAA,UAEA7E,IACAi/B,EAAAA,GAAAA,IAAApB,EAAA,2CAEA,SACA,KAAAZ,qBAAA,CACA,CAxBA,CAyBA,EAEAqB,sBAAAA,IACAW,EAAAA,GAAAA,IAAA,KAAApB,EAAA,6EACA,EAEAA,EAAAqB,GAAAA,KLKA,IAEMT,yJOvJF5tB,GAAU,CAAC,EAEfA,GAAQsuB,kBAAoB,KAC5BtuB,GAAQuuB,cAAgB,KAElBvuB,GAAQwuB,OAAS,UAAc,KAAM,QAE3CxuB,GAAQyuB,OAAS,KACjBzuB,GAAQ0uB,mBAAqB,KAEhB,KAAI,KAAS1uB,IAKJ,MAAW,KAAQ2uB,QAAS,KAAQA,OCP1D,UAXgB,QACd,ICTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAQD,EAAIqD,aAAcpD,EAAG,sBAAsB,CAACG,YAAY,uCAAuC/Q,MAAM,CAAE,sDAAuD2Q,EAAIqD,aAAaU,OAAS,GAAG7a,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,wBAAwB,QAAUhE,EAAIoD,oBAAoB,KAAOpD,EAAIuD,kBAAkB,MAAQvD,EAAIiE,oBAAoB,0CAA0C,IAAIt7B,GAAG,CAAC,MAAQ,SAAS03B,GAAyD,OAAjDA,EAAOuF,kBAAkBvF,EAAO1P,iBAAwBqP,EAAI2E,2BAA2Bl8B,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,WAAW,CAAC/W,MAAM,CAAC,KAAO,OAAO,KAAO,IAAI2c,KAAK,SAAS7F,EAAIQ,GAAG,KAAMR,EAAIqD,aAAaU,OAAS,EAAG9D,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,QAAQ,MAAQ8W,EAAIqD,aAAaja,SAAW,GAAG,MAAQyQ,KAAKiM,IAAI9F,EAAIqD,aAAaja,SAAU,MAAMyc,KAAK,UAAU7F,EAAI1jB,MAAM,GAAG0jB,EAAI1jB,IACh2B,GACsB,IDUpB,EACA,KACA,WACA,MAI8B,QEnBhC,sCCoBA,MCpB4G,GDoB5G,CACEtV,KAAM,gBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,oMAAoM,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACltB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEQhC,MC1BmL,GD0BnL,CACAtV,KAAA,UACA+f,MAAA,CACA4O,GAAA,CACA3oB,KAAA+4B,SACAhY,UAAA,IAGAsW,OAAAA,GACA,KAAA2B,IAAAC,YAAA,KAAAtQ,KACA,GElBA,IAXgB,QACd,ICRW,WAA+C,OAAOsK,EAA5Bj6B,KAAYk6B,MAAMD,IAAa,MACtE,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QEZ1BiG,IAAaxF,EAAAA,GAAAA,GAAU,QAAS,SAAU,CAC5CyF,aAAa,EACbC,qBAAqB,EACrBC,sBAAsB,EACtBC,oBAAoB,EACpBC,WAAW,IAEFC,GAAqB,WAC9B,MAsBMC,EAtBQrpB,GAAY,aAAc,CACpCnO,MAAOA,KAAA,CACHi3B,gBAEJp0B,QAAS,CAIL+uB,QAAAA,CAAS3xB,EAAKE,GACVivB,GAAAA,GAAAA,IAAQr4B,KAAKkgC,WAAYh3B,EAAKE,EAClC,EAIA,YAAM0xB,CAAO5xB,EAAKE,SACR2xB,GAAAA,EAAMC,KAAIpB,EAAAA,GAAAA,IAAY,6BAA+B1wB,GAAM,CAC7DE,WAEJtH,EAAAA,GAAAA,IAAK,uBAAwB,CAAEoH,MAAKE,SACxC,IAGgBO,IAAMrH,WAQ9B,OANKm+B,EAAgBnF,gBACjBC,EAAAA,GAAAA,IAAU,wBAAwB,SAAAC,GAA0B,IAAhB,IAAEtyB,EAAG,MAAEE,GAAOoyB,EACtDiF,EAAgB5F,SAAS3xB,EAAKE,EAClC,IACAq3B,EAAgBnF,cAAe,GAE5BmF,CACX,ECsEA,IACAz/B,KAAA,WACA2X,WAAA,CACA+nB,UAAA,GACAC,oBAAA,KACAC,qBAAA,KACAC,sBAAA,KACAC,aAAA,KACAC,QAAAA,IAGAhgB,MAAA,CACAtc,KAAA,CACAuC,KAAAyV,QACAuE,SAAA,IAIA5M,MAAAA,KAEA,CACAqsB,gBAFAD,OAMAt2B,IAAAA,GAAA,IAAA82B,EAAAC,EAAAC,EACA,OAEA7vB,UAAA,QAAA2vB,EAAAp9B,OAAAu9B,WAAA,IAAAH,GAAA,QAAAA,EAAAA,EAAAI,aAAA,IAAAJ,GAAA,QAAAA,EAAAA,EAAAK,gBAAA,IAAAL,OAAA,EAAAA,EAAA3vB,WAAA,GAGAiwB,WAAAC,EAAAA,GAAAA,IAAA,aAAAtnB,mBAAA,QAAAgnB,GAAAO,EAAAA,GAAAA,aAAA,IAAAP,OAAA,EAAAA,EAAAQ,MACAC,WAAA,iEACAC,gBAAA/H,EAAAA,GAAAA,IAAA,sDACAgI,iBAAA,EACAC,eAAA,QAAAX,GAAAxG,EAAAA,GAAAA,GAAA,iEAAAwG,GAAAA,EAEA,EAEA5D,SAAA,CACA4C,UAAAA,GACA,YAAAO,gBAAAP,UACA,GAGAhC,WAAAA,GAEA,KAAA7sB,SAAAhD,SAAAyzB,GAAAA,EAAAr9B,QACA,EAEAs9B,aAAAA,GAEA,KAAA1wB,SAAAhD,SAAAyzB,GAAAA,EAAAE,SACA,EAEAtD,QAAA,CACAuD,OAAAA,GACA,KAAA3H,MAAA,QACA,EAEA4H,SAAAA,CAAAh5B,EAAAE,GACA,KAAAq3B,gBAAA3F,OAAA5xB,EAAAE,EACA,EAEA,iBAAA+4B,GACA18B,SAAAoqB,cAAA,0BAAAuS,SAEAv8B,UAAAoG,iBAMApG,UAAAoG,UAAAC,UAAA,KAAAo1B,WACA,KAAAM,iBAAA,GACAS,EAAAA,GAAAA,IAAArE,EAAA,2CACAp3B,YAAA,KACA,KAAAg7B,iBAAA,IACA,OATAxC,EAAAA,GAAAA,IAAApB,EAAA,sCAUA,EAEAA,EAAAqB,GAAAA,KCpMoL,sBCWhL,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IbTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,oCAAoC,GAAG,KAAO8W,EAAIv1B,KAAK,mBAAkB,EAAK,KAAOu1B,EAAIgE,EAAE,QAAS,mBAAmBr7B,GAAG,CAAC,cAAcq3B,EAAIiI,UAAU,CAAChI,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,GAAK,WAAW,KAAO8W,EAAIgE,EAAE,QAAS,oBAAoB,CAAC/D,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,uBAAuB,QAAU8W,EAAIkG,WAAWG,sBAAsB19B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,uBAAwB7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,yBAAyB,YAAYhE,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,qBAAqB,QAAU8W,EAAIkG,WAAWI,oBAAoB39B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,qBAAsB7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,8BAA8B,YAAYhE,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,cAAc,QAAU8W,EAAIkG,WAAWC,aAAax9B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,cAAe7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,sBAAsB,YAAYhE,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,sBAAsB,QAAU8W,EAAIkG,WAAWE,qBAAqBz9B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,sBAAuB7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,wBAAwB,YAAYhE,EAAIQ,GAAG,KAAMR,EAAI6H,eAAgB5H,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,YAAY,QAAU8W,EAAIkG,WAAWK,WAAW59B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,YAAa7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,yBAAyB,YAAYhE,EAAI1jB,MAAM,GAAG0jB,EAAIQ,GAAG,KAA8B,IAAxBR,EAAI3oB,SAAS3P,OAAcu4B,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,GAAK,gBAAgB,KAAO8W,EAAIgE,EAAE,QAAS,yBAAyB,CAAChE,EAAIsI,GAAItI,EAAI3oB,UAAU,SAASywB,GAAS,MAAO,CAAC7H,EAAG,UAAU,CAAC/wB,IAAI44B,EAAQ9gC,KAAKkiB,MAAM,CAAC,GAAK4e,EAAQnS,MAAM,KAAI,GAAGqK,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,GAAK,SAAS,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,CAAC/D,EAAG,eAAe,CAAC/W,MAAM,CAAC,GAAK,mBAAmB,MAAQ8W,EAAIgE,EAAE,QAAS,cAAc,wBAAuB,EAAK,QAAUhE,EAAI4H,gBAAgB,wBAAwB5H,EAAIgE,EAAE,QAAS,qBAAqB,MAAQhE,EAAIsH,UAAU,SAAW,WAAW,KAAO,OAAO3+B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOA,EAAO5zB,OAAO27B,QAAQ,EAAE,wBAAwBpI,EAAImI,aAAaI,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,uBAAuBrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,YAAY,CAAC/W,MAAM,CAAC,KAAO,MAAM,EAAElV,OAAM,OAAUgsB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACA,EAAG,IAAI,CAACG,YAAY,eAAelX,MAAM,CAAC,KAAO8W,EAAI0H,WAAW,OAAS,SAAS,IAAM,wBAAwB,CAAC1H,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,qDAAqD,kBAAkBhE,EAAIQ,GAAG,KAAKP,EAAG,MAAMD,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACA,EAAG,IAAI,CAACG,YAAY,eAAelX,MAAM,CAAC,KAAO8W,EAAI2H,iBAAiB,CAAC3H,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,0FAA0F,mBAAmB,IAAI,EACvsG,GACsB,IaUpB,EACA,KACA,WACA,MAI8B,QCnB0N,GCU1P,CACIh9B,KAAM,aACN2X,WAAY,CACR8pB,IAAG,GACHC,gBAAe,GACfC,gBAAe,KACfzF,oBAAmB,KACnB0F,iBAAgB,KAChBC,cAAaA,IAEjBzuB,MAAKA,KAEM,CACHinB,gBAFoBV,OAK5BzwB,KAAIA,KACO,CACH44B,gBAAgB,IAGxBxF,SAAU,CACNyF,aAAAA,GAAgB,IAAAC,EACZ,OAAkB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAQ,QAARA,EAAXA,EAAa5jB,cAAM,IAAA4jB,OAAA,EAAnBA,EAAqBnJ,OAAQ,OACxC,EACAoJ,WAAAA,GACI,OAAO,KAAKC,MAAMC,MAAKtJ,GAAQA,EAAKjwB,KAAO,KAAKm5B,eACpD,EACAG,KAAAA,GACI,OAAO,KAAKE,YAAYF,KAC5B,EACAG,WAAAA,GACI,OAAO,KAAKH,MAEPj0B,QAAO4qB,IAASA,EAAKla,SAErB5E,MAAK,CAAC5U,EAAG6U,IACH7U,EAAEm9B,MAAQtoB,EAAEsoB,OAE3B,EACAC,UAAAA,GACI,OAAO,KAAKL,MAEPj0B,QAAO4qB,KAAUA,EAAKla,SAEtB1V,QAAO,CAACmuB,EAAMyB,KACfzB,EAAKyB,EAAKla,QAAU,IAAKyY,EAAKyB,EAAKla,SAAW,GAAKka,GAEnDzB,EAAKyB,EAAKla,QAAQ5E,MAAK,CAAC5U,EAAG6U,IAChB7U,EAAEm9B,MAAQtoB,EAAEsoB,QAEhBlL,IACR,CAAC,EACR,GAEJoL,MAAO,CACHP,WAAAA,CAAYpJ,EAAM4J,GACV5J,EAAKjwB,MAAO65B,aAAO,EAAPA,EAAS75B,MACrB,KAAKw5B,YAAYM,UAAU7J,GAC3BsF,GAAOwE,MAAM,qBAAsB,CAAE/5B,GAAIiwB,EAAKjwB,GAAIiwB,SAClD,KAAK+J,SAAS/J,GAEtB,GAEJqE,WAAAA,GACQ,KAAK+E,cACL9D,GAAOwE,MAAM,6CAA8C,CAAE9J,KAAM,KAAKoJ,cACxE,KAAKW,SAAS,KAAKX,aAE3B,EACAvE,QAAS,CAOLmF,qBAAAA,CAAsBhK,GAAM,IAAAiK,EACxB,OAA+B,QAAxBA,EAAA,KAAKP,WAAW1J,EAAKjwB,WAAG,IAAAk6B,OAAA,EAAxBA,EAA0BpiC,QAAS,CAC9C,EACAkiC,QAAAA,CAAS/J,GAAM,IAAAkK,EAAAC,EAEL,QAAND,EAAAngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,GAAS,QAATA,EAAlBA,EAAoBE,eAAO,IAAAF,GAAO,QAAPC,EAA3BD,EAA6B/B,aAAK,IAAAgC,GAAlCA,EAAA9iC,KAAA6iC,GACA,KAAKX,YAAYM,UAAU7J,IAC3B/3B,EAAAA,GAAAA,IAAK,2BAA4B+3B,EACrC,EAMAqK,cAAAA,CAAerK,GAEX,MAAMsK,EAAa,KAAKA,WAAWtK,GAEnCA,EAAKuK,UAAYD,EACjB,KAAK9I,gBAAgBP,OAAOjB,EAAKjwB,GAAI,YAAau6B,EACtD,EAMAA,UAAAA,CAAWtK,GAAM,IAAAwK,EACb,MAAoE,kBAAf,QAA9CA,EAAO,KAAKhJ,gBAAgBT,UAAUf,EAAKjwB,WAAG,IAAAy6B,OAAA,EAAvCA,EAAyCD,WACI,IAArD,KAAK/I,gBAAgBT,UAAUf,EAAKjwB,IAAIw6B,UACtB,IAAlBvK,EAAKuK,QACf,EAKAE,oBAAAA,CAAqBzK,GACjB,GAAIA,EAAKza,OAAQ,CACb,MAAM,IAAEmlB,GAAQ1K,EAAKza,OACrB,MAAO,CAAEpe,KAAM,WAAYoe,OAAQya,EAAKza,OAAQzD,MAAO,CAAE4oB,OAC7D,CACA,MAAO,CAAEvjC,KAAM,WAAYoe,OAAQ,CAAEya,KAAMA,EAAKjwB,IACpD,EAIA46B,YAAAA,GACI,KAAK1B,gBAAiB,CAC1B,EAIA2B,eAAAA,GACI,KAAK3B,gBAAiB,CAC1B,EACA9E,EAAGqB,GAAAA,qBClIP,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,kBAAkB,CAAC/W,MAAM,CAAC,2BAA2B,GAAG,aAAa8W,EAAIgE,EAAE,QAAS,UAAUuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,OAAOm6B,EAAIsI,GAAItI,EAAIqJ,aAAa,SAASxJ,GAAM,OAAOI,EAAG,sBAAsB,CAAC/wB,IAAI2wB,EAAKjwB,GAAGsZ,MAAM,CAAC,kBAAiB,EAAK,gCAAgC2W,EAAKjwB,GAAG,MAAQowB,EAAI6J,sBAAsBhK,GAAM,KAAOA,EAAK6K,UAAU,KAAO7K,EAAK74B,KAAK,KAAOg5B,EAAImK,WAAWtK,GAAM,OAASA,EAAK8K,OAAO,GAAK3K,EAAIsK,qBAAqBzK,IAAOl3B,GAAG,CAAC,cAAc,SAAS03B,GAAQ,OAAOL,EAAIkK,eAAerK,EAAK,IAAI,CAAEA,EAAKjuB,KAAMquB,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,OAAO,IAAM2W,EAAKjuB,MAAMi0B,KAAK,SAAS7F,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIuJ,WAAW1J,EAAKjwB,KAAK,SAASghB,GAAO,OAAOqP,EAAG,sBAAsB,CAAC/wB,IAAI0hB,EAAMhhB,GAAGsZ,MAAM,CAAC,gCAAgC0H,EAAMhhB,GAAG,cAAa,EAAK,KAAOghB,EAAM8Z,UAAU,KAAO9Z,EAAM5pB,KAAK,GAAKg5B,EAAIsK,qBAAqB1Z,KAAS,CAAEA,EAAMhf,KAAMquB,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,OAAO,IAAM0H,EAAMhf,MAAMi0B,KAAK,SAAS7F,EAAI1jB,MAAM,EAAE,KAAI,EAAE,GAAE,EAAEtI,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,KAAK,CAACG,YAAY,kCAAkC,CAACH,EAAG,mBAAmBD,EAAIQ,GAAG,KAAKP,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,+BAA+B,KAAOhE,EAAIgE,EAAE,QAAS,kBAAkB,2CAA2C,IAAIr7B,GAAG,CAAC,MAAQ,SAAS03B,GAAyD,OAAjDA,EAAO1P,iBAAiB0P,EAAOuF,kBAAyB5F,EAAIwK,aAAa/hC,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,MAAM,CAAC/W,MAAM,CAAC,KAAO,OAAO,KAAO,IAAI2c,KAAK,UAAU,IAAI,GAAG,EAAE7xB,OAAM,MAAS,CAACgsB,EAAIQ,GAAG,KAAKR,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO8W,EAAI8I,eAAe,oCAAoC,IAAIngC,GAAG,CAAC,MAAQq3B,EAAIyK,oBAAoB,EACrtD,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,4BCUIG,GAAiB,SAAwBC,EAASC,GACpD,OAAID,EAAUC,GACJ,EAEND,EAAUC,EACL,EAEF,CACT,EAEIC,GAAiB,SAAwBC,EAASC,GACpD,IAAIl9B,EAASi9B,EAAQE,cAAcD,GACnC,OAAOl9B,EAASA,EAAS8rB,KAAKsR,IAAIp9B,GAAU,CAC9C,EAEIq9B,GAAa,8FACbC,GAAqC,aACrCC,GAAiB,OACjBC,GAAkB,kDAClBC,GAAU,6GACVC,GAAkB,qBAElBC,GAAwB,eAExBC,GAAgB,SAAuBX,EAASC,GAClD,OAAID,EAAUC,GACJ,EAEND,EAAUC,EACL,EAEF,CACT,EAoFIW,GAAsB,SAA6BC,GACrD,OAAOA,EAAM59B,QAAQq9B,GAAgB,KAAKr9B,QAAQo9B,GAAoC,GACxF,EAEIS,GAAc,SAAqB18B,GACrC,GAAqB,IAAjBA,EAAM1H,OAAc,CACtB,IAAIqkC,EAAe9qB,OAAO7R,GAC1B,IAAK6R,OAAOK,MAAMyqB,GAChB,OAAOA,CAEX,CAEF,EAEIC,GAAwB,SAA+BH,EAAOhpB,EAAOopB,GACvE,GAAIV,GAAgBv/B,KAAK6/B,MAIlBJ,GAAgBz/B,KAAK6/B,IAAoB,IAAVhpB,GAAqC,MAAtBopB,EAAOppB,EAAQ,IAChE,OAAOipB,GAAYD,IAAU,CAInC,EAEIK,GAAiB,SAAwBL,EAAOhpB,EAAOopB,GACzD,MAAO,CACLF,aAAcC,GAAsBH,EAAOhpB,EAAOopB,GAClDE,iBAAkBP,GAAoBC,GAE1C,EAMIO,GAAkB,SAAyBh9B,GAC7C,IAAIi9B,EALa,SAAsBj9B,GACvC,OAAOA,EAAMnB,QAAQm9B,GAAY,UAAUn9B,QAAQ,MAAO,IAAIA,QAAQ,MAAO,IAAI2Q,MAAM,KACzF,CAGmB0tB,CAAal9B,GAAO8F,IAAIg3B,IACzC,OAAOG,CACT,EAEIE,GAAa,SAAoBn9B,GACnC,MAAwB,mBAAVA,CAChB,EAEI,GAAQ,SAAeA,GACzB,OAAO6R,OAAOK,MAAMlS,IAAUA,aAAiB6R,QAAUA,OAAOK,MAAMlS,EAAMo9B,UAC9E,EAEIC,GAAS,SAAgBr9B,GAC3B,OAAiB,OAAVA,CACT,EAEIqmB,GAAW,SAAkBrmB,GAC/B,QAAiB,OAAVA,GAAmC,iBAAVA,GAAuBxH,MAAMoI,QAAQZ,IAAYA,aAAiB6R,QAAa7R,aAAiBlC,QAAakC,aAAiBqT,SAAcrT,aAAiBqI,KAC/L,EAEIi1B,GAAW,SAAkBt9B,GAC/B,MAAwB,iBAAVA,CAChB,EAEIu9B,GAAc,SAAqBv9B,GACrC,YAAiB5G,IAAV4G,CACT,EAwCIw9B,GAAuB,SAA8Bx9B,GACvD,GAAqB,iBAAVA,GAAsBA,aAAiBlC,SAA4B,iBAAVkC,GAAsBA,aAAiB6R,UAAY,GAAM7R,IAA2B,kBAAVA,GAAuBA,aAAiBqT,SAAWrT,aAAiBqI,KAAM,CACtN,IAAIo1B,EAlBQ,SAAmBz9B,GACjC,MAAqB,kBAAVA,GAAuBA,aAAiBqT,QAC1CxB,OAAO7R,GAAO5F,WAEF,iBAAV4F,GAAsBA,aAAiB6R,OACzC7R,EAAM5F,WAEX4F,aAAiBqI,KACZrI,EAAM09B,UAAUtjC,WAEJ,iBAAV4F,GAAsBA,aAAiBlC,OACzCkC,EAAMP,cAAcZ,QAAQo9B,GAAoC,IAElE,EACT,CAIsB,CAAUj8B,GACxB28B,EA3BQ,SAAmB38B,GACjC,IAAI28B,EAAeD,GAAY18B,GAC/B,YAAqB5G,IAAjBujC,EACKA,EAjBK,SAAmB38B,GACjC,IACE,IAAI29B,EAAat1B,KAAKlF,MAAMnD,GAC5B,OAAK6R,OAAOK,MAAMyrB,IACZvB,GAAQx/B,KAAKoD,GACR29B,OAGX,CACF,CAAE,MAAOC,GACP,MACF,CACF,CAOSC,CAAU79B,EACnB,CAqBuB89B,CAAUL,GAE7B,MAAO,CACLd,aAAcA,EACdE,OAHWG,GAAgBL,EAAe,GAAKA,EAAec,GAI9Dz9B,MAAOA,EAEX,CACA,MAAO,CACLY,QAASpI,MAAMoI,QAAQZ,GACvBm9B,WAAYA,GAAWn9B,GACvBkS,MAAO,GAAMlS,GACbq9B,OAAQA,GAAOr9B,GACfqmB,SAAUA,GAASrmB,GACnBs9B,SAAUA,GAASt9B,GACnBu9B,YAAaA,GAAYv9B,GACzBA,MAAOA,EAEX,EA2DI+9B,GAAqB,SAA4BC,GACnD,MAA0B,mBAAfA,EAEFA,EAEF,SAAUh+B,GACf,GAAIxH,MAAMoI,QAAQZ,GAAQ,CACxB,IAAIyT,EAAQ5B,OAAOmsB,GACnB,GAAInsB,OAAOosB,UAAUxqB,GACnB,OAAOzT,EAAMyT,EAEjB,MAAO,GAAIzT,GAA0B,iBAAVA,EAAoB,CAC7C,IAAIrB,EAASxI,OAAOsa,yBAAyBzQ,EAAOg+B,GACpD,OAAiB,MAAVr/B,OAAiB,EAASA,EAAOqB,KAC1C,CACA,OAAOA,CACT,CACF,EAmEA,SAASk+B,GAAQC,EAAYC,EAAaC,GACxC,IAAKF,IAAe3lC,MAAMoI,QAAQu9B,GAChC,MAAO,GAET,IAAIG,EApCe,SAAwBF,GAC3C,IAAKA,EACH,MAAO,GAET,IAAIG,EAAkB/lC,MAAMoI,QAAQw9B,GAA+B,GAAGnmC,OAAOmmC,GAA1B,CAACA,GACpD,OAAIG,EAAeC,MAAK,SAAUR,GAChC,MAA6B,iBAAfA,GAAiD,iBAAfA,GAAiD,mBAAfA,CACpF,IACS,GAEFO,CACT,CAyB6BE,CAAeL,GACtCM,EAxBU,SAAmBL,GACjC,IAAKA,EACH,MAAO,GAET,IAAIM,EAAanmC,MAAMoI,QAAQy9B,GAAqB,GAAGpmC,OAAOomC,GAArB,CAACA,GAC1C,OAAIM,EAAUH,MAAK,SAAUtE,GAC3B,MAAiB,QAAVA,GAA6B,SAAVA,GAAqC,mBAAVA,CACvD,IACS,GAEFyE,CACT,CAawBC,CAAUP,GAChC,OA/DgB,SAAqBF,EAAYC,EAAaC,GAC9D,IAAIQ,EAAgBT,EAAY9lC,OAAS8lC,EAAYt4B,IAAIi4B,IAAsB,CAAC,SAAU/9B,GACxF,OAAOA,CACT,GAGI8+B,EAAmBX,EAAWr4B,KAAI,SAAUi5B,EAAStrB,GAIvD,MAAO,CACLA,MAAOA,EACPzO,OALW65B,EAAc/4B,KAAI,SAAUk4B,GACvC,OAAqCA,EAATe,EAC9B,IAAGj5B,IAAI03B,IAKT,IAMA,OAHAsB,EAAiBntB,MAAK,SAAUqtB,EAASC,GACvC,OArEkB,SAAyBD,EAASC,EAASZ,GAO/D,IANA,IAAIa,EAASF,EAAQvrB,MACnB0rB,EAAUH,EAAQh6B,OAChBo6B,EAASH,EAAQxrB,MACnB4rB,EAAUJ,EAAQj6B,OAChB1M,EAAS6mC,EAAQ7mC,OACjBgnC,EAAejB,EAAO/lC,OACjBF,EAAI,EAAGA,EAAIE,EAAQF,IAAK,CAC/B,IAAI8hC,EAAQ9hC,EAAIknC,EAAejB,EAAOjmC,GAAK,KAC3C,GAAI8hC,GAA0B,mBAAVA,EAAsB,CACxC,IAAIv7B,EAASu7B,EAAMiF,EAAQ/mC,GAAG4H,MAAOq/B,EAAQjnC,GAAG4H,OAChD,GAAIrB,EACF,OAAOA,CAEX,KAAO,CACL,IAAI4gC,GA5LiCC,EA4LTL,EAAQ/mC,GA5LSqnC,EA4LLJ,EAAQjnC,GA3LhDonC,EAAOx/B,QAAUy/B,EAAOz/B,MACnB,OAEmB5G,IAAxBomC,EAAO7C,mBAAsDvjC,IAAxBqmC,EAAO9C,aACvCnB,GAAegE,EAAO7C,aAAc8C,EAAO9C,cAEhD6C,EAAO3C,QAAU4C,EAAO5C,OA5EV,SAAuB6C,EAASC,GAIlD,IAHA,IAAIC,EAAUF,EAAQpnC,OAClBunC,EAAUF,EAAQrnC,OAClBgO,EAAOmkB,KAAKiM,IAAIkJ,EAASC,GACpBznC,EAAI,EAAGA,EAAIkO,EAAMlO,IAAK,CAC7B,IAAI0nC,EAASJ,EAAQtnC,GACjB2nC,EAASJ,EAAQvnC,GACrB,GAAI0nC,EAAO/C,mBAAqBgD,EAAOhD,iBAAkB,CACvD,GAAgC,KAA5B+C,EAAO/C,mBAAyD,KAA5BgD,EAAOhD,kBAE7C,MAAmC,KAA5B+C,EAAO/C,kBAA2B,EAAI,EAE/C,QAA4B3jC,IAAxB0mC,EAAOnD,mBAAsDvjC,IAAxB2mC,EAAOpD,aAA4B,CAE1E,IAAIh+B,EAAS68B,GAAesE,EAAOnD,aAAcoD,EAAOpD,cACxD,OAAe,IAAXh+B,EAOK49B,GAAcuD,EAAO/C,iBAAkBgD,EAAOhD,kBAEhDp+B,CACT,CAAO,YAA4BvF,IAAxB0mC,EAAOnD,mBAAsDvjC,IAAxB2mC,EAAOpD,kBAEtBvjC,IAAxB0mC,EAAOnD,cAA8B,EAAI,EACvCL,GAAsB1/B,KAAKkjC,EAAO/C,iBAAmBgD,EAAOhD,kBAE9DpB,GAAemE,EAAO/C,iBAAkBgD,EAAOhD,kBAG/CR,GAAcuD,EAAO/C,iBAAkBgD,EAAOhD,iBAEzD,CACF,CAEA,OAAI6C,EAAUt5B,GAAQu5B,EAAUv5B,EACvBs5B,GAAWt5B,GAAQ,EAAI,EAEzB,CACT,CAmCW05B,CAAcR,EAAO3C,OAAQ4C,EAAO5C,QAjCvB,SAA2B2C,EAAQC,GACzD,OAAKD,EAAO3C,QAA0B4C,EAAO5C,OAAxB4C,EAAO5C,QAClB2C,EAAO3C,QAAc,EAAL,GAEtB2C,EAAOttB,OAASutB,EAAOvtB,MAAQutB,EAAOvtB,OACjCstB,EAAOttB,OAAS,EAAI,GAEzBstB,EAAOlC,UAAYmC,EAAOnC,SAAWmC,EAAOnC,UACvCkC,EAAOlC,UAAY,EAAI,GAE5BkC,EAAOnZ,UAAYoZ,EAAOpZ,SAAWoZ,EAAOpZ,UACvCmZ,EAAOnZ,UAAY,EAAI,GAE5BmZ,EAAO5+B,SAAW6+B,EAAO7+B,QAAU6+B,EAAO7+B,SACrC4+B,EAAO5+B,SAAW,EAAI,GAE3B4+B,EAAOrC,YAAcsC,EAAOtC,WAAasC,EAAOtC,YAC3CqC,EAAOrC,YAAc,EAAI,GAE9BqC,EAAOnC,QAAUoC,EAAOpC,OAASoC,EAAOpC,QACnCmC,EAAOnC,QAAU,EAAI,EAEvB,CACT,CAYS4C,CAAkBT,EAAQC,IAmL7B,GAAIF,EACF,OAAOA,GAAqB,SAAVrF,GAAoB,EAAI,EAE9C,CACF,CAjMkB,IAAuBsF,EAAQC,EAkMjD,OAAOP,EAASE,CAClB,CA+CWc,CAAgBlB,EAASC,EAASZ,EAC3C,IACOS,EAAiBh5B,KAAI,SAAUi5B,GACpC,OA7BoB,SAA2BZ,EAAY1qB,GAC7D,OAAO0qB,EAAW1qB,EACpB,CA2BW0sB,CAAkBhC,EAAYY,EAAQtrB,MAC/C,GACF,CAwCS2sB,CAAYjC,EAAYG,EAAsBI,EACvD,qDC7XA,MCpB2H,GDoB3H,CACE9mC,KAAM,+BACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wDAAwDlX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,4FAA4F,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC5nB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,uEEEhC,MCpB8G,GDoB9G,CACEtV,KAAM,kBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,yCAAyClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,sKAAsK,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACvrB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB2E,GCoB3G,CACEtV,KAAM,eACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,0DAA0D,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACxkB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEOzB,MACMvK,GAAS,IAAI09B,GAAAA,GAAW,CACjC7/B,GAF0B,UAG1B8/B,YAAaA,KAAM1L,EAAAA,GAAAA,IAAE,QAAS,gBAC9B2L,cAAeA,IAAMC,GAErBC,QAAUC,IAAU,IAAA/F,EAAAvI,EAAAuO,EAEhB,OAAqB,IAAjBD,EAAMpoC,UAGLooC,EAAM,MAIA,QAAP/F,EAACngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,IAAlBA,EAAoBE,UAG+D,QAAxFzI,GAAqB,QAAbuO,EAAAD,EAAM,GAAGE,YAAI,IAAAD,OAAA,EAAbA,EAAe75B,WAAW,aAAc45B,EAAM,GAAGG,cAAgBC,GAAAA,GAAWC,YAAI,IAAA3O,GAAAA,CAAU,EAEtG,UAAM7gB,CAAKrV,EAAMu0B,EAAM0K,GACnB,IAKI,aAHM3gC,OAAOu9B,IAAIC,MAAM6C,QAAQx/B,KAAKa,EAAKwK,MAEzClM,OAAOwmC,IAAIhJ,MAAM1H,OAAO2Q,UAAU,KAAM,CAAExQ,KAAMA,EAAKjwB,GAAI0gC,OAAQhlC,EAAKglC,QAAU,CAAE/F,QAAO,GAClF,IACX,CACA,MAAOv/B,GAEH,OADAm6B,GAAOn6B,MAAM,8BAA+B,CAAEA,WACvC,CACX,CACJ,EACAs+B,OAAQ,KCtDCiH,GAAgB,WACzB,MAwDMC,EAxDQpzB,GAAY,QAAS,CAC/BnO,MAAOA,KAAA,CACHiE,MAAO,CAAC,EACRu9B,MAAO,CAAC,IAEZ97B,QAAS,CAIL+7B,QAAUzhC,GAAWW,GAAOX,EAAMiE,MAAMtD,GAKxC+gC,SAAW1hC,GAAW2hC,GAAQA,EACzB17B,KAAItF,GAAMX,EAAMiE,MAAMtD,KACtBqF,OAAOwN,SAIZouB,QAAU5hC,GAAW6hC,GAAY7hC,EAAMwhC,MAAMK,IAEjDh/B,QAAS,CACLi/B,WAAAA,CAAYjB,GAER,MAAM58B,EAAQ48B,EAAM7/B,QAAO,CAAC+gC,EAAK1lC,IACxBA,EAAKglC,QAIVU,EAAI1lC,EAAKglC,QAAUhlC,EACZ0lC,IAJH7L,GAAOn6B,MAAM,6CAA8CM,GACpD0lC,IAIZ,CAAC,GACJ3S,GAAAA,GAAAA,IAAQr4B,KAAM,QAAS,IAAKA,KAAKkN,SAAUA,GAC/C,EACA+9B,WAAAA,CAAYnB,GACRA,EAAMz7B,SAAQ/I,IACNA,EAAKglC,QACLjS,GAAAA,GAAIpiB,OAAOjW,KAAKkN,MAAO5H,EAAKglC,OAChC,GAER,EACAY,OAAAA,CAAO1P,GAAoB,IAAnB,QAAEsP,EAAO,KAAEd,GAAMxO,EACrBnD,GAAAA,GAAAA,IAAQr4B,KAAKyqC,MAAOK,EAASd,EACjC,EACAmB,aAAAA,CAAc7lC,GACVtF,KAAKirC,YAAY,CAAC3lC,GACtB,EACA8lC,aAAAA,CAAc9lC,GACVtF,KAAK+qC,YAAY,CAACzlC,GACtB,EACA+lC,aAAAA,CAAc/lC,GACVtF,KAAK+qC,YAAY,CAACzlC,GACtB,IAGUqE,IAAMrH,WAQxB,OANKkoC,EAAUlP,gBACXC,EAAAA,GAAAA,IAAU,qBAAsBiP,EAAUY,gBAC1C7P,EAAAA,GAAAA,IAAU,qBAAsBiP,EAAUW,gBAC1C5P,EAAAA,GAAAA,IAAU,qBAAsBiP,EAAUa,eAC1Cb,EAAUlP,cAAe,GAEtBkP,CACX,EChEac,GAAgB,WACzB,MAAMp+B,EAAQq9B,KAoERgB,EAnEQn0B,GAAY,QAAS,CAC/BnO,MAAOA,KAAA,CACHuiC,MAAO,CAAC,IAEZ78B,QAAS,CACL88B,QAAUxiC,GACC,CAAC6hC,EAASh7B,KACb,GAAK7G,EAAMuiC,MAAMV,GAGjB,OAAO7hC,EAAMuiC,MAAMV,GAASh7B,EAAK,GAI7ChE,QAAS,CACL4/B,OAAAA,CAAQ59B,GAEC9N,KAAKwrC,MAAM19B,EAAQg9B,UACpBzS,GAAAA,GAAAA,IAAQr4B,KAAKwrC,MAAO19B,EAAQg9B,QAAS,CAAC,GAG1CzS,GAAAA,GAAAA,IAAQr4B,KAAKwrC,MAAM19B,EAAQg9B,SAAUh9B,EAAQgC,KAAMhC,EAAQw8B,OAC/D,EACAc,aAAAA,CAAc9lC,GAAM,IAAAqmC,EAChB,MAAMb,GAAyB,QAAfa,GAAAC,EAAAA,GAAAA,aAAe,IAAAD,GAAQ,QAARA,EAAfA,EAAiBE,cAAM,IAAAF,OAAA,EAAvBA,EAAyB/hC,KAAM,QAC/C,GAAKtE,EAAKglC,OAAV,CAcA,GATIhlC,EAAK0B,OAAS8kC,GAAAA,GAASC,QACvB/rC,KAAK0rC,QAAQ,CACTZ,UACAh7B,KAAMxK,EAAKwK,KACXw6B,OAAQhlC,EAAKglC,SAKA,MAAjBhlC,EAAK0mC,QAAiB,CACtB,MAAMhC,EAAO98B,EAAM29B,QAAQC,GAK3B,OAJKd,EAAKiC,WACN5T,GAAAA,GAAAA,IAAQ2R,EAAM,YAAa,SAE/BA,EAAKiC,UAAUzrC,KAAK8E,EAAKglC,OAE7B,CAGA,GAAItqC,KAAKwrC,MAAMV,GAASxlC,EAAK0mC,SAAU,CACnC,MAAME,EAAWlsC,KAAKwrC,MAAMV,GAASxlC,EAAK0mC,SACpCG,EAAej/B,EAAMw9B,QAAQwB,GAEnC,OADA/M,GAAOwE,MAAM,yCAA0C,CAAEwI,eAAc7mC,SAClE6mC,GAIAA,EAAaF,WACd5T,GAAAA,GAAAA,IAAQ8T,EAAc,YAAa,SAEvCA,EAAaF,UAAUzrC,KAAK8E,EAAKglC,cAN7BnL,GAAOn6B,MAAM,0BAA2B,CAAEknC,YAQlD,CACA/M,GAAOwE,MAAM,wDAAyD,CAAEr+B,QAnCxE,MAFI65B,GAAOn6B,MAAM,qBAAsB,CAAEM,QAsC7C,IAGWqE,IAAMrH,WASzB,OAPKipC,EAAWjQ,gBAEZC,EAAAA,GAAAA,IAAU,qBAAsBgQ,EAAWH,eAG3CG,EAAWjQ,cAAe,GAEvBiQ,CACX,EC7Daa,GAAoBh1B,GAAY,YAAa,CACtDnO,MAAOA,KAAA,CACHojC,SAAU,GACVC,cAAe,GACfC,kBAAmB,OAEvBzgC,QAAS,CAILkE,GAAAA,GAAoB,IAAhBw8B,EAASlqC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACZ+1B,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY,IAAI,IAAI4T,IAAI44B,IAC1C,EAIAC,YAAAA,GAAuC,IAA1BF,EAAiBjqC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,KAE7B+1B,GAAAA,GAAAA,IAAQr4B,KAAM,gBAAiBusC,EAAoBvsC,KAAKqsC,SAAW,IACnEhU,GAAAA,GAAAA,IAAQr4B,KAAM,oBAAqBusC,EACvC,EAIAG,KAAAA,GACIrU,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY,IAC1Bq4B,GAAAA,GAAAA,IAAQr4B,KAAM,gBAAiB,IAC/Bq4B,GAAAA,GAAAA,IAAQr4B,KAAM,oBAAqB,KACvC,KClDR,IAAI2sC,GACG,MAAMC,GAAmB,WAQ5B,OANAD,IAAWE,EAAAA,GAAAA,KACGz1B,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHqoB,MAAOqb,GAASrb,SAGjB3nB,IAAMrH,UACjB,sDCCO,MAAMwqC,WAAkBC,KAG3BrX,WAAAA,CAAY10B,GAAqB,IAAfgsC,EAAQ1qC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,aACzB2qC,MAAM,GAAIjsC,EAAM,CAAEgG,KAAM,2BAH5B,2ZAIIhH,KAAKktC,UAAYF,CACrB,CACA,YAAIA,CAASA,GACThtC,KAAKktC,UAAYF,CACrB,CACA,YAAIA,GACA,OAAOhtC,KAAKktC,SAChB,CACA,QAAIx9B,GACA,OAAO1P,KAAKmtC,sBAAsBntC,KACtC,CACA,gBAAIotC,GACA,OAA8B,IAA1BptC,KAAKktC,UAAUxrC,OACR+P,KAAKjG,MAETxL,KAAKqtC,uBAAuBrtC,KACvC,CAMAqtC,sBAAAA,CAAuBC,GACnB,OAAOA,EAAUN,SAAS/iC,QAAO,CAAC+gC,EAAK79B,IAC5BA,EAAKigC,aAAepC,EAIrB79B,EAAKigC,aACLpC,GACP,EACP,CAKAmC,qBAAAA,CAAsBG,GAClB,OAAOA,EAAUN,SAAS/iC,QAAO,CAAC+gC,EAAKuC,IAI5BvC,EAAMuC,EAAM79B,MACpB,EACP,EAMG,MAAM89B,GAAexhC,UAExB,GAAIuhC,EAAME,OACN,OAAO,IAAI3gC,SAAQ,CAACC,EAASC,KACzBugC,EAAMpgC,KAAKJ,EAASC,EAAO,IAInCmyB,GAAOwE,MAAM,+BAAgC,CAAE4J,MAAOA,EAAMvsC,OAC5D,MAAMssC,EAAYC,EACZ3yB,QAAgB8yB,GAAcJ,GAC9BN,SAAkBlgC,QAAQ6gC,IAAI/yB,EAAQ1L,IAAIs+B,MAAgBtxB,OAChE,OAAO,IAAI4wB,GAAUQ,EAAUtsC,KAAMgsC,EAAS,EAM5CU,GAAiBJ,IACnB,MAAMM,EAAYN,EAAUO,eAC5B,OAAO,IAAI/gC,SAAQ,CAACC,EAASC,KACzB,MAAM4N,EAAU,GACVkzB,EAAaA,KACfF,EAAUG,aAAaC,IACfA,EAAQtsC,QACRkZ,EAAQpa,QAAQwtC,GAChBF,KAGA/gC,EAAQ6N,EACZ,IACA5V,IACAgI,EAAOhI,EAAM,GACf,EAEN8oC,GAAY,GACd,EAEOG,GAA6BjiC,UACtC,MAAMkiC,GAAYC,EAAAA,GAAAA,MAElB,UADwBD,EAAUE,OAAOngB,GACzB,CACZkR,GAAOwE,MAAM,wCAAyC,CAAE1V,uBAClDigB,EAAUG,gBAAgBpgB,EAAc,CAAEqgB,WAAW,IAC3D,MAAMC,QAAaL,EAAUK,KAAKtgB,EAAc,CAAEugB,SAAS,EAAMtkC,MAAMukC,EAAAA,GAAAA,SACvE3sC,EAAAA,GAAAA,IAAK,sBAAsB4sC,EAAAA,GAAAA,IAAgBH,EAAKrkC,MACpD,GAESykC,GAAkB3iC,MAAOkB,EAAO0hC,EAAa5B,KACtD,IAEI,MAAM6B,EAAY3hC,EAAM+B,QAAQ9B,GACrB6/B,EAAS7J,MAAM79B,GAASA,EAAKwpC,YAAc3hC,aAAgB4/B,KAAO5/B,EAAKnM,KAAOmM,EAAK2hC,cAC3F7/B,OAAOwN,SAEJsyB,EAAU7hC,EAAM+B,QAAQ9B,IAClB0hC,EAAU/lC,SAASqE,MAGzB,SAAEk/B,EAAQ,QAAE2C,SAAkBC,EAAAA,GAAAA,GAAmBL,EAAY9+B,KAAM++B,EAAW7B,GAGpF,OAFA7N,GAAOwE,MAAM,sBAAuB,CAAEoL,UAAS1C,WAAU2C,YAEjC,IAApB3C,EAAS3qC,QAAmC,IAAnBstC,EAAQttC,SAEjCwtC,EAAAA,GAAAA,KAASlR,EAAAA,GAAAA,IAAE,QAAS,iCACpBmB,GAAOzsB,KAAK,wCACL,IAGJ,IAAIq8B,KAAY1C,KAAa2C,EACxC,CACA,MAAOhqC,GACHD,GAAQC,MAAMA,IAEdo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,qBACrBmB,GAAOn6B,MAAM,4BACjB,CACA,MAAO,EAAE,kBCrIT,GAAU,CAAC,EAEf,GAAQs6B,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,2DCD1D,IAAIrO,GAIG,MAAM6d,GAAWA,KACf7d,KACDA,GAAQ,IAAI8d,GAAAA,EAAO,CAAEC,YAAa,KAE/B/d,IAEJ,IAAIge,IACX,SAAWA,GACPA,EAAqB,KAAI,OACzBA,EAAqB,KAAI,OACzBA,EAA6B,aAAI,cACpC,CAJD,CAIGA,KAAmBA,GAAiB,CAAC,IACjC,MAAMC,GAAWzF,MACEA,EAAM7/B,QAAO,CAAC61B,EAAKx6B,IAASuuB,KAAKiM,IAAIA,EAAKx6B,EAAK2kC,cAAcC,GAAAA,GAAWsF,KACtEtF,GAAAA,GAAWuF,QAQ1BC,GAAW5F,GANIA,IACjBA,EAAM3pB,OAAM7a,IAAQ,IAAAqqC,EAAAC,EAEvB,OADwBzjC,KAAKI,MAA2C,QAAtCojC,EAAgB,QAAhBC,EAACtqC,EAAKuqC,kBAAU,IAAAD,OAAA,EAAfA,EAAkB,2BAAmB,IAAAD,EAAAA,EAAI,MACpD/H,MAAKkI,GAAiC,gBAApBA,EAAUv7B,QAAiD,IAAtBu7B,EAAUjG,SAAuC,aAAlBiG,EAAU5mC,KAAmB,IAMxI6mC,CAAYjG,8CClDhB,MAAMkG,GAAW,UAAH3uC,OAA6B,QAA7B4/B,IAAaO,EAAAA,GAAAA,aAAgB,IAAAP,QAAA,EAAhBA,GAAkBQ,KACvCwO,IAAiB1O,EAAAA,GAAAA,IAAkB,MAAQyO,ICgB3CE,GAAW,SAAUjyB,GAC9B,OAAOA,EAAIrF,MAAM,IAAI3O,QAAO,SAAU9D,EAAG6U,GAErC,OAAO7U,GADDA,GAAK,GAAKA,EAAK6U,EAAEb,WAAW,EAEtC,GAAG,EACP,ECnBMg2B,GFDmB,WAA8B,IAA7BC,EAAO9tC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG2tC,GAChC,MAAME,GAASE,EAAAA,GAAAA,IAAaD,EAAS,CACjCE,QAAS,CACLC,cAAcC,EAAAA,GAAAA,OAAqB,MAmB3C,OAXgBC,EAAAA,GAAAA,MAIRC,MAAM,WAAY1/B,IAAY,IAAA2/B,EAKlC,OAJmB,QAAnBA,EAAI3/B,EAAQs/B,eAAO,IAAAK,GAAfA,EAAiBC,SACjB5/B,EAAQ4/B,OAAS5/B,EAAQs/B,QAAQM,cAC1B5/B,EAAQs/B,QAAQM,SAEpBC,EAAAA,GAAAA,GAAQ7/B,EAAQ,IAEpBm/B,CACX,CEtBeW,GACFC,GAAe,SAAUzrC,GAAM,IAAA27B,EACxC,MAAM+P,EAAyB,QAAnB/P,GAAGO,EAAAA,GAAAA,aAAgB,IAAAP,OAAA,EAAhBA,EAAkBQ,IACjC,IAAKuP,EACD,MAAM,IAAIhpC,MAAM,oBAEpB,MAAM+Y,EAAQzb,EAAKyb,MACbkpB,GAAcgH,EAAAA,GAAAA,IAAoBlwB,aAAK,EAALA,EAAOkpB,aACzCiH,GAASnwB,EAAM,aAAeiwB,GAAQxtC,WACtC2gB,GAASod,EAAAA,GAAAA,IAAkB,MAAQyO,GAAW1qC,EAAK6rC,UAInDC,EAAW,CACbxnC,IAJOmX,aAAK,EAALA,EAAOupB,QAAS,EACrB4F,GAAS/rB,IACTpD,aAAK,EAALA,EAAOupB,SAAU,EAGnBnmB,SACAktB,MAAO,IAAI5/B,KAAKnM,EAAKgsC,SACrBC,KAAMjsC,EAAKisC,MAAQ,2BACnB7hC,MAAMqR,aAAK,EAALA,EAAOrR,OAAQ,EACrBu6B,cACAiH,QACAlH,KAAMgG,GACNH,WAAY,IACLvqC,KACAyb,EACHywB,WAAYzwB,aAAK,EAALA,EAAQ,eACpB0wB,QAAQ1wB,aAAK,EAALA,EAAOupB,QAAS,IAIhC,cADO8G,EAASvB,WAAW9uB,MACN,SAAdzb,EAAK0B,KACN,IAAI+lC,GAAAA,GAAKqE,GACT,IAAIrF,GAAAA,GAAOqF,EACrB,EACaM,GAAc,WAAgB,IAAf5hC,EAAIxN,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAC/B,MAAMqvC,EAAa,IAAIC,gBACjBC,GAAkBpD,EAAAA,GAAAA,MACxB,OAAO,IAAIqD,GAAAA,mBAAkB9lC,MAAOe,EAASC,EAAQ+kC,KACjDA,GAAS,IAAMJ,EAAWle,UAC1B,IACI,MAAMue,QAAyB7B,GAAO8B,qBAAqBniC,EAAM,CAC7D0+B,SAAS,EACTtkC,KAAM2nC,EACNK,aAAa,EACbC,OAAQR,EAAWQ,SAEjBnI,EAAOgI,EAAiB9nC,KAAK,GAC7B8iC,EAAWgF,EAAiB9nC,KAAK/I,MAAM,GAC7C,GAAI6oC,EAAKmH,WAAarhC,EAClB,MAAM,IAAI9H,MAAM,2CAEpB+E,EAAQ,CACJqlC,OAAQrB,GAAa/G,GACrBgD,SAAUA,EAAS99B,KAAInH,IACnB,IACI,OAAOgpC,GAAahpC,EACxB,CACA,MAAO/C,GAEH,OADAm6B,GAAOn6B,MAAM,0BAAD3D,OAA2B0G,EAAO+mC,SAAQ,KAAK,CAAE9pC,UACtD,IACX,KACDiK,OAAOwN,UAElB,CACA,MAAOzX,GACHgI,EAAOhI,EACX,IAER,ECCaqtC,GAAiBvI,IAC1B,MAAMwI,EAAYxI,EAAM76B,QAAO3J,GAAQA,EAAK0B,OAAS8kC,GAAAA,GAASiB,OAAMrrC,OAC9D6wC,EAAczI,EAAM76B,QAAO3J,GAAQA,EAAK0B,OAAS8kC,GAAAA,GAASC,SAAQrqC,OACxE,OAAkB,IAAd4wC,GACOvc,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,wBAAyBwc,EAAa,CAAEA,gBAE7D,IAAhBA,GACExc,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,oBAAqBuc,EAAW,CAAEA,cAE1D,IAAdA,GACOvc,EAAAA,GAAAA,IAAE,QAAS,kCAAmC,mCAAoCwc,EAAa,CAAEA,gBAExF,IAAhBA,GACOxc,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,iCAAkCuc,EAAW,CAAEA,eAE/FtU,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAEsU,YAAWC,eAAc,ECjD1FC,GAAqB1I,GACnByF,GAAQzF,GACJ4F,GAAQ5F,GACDwF,GAAemD,aAEnBnD,GAAeoD,KAGnBpD,GAAeqD,KAWbC,GAAuB5mC,eAAO1G,EAAMspC,EAAagC,GAA8B,IAAtBiC,EAASvwC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC3E,IAAKssC,EACD,OAEJ,GAAIA,EAAY5nC,OAAS8kC,GAAAA,GAASC,OAC9B,MAAM,IAAI/jC,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,gCAG/B,GAAI4S,IAAWtB,GAAeoD,MAAQptC,EAAK0mC,UAAY4C,EAAY9+B,KAC/D,MAAM,IAAI9H,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kDAa/B,GAAI,GAAA38B,OAAGutC,EAAY9+B,KAAI,KAAII,WAAW,GAAD7O,OAAIiE,EAAKwK,KAAI,MAC9C,MAAM,IAAI9H,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,4EAG/B3F,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAUwtC,GAAAA,GAAWC,SACnC,MAAMzhB,EAAQ6d,KACd,aAAa7d,EAAMzd,KAAI7H,UACnB,MAAMgnC,EAAcn2B,GACF,IAAVA,GACOmhB,EAAAA,GAAAA,IAAE,QAAS,WAEfA,EAAAA,GAAAA,IAAE,QAAS,iBAAax7B,EAAWqa,GAE9C,IACI,MAAMszB,GAAShC,EAAAA,GAAAA,MACT8E,GAAcn6B,EAAAA,GAAAA,MAAKo6B,GAAAA,GAAa5tC,EAAKwK,MACrCqjC,GAAkBr6B,EAAAA,GAAAA,MAAKo6B,GAAAA,GAAatE,EAAY9+B,MACtD,GAAI8gC,IAAWtB,GAAeqD,KAAM,CAChC,IAAIlsC,EAASnB,EAAKwpC,SAElB,IAAK+D,EAAW,CACZ,MAAMO,QAAmBjD,EAAO8B,qBAAqBkB,GACrD1sC,EDvES,SAACzF,EAAMqyC,GAChC,MAAM/uC,EAAO,CACTgvC,OAASvd,GAAC,IAAA10B,OAAS00B,EAAC,KACpBwd,qBAAqB,KAH0BjxC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,GAMvD,IAAIkxC,EAAUxyC,EACVQ,EAAI,EACR,KAAO6xC,EAAWvqC,SAAS0qC,IAAU,CACjC,MAAMC,EAAMnvC,EAAKivC,oBAAsB,IAAKG,EAAAA,GAAAA,SAAQ1yC,GAC9CqiB,GAAOyrB,EAAAA,GAAAA,UAAS9tC,EAAMyyC,GAC5BD,EAAU,GAAHnyC,OAAMgiB,EAAI,KAAAhiB,OAAIiD,EAAKgvC,OAAO9xC,MAAIH,OAAGoyC,EAC5C,CACA,OAAOD,CACX,CCyD6BG,CAAcruC,EAAKwpC,SAAUsE,EAAWlkC,KAAK6mB,GAAMA,EAAE+Y,WAAW,CACrEwE,OAAQN,EACRO,oBAAqBjuC,EAAK0B,OAAS8kC,GAAAA,GAASC,QAEpD,CAGA,SAFMoE,EAAOyD,SAASX,GAAan6B,EAAAA,GAAAA,MAAKq6B,EAAiB1sC,IAErDnB,EAAK0mC,UAAY4C,EAAY9+B,KAAM,CACnC,MAAM,KAAE5F,SAAeimC,EAAO5B,MAAKz1B,EAAAA,GAAAA,MAAKq6B,EAAiB1sC,GAAS,CAC9D+nC,SAAS,EACTtkC,MAAMukC,EAAAA,GAAAA,SAEV3sC,EAAAA,GAAAA,IAAK,sBAAsB4sC,EAAAA,GAAAA,IAAgBxkC,GAC/C,CACJ,KACK,CAED,MAAMkpC,QAAmB1B,GAAY9C,EAAY9+B,MACjD,IAAI+jC,EAAAA,GAAAA,GAAY,CAACvuC,GAAO8tC,EAAWpG,UAC/B,IAEI,MAAM,SAAEX,EAAQ,QAAE2C,SAAkBC,EAAAA,GAAAA,GAAmBL,EAAY9+B,KAAM,CAACxK,GAAO8tC,EAAWpG,UAG5F,IAAKX,EAAS3qC,SAAWstC,EAAQttC,OAG7B,aAFMyuC,EAAO2D,WAAWb,QACxBnxC,EAAAA,GAAAA,IAAK,qBAAsBwD,EAGnC,CACA,MAAON,GAGH,YADAo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,kBAEzB,OAIEmS,EAAO4D,SAASd,GAAan6B,EAAAA,GAAAA,MAAKq6B,EAAiB7tC,EAAKwpC,YAG9DhtC,EAAAA,GAAAA,IAAK,qBAAsBwD,EAC/B,CACJ,CACA,MAAON,GACH,GAAIA,aAAiBgvC,GAAAA,GAAY,KAAAC,EAAAC,EAAAC,EAC7B,GAAgC,OAA5BnvC,SAAe,QAAVivC,EAALjvC,EAAOH,gBAAQ,IAAAovC,OAAA,EAAfA,EAAiB7uC,QACjB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kEAE1B,GAAgC,OAA5Bh5B,SAAe,QAAVkvC,EAALlvC,EAAOH,gBAAQ,IAAAqvC,OAAA,EAAfA,EAAiB9uC,QACtB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,wBAE1B,GAAgC,OAA5Bh5B,SAAe,QAAVmvC,EAALnvC,EAAOH,gBAAQ,IAAAsvC,OAAA,EAAfA,EAAiB/uC,QACtB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,oCAE1B,GAAIh5B,EAAMqD,QACX,MAAM,IAAIL,MAAMhD,EAAMqD,QAE9B,CAEA,MADA82B,GAAOwE,MAAM3+B,GACP,IAAIgD,KACd,CAAC,QAEGqwB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,EAC5B,IAER,EAQM4xC,GAA0BpoC,eAAOD,GAA6B,IAArBw4B,EAAGjiC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAAKwnC,EAAKxnC,UAAAZ,OAAA,EAAAY,UAAA,QAAAE,EAC3D,MAAM6xC,EAAUvK,EAAM56B,KAAI5J,GAAQA,EAAKglC,SAAQr7B,OAAOwN,SAChD63B,GAAaC,EAAAA,GAAAA,KAAqBvW,EAAAA,GAAAA,IAAE,QAAS,uBAC9CwW,kBAAiB,GACjBC,WAAW1e,MAEJA,EAAEkU,YAAcC,GAAAA,GAAWwK,UAE3BL,EAAQvrC,SAASitB,EAAEuU,UAE1BqK,kBAAkB,IAClBC,gBAAe,GACfC,QAAQtQ,GACb,OAAO,IAAIz3B,SAAQ,CAACC,EAASC,KACzBsnC,EAAWQ,kBAAiB,CAACC,EAAYjlC,KACrC,MAAMklC,EAAU,GACVvuC,GAASqoC,EAAAA,GAAAA,UAASh/B,GAClBmlC,EAAWnL,EAAM56B,KAAI5J,GAAQA,EAAK0mC,UAClCR,EAAQ1B,EAAM56B,KAAI5J,GAAQA,EAAKwK,OAerC,OAdI/D,IAAWujC,GAAeqD,MAAQ5mC,IAAWujC,GAAemD,cAC5DuC,EAAQx0C,KAAK,CACTqJ,MAAOpD,GAASu3B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEv3B,eAAUjE,EAAW,CAAE0yC,QAAQ,EAAOC,UAAU,KAAWnX,EAAAA,GAAAA,IAAE,QAAS,QACvHh3B,KAAM,UACN4E,KAAMwpC,GACN,cAAMniC,CAAS27B,GACX7hC,EAAQ,CACJ6hC,YAAaA,EAAY,GACzB7iC,OAAQujC,GAAeqD,MAE/B,IAIJsC,EAASnsC,SAASgH,IAIlB07B,EAAM1iC,SAASgH,IAIf/D,IAAWujC,GAAeoD,MAAQ3mC,IAAWujC,GAAemD,cAC5DuC,EAAQx0C,KAAK,CACTqJ,MAAOpD,GAASu3B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEv3B,eAAUjE,EAAW,CAAE0yC,QAAQ,EAAOC,UAAU,KAAWnX,EAAAA,GAAAA,IAAE,QAAS,QACvHh3B,KAAM+E,IAAWujC,GAAeoD,KAAO,UAAY,YACnD9mC,KAAMypC,GACN,cAAMpiC,CAAS27B,GACX7hC,EAAQ,CACJ6hC,YAAaA,EAAY,GACzB7iC,OAAQujC,GAAeoD,MAE/B,IAhBGsC,CAmBG,IAEHV,EAAW1Y,QACnBle,OAAO/H,OAAO3Q,IACjBm6B,GAAOwE,MAAM3+B,GACTA,aAAiBswC,GAAAA,GACjBtoC,EAAO,IAAIhF,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,sCAG5BhxB,EAAO,IAAIhF,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kCAChC,GACF,GAEV,EACsB,IAAIyL,GAAAA,GAAW,CACjC7/B,GAAI,YACJ8/B,WAAAA,CAAYI,GACR,OAAQ0I,GAAkB1I,IACtB,KAAKwF,GAAeoD,KAChB,OAAO1U,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAKsR,GAAeqD,KAChB,OAAO3U,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAKsR,GAAemD,aAChB,OAAOzU,EAAAA,GAAAA,IAAE,QAAS,gBAE9B,EACA2L,cAAeA,IAAM0L,GACrBxL,QAAQC,KAECA,EAAM3pB,OAAM7a,IAAI,IAAAiwC,EAAA,OAAa,QAAbA,EAAIjwC,EAAK0kC,YAAI,IAAAuL,OAAA,EAATA,EAAWrlC,WAAW,UAAU,KAGlD45B,EAAMpoC,OAAS,IAAM6tC,GAAQzF,IAAU4F,GAAQ5F,IAE1D,UAAMnvB,CAAKrV,EAAMu0B,EAAM0K,GACnB,MAAMx4B,EAASymC,GAAkB,CAACltC,IAClC,IAAIyC,EACJ,IACIA,QAAeqsC,GAAwBroC,EAAQw4B,EAAK,CAACj/B,GACzD,CACA,MAAOH,GAEH,OADAg6B,GAAOn6B,MAAMG,IACN,CACX,CACA,IAEI,aADMytC,GAAqBttC,EAAMyC,EAAO6mC,YAAa7mC,EAAOgE,SACrD,CACX,CACA,MAAO/G,GACH,SAAIA,aAAiBgD,OAAWhD,EAAMqD,YAClC+2B,EAAAA,GAAAA,IAAUp6B,EAAMqD,SAET,KAGf,CACJ,EACA,eAAMmtC,CAAU1L,EAAOjQ,EAAM0K,GACzB,MAAMx4B,EAASymC,GAAkB1I,GAC3B/hC,QAAeqsC,GAAwBroC,EAAQw4B,EAAKuF,GACpD2L,EAAW3L,EAAM56B,KAAIlD,UACvB,IAEI,aADM4mC,GAAqBttC,EAAMyC,EAAO6mC,YAAa7mC,EAAOgE,SACrD,CACX,CACA,MAAO/G,GAEH,OADAm6B,GAAOn6B,MAAM,aAAD3D,OAAc0G,EAAOgE,OAAM,SAAS,CAAEzG,OAAMN,WACjD,CACX,KAKJ,aAAa8H,QAAQ6gC,IAAI8H,EAC7B,EACAnS,MAAO,qBC1QJ,MAAMoS,GAAyB1pC,UAIlC,MAAM4O,EAAU+6B,EACX1mC,QAAQ7B,GACS,SAAdA,EAAKwoC,OACLzW,GAAOwE,MAAM,wBAAyB,CAAEiS,KAAMxoC,EAAKwoC,KAAM5uC,KAAMoG,EAAKpG,QAC7D,KAGZkI,KAAK9B,IAAS,IAAAouB,EAAAqa,EAAAC,EAAAC,EAEb,OACiC,QADjCva,EAA2B,QAA3Bqa,EAAOzoC,SAAgB,QAAZ0oC,EAAJ1oC,EAAM4oC,kBAAU,IAAAF,OAAA,EAAhBA,EAAA50C,KAAAkM,UAAoB,IAAAyoC,EAAAA,EACpBzoC,SAAsB,QAAlB2oC,EAAJ3oC,EAAM6oC,wBAAgB,IAAAF,OAAA,EAAtBA,EAAA70C,KAAAkM,UAA0B,IAAAouB,EAAAA,EAC1BpuB,CAAI,IAEf,IAAI8oC,GAAS,EACb,MAAMC,EAAW,IAAIrJ,GAAU,QAE/B,IAAK,MAAMS,KAAS3yB,EAEhB,GAAI2yB,aAAiB6I,iBAArB,CACIjX,GAAO32B,KAAK,+DACZ,MAAM2E,EAAOogC,EAAM8I,YACnB,GAAa,OAATlpC,EAAe,CACfgyB,GAAO32B,KAAK,qCAAsC,CAAExB,KAAMumC,EAAMvmC,KAAM4uC,KAAMrI,EAAMqI,QAClFxW,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,oDACrB,QACJ,CAGA,GAAkB,yBAAd7wB,EAAKnG,OAAoCmG,EAAKnG,KAAM,CAC/CkvC,IACD/W,GAAO32B,KAAK,8EACZ8tC,EAAAA,GAAAA,KAAYtY,EAAAA,GAAAA,IAAE,QAAS,uFACvBkY,GAAS,GAEb,QACJ,CACAC,EAASnJ,SAASxsC,KAAK2M,EAE3B,MAEA,IACIgpC,EAASnJ,SAASxsC,WAAWgtC,GAAaD,GAC9C,CACA,MAAOvoC,GAEHm6B,GAAOn6B,MAAM,mCAAoC,CAAEA,SACvD,CAEJ,OAAOmxC,CAAQ,EAENI,GAAsBvqC,MAAOg+B,EAAM4E,EAAa5B,KACzD,MAAML,GAAWE,EAAAA,GAAAA,KAKjB,SAHUgH,EAAAA,GAAAA,GAAY7J,EAAKgD,SAAUA,KACjChD,EAAKgD,eAAiB2B,GAAgB3E,EAAKgD,SAAU4B,EAAa5B,IAEzC,IAAzBhD,EAAKgD,SAAStrC,OAGd,OAFAy9B,GAAOzsB,KAAK,qBAAsB,CAAEs3B,UACpCkF,EAAAA,GAAAA,KAASlR,EAAAA,GAAAA,IAAE,QAAS,uBACb,GAGXmB,GAAOwE,MAAM,sBAADtiC,OAAuButC,EAAY9+B,MAAQ,CAAEk6B,OAAMgD,SAAUhD,EAAKgD,WAC9E,MAAM1b,EAAQ,GACRklB,EAA0BxqC,MAAOshC,EAAWx9B,KAC9C,IAAK,MAAM3C,KAAQmgC,EAAUN,SAAU,CAGnC,MAAMyJ,GAAe39B,EAAAA,GAAAA,MAAKhJ,EAAM3C,EAAKnM,MAGrC,GAAImM,aAAgB2/B,GAApB,CACI,MAAM7e,GAAeyoB,EAAAA,GAAAA,IAAUxD,GAAAA,GAAatE,EAAY9+B,KAAM2mC,GAC9D,IACI1xC,GAAQ4+B,MAAM,uBAAwB,CAAE8S,uBAClCxI,GAA2BhgB,SAC3BuoB,EAAwBrpC,EAAMspC,EACxC,CACA,MAAOzxC,IACHo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,6CAA8C,CAAEsP,UAAWngC,EAAKnM,QACrFm+B,GAAOn6B,MAAM,GAAI,CAAEA,QAAOipB,eAAcqf,UAAWngC,GACvD,CAEJ,MAEAgyB,GAAOwE,MAAM,sBAAuB7qB,EAAAA,GAAAA,MAAK81B,EAAY9+B,KAAM2mC,GAAe,CAAEtpC,SAE5EmkB,EAAM9wB,KAAKmsC,EAASgK,OAAOF,EAActpC,EAAMyhC,EAAYzqB,QAC/D,GAIJwoB,EAASiK,cAGHJ,EAAwBxM,EAAM,KACpC2C,EAASkK,QAET,MAEMC,SAFgBhqC,QAAQiqC,WAAWzlB,IAElBriB,QAAOlH,GAA4B,aAAlBA,EAAO3C,SAC/C,OAAI0xC,EAAOp1C,OAAS,GAChBy9B,GAAOn6B,MAAM,8BAA+B,CAAE8xC,YAC9C1X,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,qCACd,KAEXmB,GAAOwE,MAAM,gCACbtB,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,gCAChBlxB,QAAQ6gC,IAAIrc,GAAM,EAEhB0lB,GAAsBhrC,eAAO89B,EAAO8E,EAAa5B,GAA6B,IAAnBiK,EAAM30C,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC1E,MAAMgvB,EAAQ,GAKd,SAHUuiB,EAAAA,GAAAA,GAAY/J,EAAOkD,KACzBlD,QAAc6E,GAAgB7E,EAAO8E,EAAa5B,IAEjC,IAAjBlD,EAAMpoC,OAGN,OAFAy9B,GAAOzsB,KAAK,sBAAuB,CAAEo3B,eACrCoF,EAAAA,GAAAA,KAASlR,EAAAA,GAAAA,IAAE,QAAS,wBAGxB,IAAK,MAAM14B,KAAQwkC,EACfzR,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAUwtC,GAAAA,GAAWC,SAEnCzhB,EAAM9wB,KAAKoyC,GAAqBttC,EAAMspC,EAAaqI,EAAS3H,GAAeqD,KAAOrD,GAAeoD,OAGrG,MAAM1E,QAAgBlhC,QAAQiqC,WAAWzlB,GACzCwY,EAAMz7B,SAAQ/I,GAAQ+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,KAE9C,MAAMs0C,EAAS9I,EAAQ/+B,QAAOlH,GAA4B,aAAlBA,EAAO3C,SAC/C,GAAI0xC,EAAOp1C,OAAS,EAGhB,OAFAy9B,GAAOn6B,MAAM,sCAAuC,CAAE8xC,gBACtD1X,EAAAA,GAAAA,IAAU6X,GAASjZ,EAAAA,GAAAA,IAAE,QAAS,mCAAoCA,EAAAA,GAAAA,IAAE,QAAS,kCAGjFmB,GAAOwE,MAAM,+BACbtB,EAAAA,GAAAA,IAAY4U,GAASjZ,EAAAA,GAAAA,IAAE,QAAS,8BAA+BA,EAAAA,GAAAA,IAAE,QAAS,4BAC9E,ECjKakZ,GAAsB9/B,GAAY,WAAY,CACvDnO,MAAOA,KAAA,CACHkuC,SAAU,KAEdrrC,QAAS,CAILkE,GAAAA,GAAoB,IAAhBw8B,EAASlqC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACZ+1B,GAAAA,GAAAA,IAAQr4B,KAAM,WAAYwsC,EAC9B,EAIAE,KAAAA,GACIrU,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY,GAC9B,KCjBR,GAAeq4B,GAAAA,GAAIza,OAAO,CACtB1T,KAAIA,KACO,CACHktC,eAAgB,OAGxB/Y,OAAAA,GAAU,IAAAgZ,EACN,MAAMC,EAAa7xC,SAASoqB,cAAc,oBAC1C7vB,KAAKo3C,eAAwC,QAA1BC,EAAGC,aAAU,EAAVA,EAAYC,mBAAW,IAAAF,EAAAA,EAAI,KACjDr3C,KAAKw3C,gBAAkB,IAAIC,gBAAgB78B,IACnCA,EAAQlZ,OAAS,GAAKkZ,EAAQ,GAAGnU,SAAW6wC,IAC5Ct3C,KAAKo3C,eAAiBx8B,EAAQ,GAAG88B,YAAYC,MACjD,IAEJ33C,KAAKw3C,gBAAgBI,QAAQN,EACjC,EACAvV,aAAAA,GACI/hC,KAAKw3C,gBAAgBK,YACzB,ICxCuP,ICiB5OC,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,cACN2X,WAAY,CACRo/B,cAAa,KACbC,aAAY,KACZpV,iBAAgBA,GAAAA,GAEpBqV,OAAQ,CACJC,IAEJn3B,MAAO,CACHjR,KAAM,CACF9I,KAAME,OACN8Z,QAAS,MAGjB5M,MAAKA,KAMM,CACH+jC,cANkBjB,KAOlBkB,WANe7N,KAOfgB,WANeD,KAOf+M,eANmBjM,KAOnBkM,cANkB1L,OAS1BtP,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAYyI,MAC5B,EACA0M,IAAAA,GAC4BvN,MAIxB,MAAO,CAAC,OAFM,KAAKl7B,KAAK8I,MAAM,KAAK3J,OAAOwN,SAASvN,KAF3B87B,EAE8C,IAFrC5hC,GAAW4hC,GAAG,GAAA3pC,OAAO+H,EAAK,OAIrC8F,KAAKY,GAASA,EAAK7H,QAAQ,WAAY,QACjE,EACAuwC,QAAAA,GACI,OAAO,KAAKD,KAAKrpC,KAAI,CAACq1B,EAAK1nB,KACvB,MAAMytB,EAAS,KAAKmO,kBAAkBlU,GAChCzc,EAAK,IAAK,KAAKvG,OAAQnC,OAAQ,CAAEkrB,UAAU3uB,MAAO,CAAE4oB,QAC1D,MAAO,CACHA,MACArc,OAAO,EACPlnB,KAAM,KAAK03C,kBAAkBnU,GAC7Bzc,KAEA6wB,YAAa97B,IAAU,KAAK07B,KAAK72C,OAAS,EAC7C,GAET,EACAk3C,kBAAAA,GACI,OAA2C,IAApC,KAAKN,cAAchnB,MAAM5vB,MACpC,EAEAm3C,qBAAAA,GAGI,OAAO,KAAKD,oBAAsB,KAAKxB,eAAiB,GAC5D,EAEA0B,QAAAA,GAAW,IAAAC,EAAAC,EACP,OAA6B,QAA7BD,EAAuB,QAAvBC,EAAO,KAAK/V,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBptC,YAAI,IAAAmtC,EAAAA,4IACjC,EACAE,aAAAA,GACI,OAAO,KAAKZ,eAAehM,QAC/B,EACA6M,aAAAA,GACI,OAAO,KAAKf,cAAchB,QAC9B,GAEJzY,QAAS,CACLya,aAAAA,CAAcvvC,GACV,OAAO,KAAKwuC,WAAW1N,QAAQ9gC,EACnC,EACA6uC,iBAAAA,CAAkB3oC,GACd,OAAO,KAAKy7B,WAAWE,QAAQ,KAAKxI,YAAYr5B,GAAIkG,EACxD,EACA4oC,iBAAAA,CAAkB5oC,GAAM,IAAA8/B,EACFwJ,EAAlB,GAAa,MAATtpC,EACA,OAAuB,QAAhBspC,EAAA,KAAKhW,mBAAW,IAAAgW,GAAQ,QAARA,EAAhBA,EAAkBvN,cAAM,IAAAuN,OAAA,EAAxBA,EAA0Bp4C,QAAQg9B,EAAAA,GAAAA,IAAE,QAAS,QAExD,MAAMqb,EAAS,KAAKZ,kBAAkB3oC,GAChCxK,EAAQ+zC,EAAU,KAAKF,cAAcE,QAAU72C,EACrD,OAAO8C,SAAgB,QAAZsqC,EAAJtqC,EAAMuqC,kBAAU,IAAAD,OAAA,EAAhBA,EAAkBlG,eAAeoF,EAAAA,GAAAA,UAASh/B,EACrD,EACAwpC,OAAAA,CAAQxxB,GAAI,IAAAyxB,GACJzxB,SAAS,QAAPyxB,EAAFzxB,EAAInM,aAAK,IAAA49B,OAAA,EAATA,EAAWhV,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACrC,KAAKjK,MAAM,SAEnB,EACAkf,UAAAA,CAAWr5C,EAAO2P,GAEVA,IAAS,KAAKyoC,KAAK,KAAKA,KAAK72C,OAAS,GAKtCvB,EAAMkqB,QACNlqB,EAAMs5C,aAAaC,WAAa,OAGhCv5C,EAAMs5C,aAAaC,WAAa,OARhCv5C,EAAMs5C,aAAaC,WAAa,MAUxC,EACA,YAAMC,CAAOx5C,EAAO2P,GAAM,IAAA8pC,EAAAC,EAAAC,EAEtB,KAAK,KAAKZ,eAAoC,QAAnBU,EAACz5C,EAAMs5C,oBAAY,IAAAG,GAAO,QAAPA,EAAlBA,EAAoBjE,aAAK,IAAAiE,GAAzBA,EAA2Bl4C,QACnD,OAKJvB,EAAMwqB,iBAEN,MAAM6hB,EAAY,KAAK0M,cACjBvD,EAAQ,KAAsB,QAAlBkE,EAAA15C,EAAMs5C,oBAAY,IAAAI,OAAA,EAAlBA,EAAoBlE,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC3I,QAAiC,QAAtB8M,EAAM,KAAK7W,mBAAW,IAAA6W,OAAA,EAAhBA,EAAkBpI,YAAY5hC,IAC/CsiC,EAASpF,aAAQ,EAARA,EAAUoF,OACzB,IAAKA,EAED,YADAhT,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,0CAG9B,MAAM+b,KAAW3H,EAAOnI,YAAcC,GAAAA,GAAWwK,QAC3CuC,EAAS92C,EAAMkqB,QAGrB,IAAK0vB,GAA4B,IAAjB55C,EAAMqqB,OAClB,OAIJ,GAFA2U,GAAOwE,MAAM,UAAW,CAAExjC,QAAOiyC,SAAQ5F,YAAW2J,aAEhDA,EAASnJ,SAAStrC,OAAS,EAE3B,kBADM60C,GAAoBJ,EAAU/D,EAAQpF,EAASA,UAIzD,MAAMlD,EAAQ0C,EAAUt9B,KAAIo7B,GAAU,KAAK8N,WAAW1N,QAAQJ,WACxD0M,GAAoBlN,EAAOsI,EAAQpF,EAASA,SAAUiK,GAGxDzK,EAAU5E,MAAK0C,GAAU,KAAK2O,cAAcnwC,SAASwhC,OACrDnL,GAAOwE,MAAM,gDACb,KAAK0U,eAAe3L,QAE5B,EACAsN,eAAAA,CAAgBn9B,EAAOo9B,GAAS,IAAAC,EAC5B,OAAID,SAAW,QAAJC,EAAPD,EAASnyB,UAAE,IAAAoyB,GAAO,QAAPA,EAAXA,EAAav+B,aAAK,IAAAu+B,OAAA,EAAlBA,EAAoB3V,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACvCvG,EAAAA,GAAAA,IAAE,QAAS,4BAEH,IAAVnhB,GACEmhB,EAAAA,GAAAA,IAAE,QAAS,8BAA+Bic,GAE9C,IACX,EACAE,cAAAA,CAAeF,GAAS,IAAAG,EACpB,OAAIH,SAAW,QAAJG,EAAPH,EAASnyB,UAAE,IAAAsyB,GAAO,QAAPA,EAAXA,EAAaz+B,aAAK,IAAAy+B,OAAA,EAAlBA,EAAoB7V,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACvCvG,EAAAA,GAAAA,IAAE,QAAS,4BAEf,IACX,EACAA,EAACA,GAAAA,sBC/KL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,gBAAgB,CAACG,YAAY,0BAA0B/Q,MAAM,CAAE,yCAA0C2Q,EAAI6e,uBAAwB31B,MAAM,CAAC,oCAAoC,GAAG,aAAa8W,EAAIgE,EAAE,QAAS,2BAA2BuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,UAAUrJ,GAAG,WAAW,MAAO,CAACm6B,EAAIsgB,GAAG,WAAW,EAAEtsC,OAAM,IAAO,MAAK,IAAOgsB,EAAIsI,GAAItI,EAAIwe,UAAU,SAASyB,EAAQp9B,GAAO,OAAOod,EAAG,eAAeD,EAAIG,GAAG,CAACjxB,IAAI+wC,EAAQ1V,IAAIrhB,MAAM,CAAC,IAAM,OAAO,GAAK+2B,EAAQnyB,GAAG,kBAA4B,IAAVjL,GAAemd,EAAIod,gBAAkB,IAAI,MAAQpd,EAAIggB,gBAAgBn9B,EAAOo9B,GAAS,mBAAmBjgB,EAAImgB,eAAeF,IAAUt3C,GAAG,CAAC,KAAO,SAAS03B,GAAQ,OAAOL,EAAI2f,OAAOtf,EAAQ4f,EAAQ1V,IAAI,GAAGgW,SAAS,CAAC,MAAQ,SAASlgB,GAAQ,OAAOL,EAAIsf,QAAQW,EAAQnyB,GAAG,EAAE,SAAW,SAASuS,GAAQ,OAAOL,EAAIwf,WAAWnf,EAAQ4f,EAAQ1V,IAAI,GAAGhC,YAAYvI,EAAIwI,GAAG,CAAY,IAAV3lB,EAAa,CAAC3T,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,GAAG,IAAM8W,EAAI8e,YAAY,EAAE9qC,OAAM,GAAM,MAAM,MAAK,IAAO,eAAeisC,GAAQ,GAAO,IAAG,EACjmC,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,gBCsBO,MAAMO,GAAsBpjC,GAAY,cAAe,CAC1DnO,MAAOA,KAAA,CACHwxC,OAAQ,SCDHC,GAAmB,WAC5B,MAMMC,EANQvjC,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACH2xC,kBAAcp4C,EACdgxC,QAAS,MAGK7pC,IAAMrH,WAS5B,OAPKq4C,EAAcrf,gBACfC,EAAAA,GAAAA,IAAU,qBAAqB,SAAUj2B,GACrCq1C,EAAcC,aAAet1C,EAC7Bq1C,EAAcnH,QAAUluC,EAAKwpC,QACjC,IACA6L,EAAcrf,cAAe,GAE1Bqf,CACX,kBCpBA,MCpB+G,GDoB/G,CACE35C,KAAM,mBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,0CAA0ClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gIAAgI,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAClpB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElByE,GCoBzG,CACEtV,KAAM,aACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,mCAAmClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,kGAAkG,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC7mB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QEbhC,GAAe+hB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,qBACN2X,WAAY,CACRkiC,iBAAgB,GAChBC,WAAUA,IAEd5wC,KAAIA,KACO,CACH4/B,MAAO,KAGfxM,SAAU,CACNyd,YAAAA,GACI,OAA6B,IAAtB,KAAKjR,MAAMpoC,MACtB,EACAs5C,cAAAA,GACI,OAAO,KAAKD,cACL,KAAKjR,MAAM,GAAG9iC,OAAS8kC,GAAAA,GAASC,MAC3C,EACA/qC,IAAAA,GACI,OAAK,KAAK0O,KAGV,GAAArO,OAAU,KAAK45C,QAAO,OAAA55C,OAAM,KAAKqO,MAFtB,KAAKurC,OAGpB,EACAvrC,IAAAA,GACI,MAAMwrC,EAAY,KAAKpR,MAAM7/B,QAAO,CAACkxC,EAAO71C,IAAS61C,EAAQ71C,EAAKoK,MAAQ,GAAG,GACvEA,EAAO0rC,SAASF,EAAW,KAAO,EACxC,MAAoB,iBAATxrC,GAAqBA,EAAO,EAC5B,MAEJkuB,EAAAA,GAAAA,IAAeluB,GAAM,EAChC,EACAurC,OAAAA,GACI,GAAI,KAAKF,aAAc,KAAAnL,EACnB,MAAMtqC,EAAO,KAAKwkC,MAAM,GACxB,OAAsB,QAAf8F,EAAAtqC,EAAKuqC,kBAAU,IAAAD,OAAA,EAAfA,EAAiBlG,cAAepkC,EAAKwpC,QAChD,CACA,OAAOuD,GAAc,KAAKvI,MAC9B,GAEJpL,QAAS,CACL5D,MAAAA,CAAOgP,GACH,KAAKA,MAAQA,EACb,KAAKuR,MAAMC,WAAWC,kBAEtBzR,EAAM3oC,MAAM,EAAG,GAAGkN,SAAQ/I,IACtB,MAAMk2C,EAAU/1C,SAASoqB,cAAa,mCAAAxuB,OAAoCiE,EAAKglC,OAAM,iCACjFkR,GACoB,KAAKH,MAAMC,WACnBrb,YAAYub,EAAQC,WAAWC,WAAU,GACzD,IAEJ,KAAK/sB,WAAU,KACX,KAAK2L,MAAM,SAAU,KAAK0F,IAAI,GAEtC,KC7D0P,sBCW9P,GAAU,CAAC,EAEf,GAAQV,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IHTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,MAAM,CAACG,YAAY,yBAAyB,CAACH,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACH,EAAG,OAAO,CAACra,IAAI,eAAeoa,EAAIQ,GAAG,KAAMR,EAAIghB,eAAgB/gB,EAAG,cAAcA,EAAG,qBAAqB,GAAGD,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIh5B,UACvY,GACsB,IGUpB,EACA,KACA,KACA,MAI8B,QCjB1B26C,GAAUtjB,GAAAA,GAAIza,OAAOg+B,IAC3B,IAAIJ,GC8BJnjB,GAAAA,GAAIwjB,UAAU,iBAAkBC,GAAAA,IAChC,UAAehE,EAAAA,GAAAA,IAAgB,CAC3B/2B,MAAO,CACHoD,OAAQ,CACJnd,KAAM,CAAC+kC,GAAAA,GAAQgQ,GAAAA,GAAQC,GAAAA,IACvBj0B,UAAU,GAEd+hB,MAAO,CACH9iC,KAAMpF,MACNmmB,UAAU,GAEdqvB,eAAgB,CACZpwC,KAAMiU,OACN+F,QAAS,IAGjB9W,KAAIA,KACO,CACH+xC,QAAS,GACTC,UAAU,EACVC,UAAU,IAGlB7e,SAAU,CACN2F,WAAAA,GACI,OAAOjjC,KAAKojC,YAAYyI,MAC5B,EACAuQ,UAAAA,GAAa,IAAApZ,EAET,QAAmB,QAAXA,EAAAhjC,KAAKuhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,GAAK,QAALA,EAAlBA,EAAoBuB,WAAG,IAAAvB,OAAA,EAAvBA,EAAyBx/B,aAAc,KAAKyE,QAAQ,WAAY,KAC5E,EACAo0C,aAAAA,GAAgB,IAAAC,EAAAC,EACZ,OAAyB,QAAlBD,EAAAt8C,KAAKuhB,OAAOnC,cAAM,IAAAk9B,OAAA,EAAlBA,EAAoBhS,UAA2B,QAArBiS,EAAIv8C,KAAKuhB,OAAO5F,aAAK,IAAA4gC,OAAA,EAAjBA,EAAmBjS,SAAU,IACtE,EACAA,MAAAA,GAAS,IAAAkS,EACL,OAAkB,QAAlBA,EAAOx8C,KAAKmkB,cAAM,IAAAq4B,OAAA,EAAXA,EAAalS,MACxB,EACAmS,QAAAA,GACI,OAAOvM,GAASlwC,KAAKmkB,OAAOA,OAChC,EACAu4B,SAAAA,GACI,OAAO18C,KAAKmkB,OAAO/e,SAAW0tC,GAAAA,GAAWC,OAC7C,EACA4J,SAAAA,GAAY,IAAAC,EACR,OAA0B,QAA1BA,EAAI58C,KAAKmkB,OAAO0rB,kBAAU,IAAA+M,GAAtBA,EAAwBlT,aACjBgK,EAAAA,GAAAA,SAAQ1zC,KAAKmkB,OAAO0rB,WAAWnG,aAEnC1pC,KAAKmkB,OAAOw4B,WAAa,EACpC,EACAjT,WAAAA,GACI,MAAM+J,EAAMzzC,KAAK28C,UACX37C,EAAQhB,KAAKmkB,OAAO0rB,WAAWnG,aAC9B1pC,KAAKmkB,OAAO2qB,SAEnB,OAAQ2E,EAAazyC,EAAKG,MAAM,EAAG,EAAIsyC,EAAI/xC,QAA7BV,CAClB,EACAk4C,aAAAA,GACI,OAAOl5C,KAAKm4C,cAAchB,QAC9B,EACA8B,aAAAA,GACI,OAAOj5C,KAAKq4C,eAAehM,QAC/B,EACAwQ,UAAAA,GACI,OAAO78C,KAAKsqC,QAAUtqC,KAAKi5C,cAAcnwC,SAAS9I,KAAKsqC,OAC3D,EACAwS,UAAAA,GACI,OAAO98C,KAAK26C,cAAcC,eAAiB56C,KAAKmkB,MACpD,EACA44B,qBAAAA,GACI,OAAO/8C,KAAK88C,YAAc98C,KAAKo3C,eAAiB,GACpD,EACA1tB,QAAAA,GAAW,IAAAszB,EAAAC,EAAAC,EAAAC,EACP,OAAkB,QAAXH,EAAAh9C,KAAKsqC,cAAM,IAAA0S,GAAU,QAAVC,EAAXD,EAAax5C,gBAAQ,IAAAy5C,OAAA,EAArBA,EAAA/7C,KAAA87C,OAAgD,QAAvBE,EAAKl9C,KAAKq8C,qBAAa,IAAAa,GAAU,QAAVC,EAAlBD,EAAoB15C,gBAAQ,IAAA25C,OAAA,EAA5BA,EAAAj8C,KAAAg8C,GACzC,EACAE,OAAAA,GACI,GAAIp9C,KAAK88C,WACL,OAAO,EAEX,MAAMM,EAAW93C,OACLA,aAAI,EAAJA,EAAM2kC,aAAcC,GAAAA,GAAWuF,QAG3C,OAAIzvC,KAAKi5C,cAAcv3C,OAAS,EACd1B,KAAKi5C,cAAc/pC,KAAIo7B,GAAUtqC,KAAKo4C,WAAW1N,QAAQJ,KAC1DnqB,MAAMi9B,GAEhBA,EAAQp9C,KAAKmkB,OACxB,EACA41B,OAAAA,GACI,QAAI/5C,KAAKmkB,OAAOnd,OAAS8kC,GAAAA,GAASC,QAI9B/rC,KAAKsqC,QAAUtqC,KAAKk5C,cAAcpwC,SAAS9I,KAAKsqC,WAG5CtqC,KAAKmkB,OAAO8lB,YAAcC,GAAAA,GAAWwK,QACjD,EACA2I,WAAY,CACR1vC,GAAAA,GACI,OAAO3N,KAAKs9C,iBAAiB7C,SAAWz6C,KAAKy8C,SAASj5C,UAC1D,EACAwM,GAAAA,CAAIyqC,GAEA,GAAIA,EAAQ,KAAA8C,EAGR,MAAMvT,EAAe,QAAXuT,EAAGv9C,KAAKggC,WAAG,IAAAud,OAAA,EAARA,EAAUC,QAAQ,oBAC/BxT,EAAK5Z,MAAMqtB,eAAe,iBAC1BzT,EAAK5Z,MAAMqtB,eAAe,gBAC9B,CACAz9C,KAAKs9C,iBAAiB7C,OAASA,EAASz6C,KAAKy8C,SAASj5C,WAAa,IACvE,IAGRggC,MAAO,CAKHrf,MAAAA,CAAOhe,EAAG6U,GACF7U,EAAEge,SAAWnJ,EAAEmJ,QACfnkB,KAAK09C,YAEb,GAEJ3b,aAAAA,GACI/hC,KAAK09C,YACT,EACAhf,QAAS,CACLgf,UAAAA,GAAa,IAAAC,EAAAC,EAET59C,KAAKi8C,QAAU,GAEL,QAAV0B,EAAA39C,KAAKq7C,aAAK,IAAAsC,GAAS,QAATA,EAAVA,EAAYnC,eAAO,IAAAmC,GAAO,QAAPC,EAAnBD,EAAqBjR,aAAK,IAAAkR,GAA1BA,EAAA18C,KAAAy8C,GAEA39C,KAAKq9C,YAAa,CACtB,EAEAQ,YAAAA,CAAa19C,GAET,GAAIH,KAAKq9C,WACL,OAIJ,IAAKr9C,KAAKm8C,SAAU,KAAA2B,EAEhB,MAAM9T,EAAe,QAAX8T,EAAG99C,KAAKggC,WAAG,IAAA8d,OAAA,EAARA,EAAUN,QAAQ,oBACzB9F,EAAc1N,EAAKha,wBAGzBga,EAAK5Z,MAAM2tB,YAAY,gBAAiBlqB,KAAKD,IAAI,EAAGzzB,EAAM69C,QAAUtG,EAAY3+B,KAAO,KAAO,MAC9FixB,EAAK5Z,MAAM2tB,YAAY,gBAAiBlqB,KAAKD,IAAI,EAAGzzB,EAAM89C,QAAUvG,EAAYxnB,KAAO,KAC3F,CAEA,MAAMguB,EAAwBl+C,KAAKi5C,cAAcv3C,OAAS,EAC1D1B,KAAKs9C,iBAAiB7C,OAASz6C,KAAK68C,YAAcqB,EAAwB,SAAWl+C,KAAKy8C,SAASj5C,WAEnGrD,EAAMwqB,iBACNxqB,EAAMy/B,iBACV,EACAue,iBAAAA,CAAkBh+C,GACd,GAAIA,EAAMkqB,SAAWlqB,EAAMgqB,QAGvB,OAFAhqB,EAAMwqB,iBACN/mB,OAAOa,MAAKm1B,EAAAA,GAAAA,IAAY,cAAe,CAAEyf,OAAQr5C,KAAKsqC,WAC/C,EAEXtqC,KAAKq7C,MAAMvvC,QAAQqyC,kBAAkBh+C,EACzC,EACAi+C,sBAAAA,CAAuBj+C,GAAO,IAAAk+C,EAC1Bl+C,EAAMwqB,iBACNxqB,EAAMy/B,kBACF0e,UAAsB,QAATD,EAAbC,GAAezU,eAAO,IAAAwU,GAAtBA,EAAAn9C,KAAAo9C,GAAyB,CAACt+C,KAAKmkB,QAASnkB,KAAKijC,cAC7Cqb,GAAc3jC,KAAK3a,KAAKmkB,OAAQnkB,KAAKijC,YAAajjC,KAAKo8C,WAE/D,EACA5C,UAAAA,CAAWr5C,GACPH,KAAKk8C,SAAWl8C,KAAK+5C,QAChB/5C,KAAK+5C,QAKN55C,EAAMkqB,QACNlqB,EAAMs5C,aAAaC,WAAa,OAGhCv5C,EAAMs5C,aAAaC,WAAa,OARhCv5C,EAAMs5C,aAAaC,WAAa,MAUxC,EACA6E,WAAAA,CAAYp+C,GAGR,MAAMsqB,EAAgBtqB,EAAMsqB,cACxBA,SAAAA,EAAe+zB,SAASr+C,EAAMs+C,iBAGlCz+C,KAAKk8C,UAAW,EACpB,EACA,iBAAMwC,CAAYv+C,GAAO,IAAAy5C,EAAA+E,EAAA9E,EAErB,GADA15C,EAAMy/B,mBACD5/B,KAAKo9C,UAAYp9C,KAAKsqC,OAGvB,OAFAnqC,EAAMwqB,sBACNxqB,EAAMy/B,kBAGVT,GAAOwE,MAAM,eAAgB,CAAExjC,UAEb,QAAlBy5C,EAAAz5C,EAAMs5C,oBAAY,IAAAG,GAAW,QAAX+E,EAAlB/E,EAAoBgF,iBAAS,IAAAD,GAA7BA,EAAAz9C,KAAA04C,GAEA55C,KAAK26C,cAAc/sC,SAGf5N,KAAKi5C,cAAcnwC,SAAS9I,KAAKsqC,QACjCtqC,KAAKm4C,cAAcnoC,IAAIhQ,KAAKi5C,eAG5Bj5C,KAAKm4C,cAAcnoC,IAAI,CAAChQ,KAAKsqC,SAEjC,MAAMR,EAAQ9pC,KAAKm4C,cAAchB,SAC5BjoC,KAAIo7B,GAAUtqC,KAAKo4C,WAAW1N,QAAQJ,KACrCuU,OD3PmB7yC,UAC1B,IAAIc,SAASC,IACXyuC,KACDA,IAAU,IAAIG,IAAUmD,SACxBr5C,SAAS8B,KAAK04B,YAAYub,GAAQxb,MAEtCwb,GAAQ1gB,OAAOgP,GACf0R,GAAQuD,IAAI,UAAU,KAClBhyC,EAAQyuC,GAAQxb,KAChBwb,GAAQwD,KAAK,SAAS,GACxB,ICiPsBC,CAAsBnV,GACxB,QAAlB+P,EAAA15C,EAAMs5C,oBAAY,IAAAI,GAAlBA,EAAoBqF,aAAaL,GAAQ,IAAK,GAClD,EACAM,SAAAA,GACIn/C,KAAKm4C,cAAczL,QACnB1sC,KAAKk8C,UAAW,EAChB/c,GAAOwE,MAAM,aACjB,EACA,YAAMgW,CAAOx5C,GAAO,IAAAi/C,EAAAC,EAAArG,EAEhB,KAAKh5C,KAAKk5C,eAAoC,QAAnBkG,EAACj/C,EAAMs5C,oBAAY,IAAA2F,GAAO,QAAPA,EAAlBA,EAAoBzJ,aAAK,IAAAyJ,GAAzBA,EAA2B19C,QACnD,OAEJvB,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,MAAM4M,EAAYxsC,KAAKk5C,cACjBvD,EAAQ,KAAsB,QAAlB0J,EAAAl/C,EAAMs5C,oBAAY,IAAA4F,OAAA,EAAlBA,EAAoB1J,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC3I,QAAiC,QAAtBgM,EAAMh5C,KAAKijC,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBtH,YAAY1xC,KAAKmkB,OAAOrU,OAC3DsiC,EAASpF,aAAQ,EAARA,EAAUoF,OACzB,IAAKA,EAED,YADAhT,EAAAA,GAAAA,IAAUp/B,KAAKg+B,EAAE,QAAS,0CAK9B,IAAKh+B,KAAK+5C,SAAW55C,EAAMqqB,OACvB,OAEJ,MAAMysB,EAAS92C,EAAMkqB,QAIrB,GAHArqB,KAAKk8C,UAAW,EAChB/c,GAAOwE,MAAM,UAAW,CAAExjC,QAAOiyC,SAAQ5F,YAAW2J,aAEhDA,EAASnJ,SAAStrC,OAAS,EAE3B,kBADM60C,GAAoBJ,EAAU/D,EAAQpF,EAASA,UAIzD,MAAMlD,EAAQ0C,EAAUt9B,KAAIo7B,GAAUtqC,KAAKo4C,WAAW1N,QAAQJ,WACxD0M,GAAoBlN,EAAOsI,EAAQpF,EAASA,SAAUiK,GAGxDzK,EAAU5E,MAAK0C,GAAUtqC,KAAKi5C,cAAcnwC,SAASwhC,OACrDnL,GAAOwE,MAAM,gDACb3jC,KAAKq4C,eAAe3L,QAE5B,EACA1O,EAACA,GAAAA,qBC5ST,MCNmQ,GDMnQ,CACIh9B,KAAM,sBACN+f,MAAO,CACHoD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdkb,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,GAEd9G,OAAQ,CACJja,KAAM+4B,SACNhY,UAAU,IAGlByb,MAAO,CACHrf,MAAAA,GACI,KAAKm7B,mBACT,EACArc,WAAAA,GACI,KAAKqc,mBACT,GAEJjhB,OAAAA,GACI,KAAKihB,mBACT,EACA5gB,QAAS,CACL,uBAAM4gB,GACF,MAAMnX,QAAgB,KAAKlnB,OAAO,KAAKkD,OAAQ,KAAK8e,aAChDkF,EACA,KAAKnI,IAAIub,gBAAgBpT,GAGzB,KAAKnI,IAAIub,iBAEjB,IExBR,IAXgB,QACd,IFRW,WAA+C,OAAOthB,EAA5Bj6B,KAAYk6B,MAAMD,IAAa,OACtE,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClB4E,GCoB5G,CACEj5B,KAAM,gBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,uCAAuClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,2EAA2E,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC1lB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,gDELhC,MAAMxK,IAAUyzC,EAAAA,GAAAA,MAChB,IAAezH,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,mBACN2X,WAAY,CACR6mC,cAAa,GACbC,oBAAmB,GACnBC,eAAc,KACdC,UAAS,KACTC,kBAAiB,KACjBhd,iBAAgB,KAChBid,cAAaA,GAAAA,GAEjB9+B,MAAO,CACHq2B,eAAgB,CACZpwC,KAAMiU,OACN8M,UAAU,GAEdk0B,QAAS,CACLj1C,KAAME,OACN6gB,UAAU,GAEd0yB,OAAQ,CACJzzC,KAAMyV,QACNuE,SAAS,GAEbmD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdo0B,SAAU,CACNn1C,KAAMyV,QACNuE,SAAS,IAGjB9W,KAAIA,KACO,CACH41C,cAAe,OAGvBxiB,SAAU,CACN8e,UAAAA,GAAa,IAAApZ,EAET,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,GAAK,QAALA,EAAlBA,EAAoBuB,WAAG,IAAAvB,OAAA,EAAvBA,EAAyBx/B,aAAc,KAAKyE,QAAQ,WAAY,KAC5E,EACAg7B,WAAAA,GACI,OAAO,KAAKG,YAAYyI,MAC5B,EACA6Q,SAAAA,GACI,OAAO,KAAKv4B,OAAO/e,SAAW0tC,GAAAA,GAAWC,OAC7C,EAEAgN,cAAAA,GACI,OAAI,KAAK57B,OAAO0rB,WAAW4B,OAChB,GAEJ3lC,GACFmD,QAAOlD,IAAWA,EAAO89B,SAAW99B,EAAO89B,QAAQ,CAAC,KAAK1lB,QAAS,KAAK8e,eACvEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,IACrD,EAEA0c,oBAAAA,GACI,OAAI,KAAK5I,eAAiB,KAAO,KAAK+E,SAC3B,GAEJ,KAAK4D,eAAe9wC,QAAOlD,IAAM,IAAAk0C,EAAA,OAAIl0C,SAAc,QAARk0C,EAANl0C,EAAQm0C,cAAM,IAAAD,OAAA,EAAdA,EAAA/+C,KAAA6K,EAAiB,KAAKoY,OAAQ,KAAK8e,YAAY,GAC/F,EAEAkd,oBAAAA,GACI,OAAI,KAAKhE,SACE,GAEJ,KAAK4D,eAAe9wC,QAAOlD,GAAyC,mBAAxBA,EAAOq0C,cAC9D,EAEAC,qBAAAA,GACI,OAAO,KAAKN,eAAe9wC,QAAOlD,KAAYA,UAAAA,EAAQiV,UAC1D,EAEAs/B,kBAAAA,GAGI,GAAI,KAAKR,cACL,OAAO,KAAKE,qBAEhB,MAAMl0C,EAAU,IAET,KAAKk0C,wBAEL,KAAKD,eAAe9wC,QAAOlD,GAAUA,EAAOiV,UAAYu/B,GAAAA,GAAYC,QAAyC,mBAAxBz0C,EAAOq0C,gBACjGnxC,QAAO,CAAC7F,EAAOyT,EAAO7Y,IAEb6Y,IAAU7Y,EAAKy8C,WAAU10C,GAAUA,EAAOnC,KAAOR,EAAMQ,OAG5D82C,EAAgB50C,EAAQmD,QAAOlD,IAAWA,EAAO4T,SAAQzQ,KAAInD,GAAUA,EAAOnC,KAEpF,OAAOkC,EAAQmD,QAAOlD,KAAYA,EAAO4T,QAAU+gC,EAAc53C,SAASiD,EAAO4T,UACrF,EACAghC,qBAAAA,GACI,OAAO,KAAKZ,eACP9wC,QAAOlD,GAAUA,EAAO4T,SACxB1V,QAAO,CAAC8Z,EAAKhY,KACTgY,EAAIhY,EAAO4T,UACZoE,EAAIhY,EAAO4T,QAAU,IAEzBoE,EAAIhY,EAAO4T,QAAQnf,KAAKuL,GACjBgY,IACR,CAAC,EACR,EACAs5B,WAAY,CACR1vC,GAAAA,GACI,OAAO,KAAK8sC,MAChB,EACAzqC,GAAAA,CAAI5G,GACA,KAAKkxB,MAAM,gBAAiBlxB,EAChC,GAOJw3C,qBAAoBA,IACTn7C,SAASoqB,cAAc,8BAElCgxB,SAAAA,GACI,OAAO,KAAK18B,OAAO28B,YAAY,aACnC,GAEJpiB,QAAS,CACLqiB,iBAAAA,CAAkBh1C,GACd,IAAK,KAAKowC,UAAa,KAAK/E,eAAiB,KAAOrrC,EAAOm0C,SAAoC,mBAAjBn0C,EAAOzE,MAAsB,CAGvG,MAAMA,EAAQyE,EAAOzE,MAAM,CAAC,KAAK6c,QAAS,KAAK8e,aAC/C,GAAI37B,EACA,OAAOA,CACf,CACA,OAAOyE,EAAO29B,YAAY,CAAC,KAAKvlB,QAAS,KAAK8e,YAClD,EACA,mBAAM+d,CAAcj1C,GAA2B,IAAnBk1C,EAAS3+C,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAEjC,GAAI,KAAKo6C,WAA8B,KAAjB,KAAKT,QACvB,OAGJ,GAAI,KAAK0E,sBAAsB50C,EAAOnC,IAElC,YADA,KAAKk2C,cAAgB/zC,GAGzB,MAAM29B,EAAc39B,EAAO29B,YAAY,CAAC,KAAKvlB,QAAS,KAAK8e,aAC3D,IAEI,KAAK3I,MAAM,iBAAkBvuB,EAAOnC,IACpCyuB,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,SAAU2uB,GAAAA,GAAWC,SAC1C,MAAMmO,QAAgBn1C,EAAO4O,KAAK,KAAKwJ,OAAQ,KAAK8e,YAAa,KAAKmZ,YAEtE,GAAI8E,QACA,OAEJ,GAAIA,EAEA,YADA7e,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,+CAAgD,CAAE0L,kBAG7EtK,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAE0L,gBAC5D,CACA,MAAOvkC,GACHg6B,GAAOn6B,MAAM,+BAAgC,CAAE+G,SAAQ5G,KACvDi6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAE0L,gBAC5D,CAAC,QAGG,KAAKpP,MAAM,iBAAkB,IAC7BjC,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,cAAU3hB,GAE3By+C,IACA,KAAKnB,cAAgB,KAE7B,CACJ,EACA3B,iBAAAA,CAAkBh+C,GACV,KAAKkgD,sBAAsB3+C,OAAS,IACpCvB,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,KAAKygB,sBAAsB,GAAG1lC,KAAK,KAAKwJ,OAAQ,KAAK8e,YAAa,KAAKmZ,YAE/E,EACA+E,MAAAA,CAAOv3C,GAAI,IAAAw3C,EACP,OAAqC,QAA9BA,EAAA,KAAKT,sBAAsB/2C,UAAG,IAAAw3C,OAAA,EAA9BA,EAAgC1/C,QAAS,CACpD,EACA,uBAAM2/C,CAAkBt1C,GACpB,KAAK+zC,cAAgB,WAEf,KAAKnxB,YAEX,KAAKA,WAAU,KAAM,IAAAgvB,EAEjB,MAAM2D,EAA8C,QAApC3D,EAAG,KAAKtC,MAAK,UAAAh6C,OAAW0K,EAAOnC,YAAK,IAAA+zC,OAAA,EAAjCA,EAAoC,GACvC,IAAA4D,EAAZD,IACsC,QAAtCC,EAAAD,EAAWthB,IAAInQ,cAAc,iBAAS,IAAA0xB,GAAtCA,EAAwCC,QAC5C,GAER,EACAxjB,EAACA,GAAAA,MCzNgQ,sBCWrQ,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,sBCftD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCjB1D,IAAI,IAAY,QACd,IJVW,WAAiB,IAAA8hB,EAAAC,EAAK1nB,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,KAAK,CAACG,YAAY,0BAA0BlX,MAAM,CAAC,iCAAiC,KAAK,CAAC8W,EAAIsI,GAAItI,EAAImmB,sBAAsB,SAASp0C,GAAQ,OAAOkuB,EAAG,sBAAsB,CAAC/wB,IAAI6C,EAAOnC,GAAGwwB,YAAY,iCAAiC/Q,MAAM,0BAA4Btd,EAAOnC,GAAGsZ,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,OAASl3B,EAAOq0C,aAAa,OAASpmB,EAAI7V,SAAS,IAAG6V,EAAIQ,GAAG,KAAKP,EAAG,YAAY,CAACra,IAAI,cAAcsD,MAAM,CAAC,qBAAqB8W,EAAI4mB,qBAAqB,UAAY5mB,EAAI4mB,qBAAqB,cAAa,EAAK,KAAO,WAAW,aAAiD,IAApC5mB,EAAIgmB,qBAAqBt+C,OAAuD,OAASs4B,EAAIgmB,qBAAqBt+C,OAAO,KAAOs4B,EAAIqjB,YAAY16C,GAAG,CAAC,cAAc,SAAS03B,GAAQL,EAAIqjB,WAAWhjB,CAAM,EAAE,MAAQ,SAASA,GAAQL,EAAI8lB,cAAgB,IAAI,IAAI,CAAC9lB,EAAIsI,GAAItI,EAAIsmB,oBAAoB,SAASv0C,GAAO,IAAA41C,EAAC,OAAO1nB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGgW,IAAG,UAAAve,OAAW0K,EAAOnC,IAAKg4C,UAAS,EAAKv4B,MAAM,CAClhC,CAAC,0BAADhoB,OAA2B0K,EAAOnC,MAAO,EACzC,+BAAkCowB,EAAImnB,OAAOp1C,EAAOnC,KACnDsZ,MAAM,CAAC,qBAAqB8W,EAAImnB,OAAOp1C,EAAOnC,IAAI,gCAAgCmC,EAAOnC,GAAG,UAAUowB,EAAImnB,OAAOp1C,EAAOnC,IAAI,MAAoB,QAAb+3C,EAAC51C,EAAOzE,aAAK,IAAAq6C,OAAA,EAAZA,EAAAzgD,KAAA6K,EAAe,CAACiuB,EAAI7V,QAAS6V,EAAIiJ,cAActgC,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIgnB,cAAcj1C,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIiiB,UAAYlwC,EAAOnC,GAAIqwB,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,MAAM+W,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAMnX,EAAO49B,cAAc,CAAC3P,EAAI7V,QAAS6V,EAAIiJ,gBAAgB,EAAEj1B,OAAM,IAAO,MAAK,IAAO,CAACgsB,EAAIQ,GAAG,WAAWR,EAAItsB,GAAqB,WAAlBssB,EAAI6mB,WAAwC,mBAAd90C,EAAOnC,GAA0B,GAAKowB,EAAI+mB,kBAAkBh1C,IAAS,WAAW,IAAGiuB,EAAIQ,GAAG,KAAMR,EAAI8lB,eAAiB9lB,EAAI2mB,sBAAuC,QAAlBc,EAACznB,EAAI8lB,qBAAa,IAAA2B,OAAA,EAAjBA,EAAmB73C,IAAK,CAACqwB,EAAG,iBAAiB,CAACG,YAAY,8BAA8Bz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIqnB,kBAAkBrnB,EAAI8lB,cAAc,GAAGvd,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,iBAAiB,EAAEjsB,OAAM,IAAO,MAAK,EAAM,aAAa,CAACgsB,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAI+mB,kBAAkB/mB,EAAI8lB,gBAAgB,cAAc9lB,EAAIQ,GAAG,KAAKP,EAAG,qBAAqBD,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAI2mB,sBAAuC,QAAlBe,EAAC1nB,EAAI8lB,qBAAa,IAAA4B,OAAA,EAAjBA,EAAmB93C,KAAK,SAASmC,GAAO,IAAA81C,EAAC,OAAO5nB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGwwB,YAAY,kCAAkC/Q,MAAK,0BAAAhoB,OAA2B0K,EAAOnC,IAAKsZ,MAAM,CAAC,qBAAoB,EAA8C,gCAAgCnX,EAAOnC,GAAG,MAAoB,QAAbi4C,EAAC91C,EAAOzE,aAAK,IAAAu6C,OAAA,EAAZA,EAAA3gD,KAAA6K,EAAe,CAACiuB,EAAI7V,QAAS6V,EAAIiJ,cAActgC,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIgnB,cAAcj1C,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIiiB,UAAYlwC,EAAOnC,GAAIqwB,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,MAAM+W,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAMnX,EAAO49B,cAAc,CAAC3P,EAAI7V,QAAS6V,EAAIiJ,gBAAgB,EAAEj1B,OAAM,IAAO,MAAK,IAAO,CAACgsB,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAI+mB,kBAAkBh1C,IAAS,aAAa,KAAIiuB,EAAI1jB,MAAM,IAAI,EAC90D,GACsB,IIQpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCpB0O,ICQ3PwhC,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,oBACN2X,WAAY,CACRkoB,sBAAqB,KACrBgf,cAAaA,GAAAA,GAEjB9+B,MAAO,CACHupB,OAAQ,CACJtjC,KAAMiU,OACN8M,UAAU,GAEd20B,UAAW,CACP11C,KAAMyV,QACNuE,SAAS,GAEb8oB,MAAO,CACH9iC,KAAMpF,MACNmmB,UAAU,GAEd5D,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,IAGlB3T,KAAAA,GACI,MAAMikC,EAAiBjM,KACjB0V,ECNkB,WAC5B,MAmBMA,EAnBQ1qC,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHmhB,QAAQ,EACRC,SAAS,EACTF,SAAS,EACTG,UAAU,IAEdxe,QAAS,CACLi2C,OAAAA,CAAQ5hD,GACCA,IACDA,EAAQyD,OAAOzD,OAEnBk4B,GAAAA,GAAAA,IAAQr4B,KAAM,WAAYG,EAAMiqB,QAChCiO,GAAAA,GAAAA,IAAQr4B,KAAM,YAAaG,EAAMkqB,SACjCgO,GAAAA,GAAAA,IAAQr4B,KAAM,YAAaG,EAAMgqB,SACjCkO,GAAAA,GAAAA,IAAQr4B,KAAM,aAAcG,EAAMmqB,SACtC,IAGc3gB,IAAMrH,WAQ5B,OANKw/C,EAAcxmB,eACf13B,OAAOwqB,iBAAiB,UAAW0zB,EAAcC,SACjDn+C,OAAOwqB,iBAAiB,QAAS0zB,EAAcC,SAC/Cn+C,OAAOwqB,iBAAiB,YAAa0zB,EAAcC,SACnDD,EAAcxmB,cAAe,GAE1BwmB,CACX,CDvB8BE,GACtB,MAAO,CACHF,gBACAzJ,iBAER,EACA/a,SAAU,CACN2b,aAAAA,GACI,OAAO,KAAKZ,eAAehM,QAC/B,EACAwQ,UAAAA,GACI,OAAO,KAAK5D,cAAcnwC,SAAS,KAAKwhC,OAC5C,EACAztB,KAAAA,GACI,OAAO,KAAKitB,MAAM2W,WAAWn7C,GAASA,EAAKglC,SAAW,KAAKA,QAC/D,EACAmD,MAAAA,GACI,OAAO,KAAKtpB,OAAOnd,OAAS8kC,GAAAA,GAASiB,IACzC,EACAkV,SAAAA,GACI,OAAO,KAAKxU,QACNzP,EAAAA,GAAAA,IAAE,QAAS,4CAA6C,CAAE0L,YAAa,KAAKvlB,OAAO2qB,YACnF9Q,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAE0L,YAAa,KAAKvlB,OAAO2qB,UAC/F,GAEJpQ,QAAS,CACLwjB,iBAAAA,CAAkB7V,GAAU,IAAA8V,EACxB,MAAMC,EAAmB,KAAKvlC,MACxB0vB,EAAoB,KAAK8L,eAAe9L,kBAE9C,GAAsB,QAAlB4V,EAAA,KAAKL,qBAAa,IAAAK,GAAlBA,EAAoB73B,UAAkC,OAAtBiiB,EAA4B,CAC5D,MAAM8V,EAAoB,KAAKpJ,cAAcnwC,SAAS,KAAKwhC,QACrDuM,EAAQhjB,KAAKiM,IAAIsiB,EAAkB7V,GACnCjmB,EAAMuN,KAAKD,IAAI2Y,EAAmB6V,GAClC9V,EAAgB,KAAK+L,eAAe/L,cACpCgW,EAAgB,KAAKxY,MACtB56B,KAAI/B,GAAQA,EAAKm9B,SACjBnpC,MAAM01C,EAAOvwB,EAAM,GACnBrX,OAAOwN,SAEN+vB,EAAY,IAAIF,KAAkBgW,GACnCrzC,QAAOq7B,IAAW+X,GAAqB/X,IAAW,KAAKA,SAI5D,OAHAnL,GAAOwE,MAAM,oDAAqD,CAAEkT,QAAOvwB,MAAKg8B,gBAAeD,2BAE/F,KAAKhK,eAAeroC,IAAIw8B,EAE5B,CACA,MAAMA,EAAYH,EACZ,IAAI,KAAK4M,cAAe,KAAK3O,QAC7B,KAAK2O,cAAchqC,QAAOq7B,GAAUA,IAAW,KAAKA,SAC1DnL,GAAOwE,MAAM,qBAAsB,CAAE6I,cACrC,KAAK6L,eAAeroC,IAAIw8B,GACxB,KAAK6L,eAAe5L,aAAa2V,EACrC,EACAG,cAAAA,GACI,KAAKlK,eAAe3L,OACxB,EACA1O,EAACA,GAAAA,MEzET,IAXgB,QACd,IFRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,KAAK,CAACG,YAAY,2BAA2Bz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAIwoB,GAAGnoB,EAAOooB,QAAQ,MAAM,GAAGpoB,EAAOnxB,IAAI,CAAC,MAAM,YAA0BmxB,EAAOhQ,SAASgQ,EAAO/P,UAAU+P,EAAOjQ,QAAQiQ,EAAOlQ,QAA/D,KAA0F6P,EAAIuoB,eAAe9/C,MAAM,KAAMH,UAAU,IAAI,CAAE03B,EAAI0iB,UAAWziB,EAAG,iBAAiBA,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,aAAa8W,EAAIioB,UAAU,QAAUjoB,EAAI6iB,YAAYl6C,GAAG,CAAC,iBAAiBq3B,EAAIkoB,sBAAsB,EACnkB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAUA,MAAMQ,IAAsBhoB,EAAAA,GAAAA,GAAU,QAAS,sBAAuB,ICVgM,GDWvPrC,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,gBACN2X,WAAY,CACRgqC,YAAWA,GAAAA,GAEf5hC,MAAO,CACH2oB,YAAa,CACT1iC,KAAME,OACN6gB,UAAU,GAEd40B,UAAW,CACP31C,KAAME,OACN6gB,UAAU,GAEdqvB,eAAgB,CACZpwC,KAAMiU,OACN8M,UAAU,GAEd+hB,MAAO,CACH9iC,KAAMpF,MACNmmB,UAAU,GAEd5D,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdo0B,SAAU,CACNn1C,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAEM,CACHumC,cAFkBD,OAK1Bpd,SAAU,CACNwf,UAAAA,GACI,OAAO,KAAKnC,cAAcC,eAAiB,KAAKz2B,MACpD,EACA44B,qBAAAA,GACI,OAAO,KAAKD,YAAc,KAAK1F,eAAiB,GACpD,EACA5D,QAAS,CACL7lC,GAAAA,GACI,OAAO,KAAKgtC,cAAcnH,OAC9B,EACAxjC,GAAAA,CAAIwjC,GACA,KAAKmH,cAAcnH,QAAUA,CACjC,GAEJoP,WAAAA,GAKI,MAJmB,CACf,CAAC9W,GAAAA,GAASiB,OAAO/O,EAAAA,GAAAA,IAAE,QAAS,aAC5B,CAAC8N,GAAAA,GAASC,SAAS/N,EAAAA,GAAAA,IAAE,QAAS,gBAEhB,KAAK7Z,OAAOnd,KAClC,EACA67C,MAAAA,GAAS,IAAAC,EAAAtG,EACL,GAAI,KAAKr4B,OAAO0rB,WAAW4B,OACvB,MAAO,CACHsR,GAAI,OACJ3jC,OAAQ,CACJ9X,OAAO02B,EAAAA,GAAAA,IAAE,QAAS,8BAI9B,MAAMqiB,EAAoC,QAAfyC,EAAG,KAAK5gC,eAAO,IAAA4gC,GAAO,QAAPA,EAAZA,EAAczH,aAAK,IAAAyH,GAAS,QAATA,EAAnBA,EAAqBh3C,eAAO,IAAAg3C,OAAA,EAA5BA,EAA8BzC,sBAC5D,OAAIA,aAAqB,EAArBA,EAAuB3+C,QAAS,EAGzB,CACHqhD,GAAI,IACJ3jC,OAAQ,CACJ9X,MALO+4C,EAAsB,GACV3W,YAAY,CAAC,KAAKvlB,QAAS,KAAK8e,aAKnD+f,KAAM,SACNC,SAAU,OAIP,QAAXzG,EAAA,KAAKr4B,cAAM,IAAAq4B,OAAA,EAAXA,EAAavS,aAAcC,GAAAA,GAAWgZ,KAC/B,CACHH,GAAI,IACJ3jC,OAAQ,CACJhb,SAAU,KAAK+f,OAAO2qB,SACtBxoC,KAAM,KAAK6d,OAAOA,OAClB7c,OAAO02B,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,CAAEh9B,KAAM,KAAK0oC,cACvDuZ,SAAU,MAIf,CACHF,GAAI,OAEZ,GAEJvf,MAAO,CAMHsZ,WAAY,CACRqG,WAAW,EACXh6B,OAAAA,CAAQi6B,GACAA,GACA,KAAKC,eAEb,IAGR3kB,QAAS,CAML4kB,kBAAAA,CAAmBnjD,GAAO,IAAAojD,EAAAC,EACtB,MAAMtqC,EAAQ/Y,EAAMsG,OACd+sC,GAA2B,QAAjB+P,GAAAC,EAAA,KAAKhQ,SAAQj4B,YAAI,IAAAgoC,OAAA,EAAjBA,EAAAriD,KAAAsiD,KAAyB,GACzCrkB,GAAOwE,MAAM,0BAA2B,CAAE6P,YAC1C,IACI,KAAKiQ,gBAAgBjQ,GACrBt6B,EAAMwqC,kBAAkB,IACxBxqC,EAAM5R,MAAQ,EAClB,CACA,MAAOnC,GACH+T,EAAMwqC,kBAAkBv+C,EAAEkD,SAC1B6Q,EAAM5R,MAAQnC,EAAEkD,OACpB,CAAC,QAEG6Q,EAAMyqC,gBACV,CACJ,EACAF,eAAAA,CAAgBziD,GACZ,MAAM4iD,EAAc5iD,EAAKua,OACzB,GAAoB,MAAhBqoC,GAAuC,OAAhBA,EACvB,MAAM,IAAI57C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,oCAAqC,CAAEh9B,UAEjE,GAA2B,IAAvB4iD,EAAYliD,OACjB,MAAM,IAAIsG,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,+BAE1B,IAAkC,IAA9B4lB,EAAYvwC,QAAQ,KACzB,MAAM,IAAIrL,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,2CAE1B,GAAI4lB,EAAYxqC,MAAMyqC,GAAG7rC,OAAO8rC,uBACjC,MAAM,IAAI97C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,uCAAwC,CAAEh9B,UAEpE,GAAI,KAAK+iD,kBAAkB/iD,GAC5B,MAAM,IAAIgH,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,4BAA6B,CAAEwV,QAASxyC,KAQvE,OANgB4iD,EAAYhrC,MAAM,IAC1BvK,SAAQ21C,IACZ,IAA2C,IAAvCtB,GAAoBrvC,QAAQ2wC,GAC5B,MAAM,IAAIh8C,MAAM,KAAKg2B,EAAE,QAAS,8CAA+C,CAAEgmB,SACrF,KAEG,CACX,EACAD,iBAAAA,CAAkB/iD,GACd,OAAO,KAAK8oC,MAAM3G,MAAK79B,GAAQA,EAAKwpC,WAAa9tC,GAAQsE,IAAS,KAAK6e,QAC3E,EACAk/B,aAAAA,GACI,KAAK10B,WAAU,KAAM,IAAAs1B,EAEjB,MAAMC,GAAa,KAAK//B,OAAOw4B,WAAa,IAAI/jC,MAAM,IAAIlX,OACpDA,EAAS,KAAKyiB,OAAO2qB,SAASl2B,MAAM,IAAIlX,OAASwiD,EACjDhrC,EAA8B,QAAzB+qC,EAAG,KAAK5I,MAAM8I,mBAAW,IAAAF,GAAO,QAAPA,EAAtBA,EAAwB5I,aAAK,IAAA4I,GAAY,QAAZA,EAA7BA,EAA+BG,kBAAU,IAAAH,GAAO,QAAPA,EAAzCA,EAA2C5I,aAAK,IAAA4I,OAAA,EAAhDA,EAAkD/qC,MAC3DA,GAILA,EAAMmrC,kBAAkB,EAAG3iD,GAC3BwX,EAAMsoC,QAENtoC,EAAM3T,cAAc,IAAI++C,MAAM,WAN1BnlB,GAAOn6B,MAAM,kCAMsB,GAE/C,EACAu/C,YAAAA,GACS,KAAKzH,YAIV,KAAKnC,cAAc/sC,QACvB,EAEA,cAAM42C,GAAW,IAAAC,EAAAC,EACb,MAAMC,EAAU,KAAKxgC,OAAO2qB,SACtB8V,EAAmB,KAAKzgC,OAAO0gC,cAC/BrR,GAA2B,QAAjBiR,GAAAC,EAAA,KAAKlR,SAAQj4B,YAAI,IAAAkpC,OAAA,EAAjBA,EAAAvjD,KAAAwjD,KAAyB,GACzC,GAAgB,KAAZlR,EAIJ,GAAImR,IAAYnR,EAKhB,GAAI,KAAKuQ,kBAAkBvQ,IACvBpU,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,wDADzB,CAKA,KAAKie,QAAU,WACf5jB,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,SAAU2uB,GAAAA,GAAWC,SAE1C,KAAK5uB,OAAO2gC,OAAOtR,GACnBrU,GAAOwE,MAAM,iBAAkB,CAAEiL,YAAa,KAAKzqB,OAAO0gC,cAAeD,qBACzE,UACU7pB,EAAAA,GAAAA,GAAM,CACR6V,OAAQ,OACRvsC,IAAKugD,EACLtU,QAAS,CACLyU,YAAa,KAAK5gC,OAAO0gC,cACzBG,UAAW,QAInBljD,EAAAA,GAAAA,IAAK,qBAAsB,KAAKqiB,SAChCriB,EAAAA,GAAAA,IAAK,qBAAsB,KAAKqiB,SAChCke,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,qCAAsC,CAAE2mB,UAASnR,aAExE,KAAK+Q,eACL,KAAK51B,WAAU,KACX,KAAK0sB,MAAMvM,SAAS0S,OAAO,GAEnC,CACA,MAAOx8C,GAAO,IAAAivC,EAAAC,EAKV,GAJA/U,GAAOn6B,MAAM,4BAA6B,CAAEA,UAC5C,KAAKmf,OAAO2gC,OAAOH,GACnB,KAAKtJ,MAAM8I,YAAY3C,QAES,OAA5Bx8C,SAAe,QAAVivC,EAALjvC,EAAOH,gBAAQ,IAAAovC,OAAA,EAAfA,EAAiB7uC,QAEjB,YADAg6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,2DAA4D,CAAE2mB,aAGlF,GAAgC,OAA5B3/C,SAAe,QAAVkvC,EAALlvC,EAAOH,gBAAQ,IAAAqvC,OAAA,EAAfA,EAAiB9uC,QAEtB,YADAg6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,8FAA+F,CAAEwV,UAASjP,IAAK,KAAK6X,eAI7Ihd,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,+BAAgC,CAAE2mB,YAC3D,CAAC,QAEG,KAAK1I,SAAU,EACf5jB,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,cAAU3hB,EACnC,CA7CA,MAPI,KAAK+hD,oBAJLnlB,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,wBAyD7B,EACAA,EAACA,GAAAA,MEnPT,IAXgB,QACd,IFRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAoBrgB,EAAI8iB,WAAY7iB,EAAG,OAAO,CAACgrB,WAAW,CAAC,CAACjkD,KAAK,mBAAmBkkD,QAAQ,qBAAqB97C,MAAO4wB,EAAIuqB,aAAcY,WAAW,iBAAiB/qB,YAAY,yBAAyBlX,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,gBAAgBr7B,GAAG,CAAC,OAAS,SAAS03B,GAAyD,OAAjDA,EAAO1P,iBAAiB0P,EAAOuF,kBAAyB5F,EAAIwqB,SAAS/hD,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,cAAc,CAACra,IAAI,cAAcsD,MAAM,CAAC,MAAQ8W,EAAI4oB,YAAY,WAAY,EAAK,UAAY,EAAE,UAAW,EAAK,MAAQ5oB,EAAIwZ,QAAQ,aAAe,QAAQ7wC,GAAG,CAAC,eAAe,SAAS03B,GAAQL,EAAIwZ,QAAQnZ,CAAM,EAAE,MAAQ,CAACL,EAAIspB,mBAAmB,SAASjpB,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAIwoB,GAAGnoB,EAAOooB,QAAQ,MAAM,GAAGpoB,EAAOnxB,IAAI,CAAC,MAAM,WAAkB,KAAY8wB,EAAIuqB,aAAa9hD,MAAM,KAAMH,UAAU,OAAO,GAAG23B,EAAGD,EAAI6oB,OAAOE,GAAG/oB,EAAIG,GAAG,CAACva,IAAI,WAAWoI,IAAI,YAAYoS,YAAY,4BAA4BlX,MAAM,CAAC,cAAc8W,EAAI8iB,WAAW,mCAAmC,IAAIn6C,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,YAAYL,EAAI6oB,OAAOzjC,QAAO,GAAO,CAAC6a,EAAG,OAAO,CAACG,YAAY,6BAA6B,CAACH,EAAG,OAAO,CAACG,YAAY,wBAAwBgrB,SAAS,CAAC,YAAcprB,EAAItsB,GAAGssB,EAAI0P,gBAAgB1P,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,2BAA2BgrB,SAAS,CAAC,YAAcprB,EAAItsB,GAAGssB,EAAI2iB,iBAC13C,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBCoBA,MCpBuG,GDoBvG,CACE37C,KAAM,WACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,iCAAiClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,0FAA0F,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACnmB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6E,GCoB7G,CACEtV,KAAM,iBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,6IAA6I,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC7pB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBsE,GCoBtG,CACEtV,KAAM,UACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,0KAA0K,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAClrB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB0E,GCoB1G,CACEtV,KAAM,cACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,oCAAoClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,uLAAuL,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACnsB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBsE,GCoBtG,CACEtV,KAAM,UACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gVAAgV,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACx1B,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6E,GCoB7G,CACEtV,KAAM,iBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,mGAAmG,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACnnB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBiK,GCuBjM,CACAtV,KAAA,kBACA+f,MAAA,CACAzZ,MAAA,CACAN,KAAAE,OACA8Z,QAAA,IAEA+Y,UAAA,CACA/yB,KAAAE,OACA8Z,QAAA,gBAEAtR,KAAA,CACA1I,KAAAiU,OACA+F,QAAA,MClBA,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwClX,MAAM,CAAC,eAAe8W,EAAI1yB,MAAM,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gGAAgG8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,8FAA8F8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gFAAgF8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gGAAgG8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,kFAAkF8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,4SACpjC,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBqO,ICetP40B,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,eACN2X,WAAY,CACRiqB,iBAAgBA,GAAAA,GAEpB14B,KAAIA,KACO,CACHm7C,8MAGR,aAAMhnB,GAAU,IAAAinB,QACN,KAAK32B,YAEX,MAAMgB,EAAK,KAAKqQ,IAAInQ,cAAc,OAClCF,SAAgB,QAAd21B,EAAF31B,EAAI41B,oBAAY,IAAAD,GAAhBA,EAAApkD,KAAAyuB,EAAmB,UAAW,cAClC,EACA+O,QAAS,CACLV,EAACA,GAAAA,sBCrBL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,mBAAmB,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,IAAMhE,EAAIqrB,UAC7M,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnByO,GjCmB1PhtB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,mBACN2X,WAAY,CACR6sC,iBAAgB,KAChBC,gBAAe,GACfC,gBAAe,GACfC,aAAY,GACZC,SAAQ,GACR9K,WAAU,GACV+K,eAAc,GACdC,QAAO,GACPC,SAAQ,KACRC,YAAW,GACXC,QAAOA,IAEXllC,MAAO,CACHoD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdm0B,SAAU,CACNl1C,KAAMyV,QACNuE,SAAS,GAEbm7B,SAAU,CACNn1C,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAEM,CACHqsB,gBAFoBD,OAK5Bt2B,KAAIA,KACO,CACHg8C,sBAAkB1jD,IAG1B86B,SAAU,CACNgN,MAAAA,GAAS,IAAAkS,EAAA2J,EACL,OAAkB,QAAlB3J,EAAO,KAAKr4B,cAAM,IAAAq4B,GAAQ,QAARA,EAAXA,EAAalS,cAAM,IAAAkS,GAAU,QAAV2J,EAAnB3J,EAAqBh5C,gBAAQ,IAAA2iD,OAAA,EAA7BA,EAAAjlD,KAAAs7C,EACX,EACA4J,UAAAA,GACI,OAA2C,IAApC,KAAKjiC,OAAO0rB,WAAWwW,QAClC,EACAnmB,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACAomB,YAAAA,GACI,OAA+C,IAAxC,KAAKpmB,WAAWE,mBAC3B,EACAmmB,UAAAA,GACI,GAAI,KAAKpiC,OAAOnd,OAAS8kC,GAAAA,GAASC,OAC9B,OAAO,KAEX,IAA8B,IAA1B,KAAKma,iBACL,OAAO,KAEX,IACI,MAAMK,EAAa,KAAKpiC,OAAO0rB,WAAW0W,aACnC3sB,EAAAA,GAAAA,IAAY,gCAAiC,CAC5C0Q,OAAQ,KAAKA,SAEfjmC,EAAM,IAAIqC,IAAI9C,OAAO4C,SAASD,OAASggD,GAO7C,OALAliD,EAAImiD,aAAax2C,IAAI,IAAK,KAAKmsC,SAAW,MAAQ,MAClD93C,EAAImiD,aAAax2C,IAAI,IAAK,KAAKmsC,SAAW,MAAQ,MAClD93C,EAAImiD,aAAax2C,IAAI,eAAgB,QAErC3L,EAAImiD,aAAax2C,IAAI,KAA2B,IAAtB,KAAKs2C,aAAwB,IAAM,KACtDjiD,EAAIiC,IACf,CACA,MAAOnB,GACH,OAAO,IACX,CACJ,EACAshD,WAAAA,GACI,YkCrEgDjkD,IlCqEhC,KAAK2hB,OkCrEjB0rB,WAAW,6BlCsEJ6W,GAEJ,IACX,EACAC,aAAAA,GAAgB,IAAAC,EAAAC,EAAAC,EAAAC,EACZ,GAAI,KAAK5iC,OAAOnd,OAAS8kC,GAAAA,GAASC,OAC9B,OAAO,KAGX,GAAkD,KAAnC,QAAX6a,EAAA,KAAKziC,cAAM,IAAAyiC,GAAY,QAAZA,EAAXA,EAAa/W,kBAAU,IAAA+W,OAAA,EAAvBA,EAA0B,iBAC1B,OAAOd,GAGX,GAAe,QAAfe,EAAI,KAAK1iC,cAAM,IAAA0iC,GAAY,QAAZA,EAAXA,EAAahX,kBAAU,IAAAgX,GAAvBA,EAA0B,UAC1B,OAAOZ,GAGX,MAAMe,EAAaznD,OAAO6O,QAAkB,QAAX04C,EAAA,KAAK3iC,cAAM,IAAA2iC,GAAY,QAAZA,EAAXA,EAAajX,kBAAU,IAAAiX,OAAA,EAAvBA,EAA0B,iBAAkB,CAAC,GAAG5qC,OACjF,GAAI8qC,EAAWpf,MAAK5gC,GAAQA,IAASigD,GAAAA,EAAUC,iBAAmBlgD,IAASigD,GAAAA,EAAUE,mBACjF,OAAOpB,GAAAA,EAGX,GAAIiB,EAAWtlD,OAAS,EACpB,OAAO+jD,GAEX,OAAmB,QAAnBsB,EAAQ,KAAK5iC,cAAM,IAAA4iC,GAAY,QAAZA,EAAXA,EAAalX,kBAAU,IAAAkX,OAAA,EAAvBA,EAA0B,eAC9B,IAAK,WACL,IAAK,mBACD,OAAOf,GACX,IAAK,QACD,OAAOR,GAAAA,EACX,IAAK,aACD,OAAOE,GAEf,OAAO,IACX,GAEJhnB,QAAS,CAELgO,KAAAA,GAEI,KAAKwZ,sBAAmB1jD,EACpB,KAAK64C,MAAMC,aACX,KAAKD,MAAMC,WAAW8L,IAAM,GAEpC,EACAC,iBAAAA,CAAkBlnD,GAAO,IAAAmnD,EAEK,MAAV,QAAZA,EAAAnnD,EAAMsG,cAAM,IAAA6gD,OAAA,EAAZA,EAAcF,OAGlB,KAAKlB,kBAAmB,EAC5B,EACAloB,EAACA,GAAAA,MmCtIT,IAXgB,QACd,InCRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,OAAO,CAACG,YAAY,wBAAwB,CAAsB,WAApBJ,EAAI7V,OAAOnd,KAAmB,CAAEgzB,EAAIkiB,SAAUliB,EAAIutB,GAAG,GAAG,CAACvtB,EAAIutB,GAAG,GAAGvtB,EAAIQ,GAAG,KAAMR,EAAI2sB,cAAe1sB,EAAGD,EAAI2sB,cAAc,CAAC3+B,IAAI,cAAcoS,YAAY,iCAAiCJ,EAAI1jB,OAAQ0jB,EAAIusB,aAAuC,IAAzBvsB,EAAIksB,iBAA2BjsB,EAAG,MAAM,CAACra,IAAI,aAAawa,YAAY,+BAA+B/Q,MAAM,CAAC,wCAAiE,IAAzB2Q,EAAIksB,kBAA4BhjC,MAAM,CAAC,IAAM,GAAG,QAAU,OAAO,IAAM8W,EAAIusB,YAAY5jD,GAAG,CAAC,MAAQq3B,EAAIqtB,kBAAkB,KAAO,SAAShtB,GAAQL,EAAIksB,kBAAmB,CAAK,KAAKlsB,EAAIutB,GAAG,GAAGvtB,EAAIQ,GAAG,KAAMR,EAAIosB,WAAYnsB,EAAG,OAAO,CAACG,YAAY,iCAAiC,CAACJ,EAAIutB,GAAG,IAAI,GAAGvtB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIysB,YAAaxsB,EAAGD,EAAIysB,YAAY,CAACz+B,IAAI,cAAcoS,YAAY,oEAAoEJ,EAAI1jB,MAAM,EACl8B,GACsB,CAAC,WAAY,IAAa2jB,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMmgB,YAAmBpgB,EAAG,iBACvG,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMmgB,YAAmBpgB,EAAG,aAClF,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMmgB,YAAmBpgB,EAAG,WAClF,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMmgB,YAAmBpgB,EAAG,eAClF,ImCKE,EACA,KACA,KACA,MAI8B,QClByN,ICe1O6d,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,YACN2X,WAAY,CACR8mC,oBAAmB,GACnB+H,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgB,GAChBC,WAAUA,GAAAA,GAEd3P,OAAQ,CACJ4P,IAEJ9mC,MAAO,CACH+mC,iBAAkB,CACd9gD,KAAMyV,QACNuE,SAAS,GAEb+mC,gBAAiB,CACb/gD,KAAMyV,QACNuE,SAAS,GAEbgnC,QAAS,CACLhhD,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAMM,CACHkpC,iBANqB9C,KAOrBrC,cANkBjB,KAOlBkB,WANe7N,KAOfoQ,cANkBD,KAOlBrC,eANmBjM,OAS3B9O,SAAU,CAKN2qB,YAAAA,GAOI,MAAO,IANc,KAAKnL,WACpB,CAAC,EACD,CACEoL,UAAW,KAAKxJ,YAChBxC,SAAU,KAAK1C,YAInB2O,YAAa,KAAKtK,aAClBuK,UAAW,KAAK7J,YAChB8J,QAAS,KAAKlJ,UACdmJ,KAAM,KAAK3O,OAEnB,EACA4O,OAAAA,GAAU,IAAAvP,EAEN,OAAI,KAAK5B,eAAiB,KAAO,KAAK4Q,QAC3B,IAEY,QAAhBhP,EAAA,KAAK/V,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBuP,UAAW,EACxC,EACA74C,IAAAA,GACI,MAAMA,EAAO0rC,SAAS,KAAKj3B,OAAOzU,KAAM,KAAO,EAC/C,MAAoB,iBAATA,GAAqBA,EAAO,EAC5B,KAAKsuB,EAAE,QAAS,YAEpBJ,EAAAA,GAAAA,IAAeluB,GAAM,EAChC,EACA84C,WAAAA,GACI,MACM94C,EAAO0rC,SAAS,KAAKj3B,OAAOzU,KAAM,KAAO,EAC/C,IAAKA,GAAQA,EAAO,EAChB,MAAO,CAAC,EAEZ,MAAM+4C,EAAQ50B,KAAK60B,MAAM70B,KAAKiM,IAAI,IAAK,IAAMjM,KAAK80B,IAAK,KAAKxkC,OAAOzU,KAL5C,SAKoE,KAC3F,MAAO,CACHhE,MAAK,6CAAArK,OAA+ConD,EAAK,qCAEjE,EACAG,YAAAA,GAAe,IAAAC,EAAAC,EACX,MAAMC,EAAiB,QACjB1X,EAAyB,QAApBwX,EAAG,KAAK1kC,OAAOktB,aAAK,IAAAwX,GAAS,QAATC,EAAjBD,EAAmB/hB,eAAO,IAAAgiB,OAAA,EAA1BA,EAAA5nD,KAAA2nD,GACd,IAAKxX,EACD,MAAO,CAAC,EAGZ,MAAMoX,EAAQ50B,KAAK60B,MAAM70B,KAAKiM,IAAI,IAAK,KAAOipB,GAAkBt3C,KAAKjG,MAAQ6lC,IAAU0X,IACvF,OAAIN,EAAQ,EACD,CAAC,EAEL,CACH/8C,MAAK,6CAAArK,OAA+ConD,EAAK,qCAEjE,EACAO,UAAAA,GACI,OAAI,KAAK7kC,OAAOktB,OACL4X,EAAAA,GAAAA,GAAO,KAAK9kC,OAAOktB,OAAO6X,OAAO,OAErC,EACX,EAIAx/B,QAAAA,GAAW,IAAAwzB,EAAAC,EACP,OAAO,KAAK7S,UAA6B,QAAvB4S,EAAK,KAAKb,qBAAa,IAAAa,GAAU,QAAVC,EAAlBD,EAAoB15C,gBAAQ,IAAA25C,OAAA,EAA5BA,EAAAj8C,KAAAg8C,GAC3B,GAEJxe,QAAS,CACLd,eAAcA,GAAAA,MChHtB,IAXgB,QACd,IDRW,WAAkB,IAAI5D,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,KAAKD,EAAImvB,GAAG,CAAC/uB,YAAY,kBAAkB/Q,MAAM,CAClJ,4BAA6B2Q,EAAIkiB,SACjC,2BAA4BliB,EAAI0iB,UAChC,0BAA2B1iB,EAAItQ,UAC9BxG,MAAM,CAAC,yBAAyB,GAAG,gCAAgC8W,EAAIsQ,OAAO,8BAA8BtQ,EAAI7V,OAAO2qB,SAAS,UAAY9U,EAAIojB,UAAUpjB,EAAIiuB,cAAc,CAAEjuB,EAAI7V,OAAO0rB,WAAW4B,OAAQxX,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,OAAS8W,EAAIsQ,OAAO,aAAatQ,EAAI0iB,UAAU,MAAQ1iB,EAAI8P,MAAM,OAAS9P,EAAI7V,UAAU6V,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,8BAA8B,KAAK,CAAC+W,EAAG,mBAAmB,CAACra,IAAI,UAAUsD,MAAM,CAAC,OAAS8W,EAAI7V,OAAO,SAAW6V,EAAIkiB,UAAU3B,SAAS,CAAC,MAAQ,SAASlgB,GAAQ,OAAOL,EAAImkB,kBAAkB17C,MAAM,KAAMH,UAAU,KAAK03B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACra,IAAI,OAAOsD,MAAM,CAAC,eAAe8W,EAAI0P,YAAY,UAAY1P,EAAI2iB,UAAU,mBAAmB3iB,EAAIod,eAAe,MAAQpd,EAAI8P,MAAM,OAAS9P,EAAI7V,QAAQxhB,GAAG,CAAC,MAAQq3B,EAAImkB,sBAAsB,GAAGnkB,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACgrB,WAAW,CAAC,CAACjkD,KAAK,OAAOkkD,QAAQ,SAAS97C,OAAQ4wB,EAAI+iB,sBAAuBoI,WAAW,2BAA2BvlC,IAAI,UAAUyJ,MAAK,2BAAAhoB,OAA4B24B,EAAIyiB,UAAWv5B,MAAM,CAAC,mBAAmB8W,EAAIod,eAAe,QAAUpd,EAAIiiB,QAAQ,OAASjiB,EAAIqjB,WAAW,OAASrjB,EAAI7V,QAAQxhB,GAAG,CAAC,iBAAiB,SAAS03B,GAAQL,EAAIiiB,QAAQ5hB,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAIqjB,WAAWhjB,CAAM,KAAKL,EAAIQ,GAAG,MAAOR,EAAIguB,SAAWhuB,EAAI+tB,gBAAiB9tB,EAAG,KAAK,CAACG,YAAY,uBAAuBhK,MAAO4J,EAAIwuB,YAAatlC,MAAM,CAAC,8BAA8B,IAAIvgB,GAAG,CAAC,MAAQq3B,EAAIokB,yBAAyB,CAACnkB,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAItqB,WAAWsqB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,MAAOR,EAAIguB,SAAWhuB,EAAI8tB,iBAAkB7tB,EAAG,KAAK,CAACG,YAAY,wBAAwBhK,MAAO4J,EAAI4uB,aAAc1lC,MAAM,CAAC,+BAA+B,IAAIvgB,GAAG,CAAC,MAAQq3B,EAAIokB,yBAAyB,CAACnkB,EAAG,aAAa,CAAC/W,MAAM,CAAC,UAAY8W,EAAI7V,OAAOktB,MAAM,kBAAiB,MAAS,GAAGrX,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIuuB,SAAS,SAASa,GAAO,IAAAC,EAAC,OAAOpvB,EAAG,KAAK,CAAC/wB,IAAIkgD,EAAOx/C,GAAGwwB,YAAY,gCAAgC/Q,MAAK,mBAAAhoB,OAAmC,QAAnCgoD,EAAoBrvB,EAAIiJ,mBAAW,IAAAomB,OAAA,EAAfA,EAAiBz/C,GAAE,KAAAvI,OAAI+nD,EAAOx/C,IAAKsZ,MAAM,CAAC,uCAAuCkmC,EAAOx/C,IAAIjH,GAAG,CAAC,MAAQq3B,EAAIokB,yBAAyB,CAACnkB,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,OAASmmB,EAAOnoC,OAAO,OAAS+Y,EAAI7V,WAAW,EAAE,KAAI,EACjvE,GACsB,ICKpB,EACA,KACA,KACA,MAI8B,QClB6N,ICW9O2zB,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,gBACN2X,WAAY,CACR6uC,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgBA,IAEpB1P,OAAQ,CACJ4P,IAEJyB,cAAc,EACdl1C,MAAKA,KAMM,CACHkpC,iBANqB9C,KAOrBrC,cANkBjB,KAOlBkB,WANe7N,KAOfoQ,cANkBD,KAOlBrC,eANmBjM,OAS3BliC,KAAIA,KACO,CACHiyC,UAAU,MCrBtB,IAXgB,QACd,IDRW,WAAkB,IAAIniB,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,KAAK,CAACG,YAAY,kBAAkB/Q,MAAM,CAAC,0BAA2B2Q,EAAItQ,SAAU,4BAA6BsQ,EAAIkiB,SAAU,2BAA4BliB,EAAI0iB,WAAWx5B,MAAM,CAAC,yBAAyB,GAAG,gCAAgC8W,EAAIsQ,OAAO,8BAA8BtQ,EAAI7V,OAAO2qB,SAAS,UAAY9U,EAAIojB,SAASz6C,GAAG,CAAC,YAAcq3B,EAAI6jB,aAAa,SAAW7jB,EAAIwf,WAAW,UAAYxf,EAAIukB,YAAY,UAAYvkB,EAAI0kB,YAAY,QAAU1kB,EAAImlB,UAAU,KAAOnlB,EAAI2f,SAAS,CAAE3f,EAAI7V,OAAO0rB,WAAW4B,OAAQxX,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,OAAS8W,EAAIsQ,OAAO,aAAatQ,EAAI0iB,UAAU,MAAQ1iB,EAAI8P,MAAM,OAAS9P,EAAI7V,UAAU6V,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,8BAA8B,KAAK,CAAC+W,EAAG,mBAAmB,CAACra,IAAI,UAAUsD,MAAM,CAAC,SAAW8W,EAAIkiB,SAAS,aAAY,EAAK,OAASliB,EAAI7V,QAAQo2B,SAAS,CAAC,MAAQ,SAASlgB,GAAQ,OAAOL,EAAImkB,kBAAkB17C,MAAM,KAAMH,UAAU,KAAK03B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACra,IAAI,OAAOsD,MAAM,CAAC,eAAe8W,EAAI0P,YAAY,UAAY1P,EAAI2iB,UAAU,mBAAmB3iB,EAAIod,eAAe,aAAY,EAAK,MAAQpd,EAAI8P,MAAM,OAAS9P,EAAI7V,QAAQxhB,GAAG,CAAC,MAAQq3B,EAAImkB,sBAAsB,GAAGnkB,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACra,IAAI,UAAUyJ,MAAK,2BAAAhoB,OAA4B24B,EAAIyiB,UAAWv5B,MAAM,CAAC,mBAAmB8W,EAAIod,eAAe,aAAY,EAAK,QAAUpd,EAAIiiB,QAAQ,OAASjiB,EAAIqjB,WAAW,OAASrjB,EAAI7V,QAAQxhB,GAAG,CAAC,iBAAiB,SAAS03B,GAAQL,EAAIiiB,QAAQ5hB,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAIqjB,WAAWhjB,CAAM,MAAM,EACxpD,GACsB,ICSpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAMA,MCN+P,GDM/P,CACIr5B,KAAM,kBACN+f,MAAO,CACHwoC,OAAQ,CACJviD,KAAMzH,OACNwoB,UAAU,GAEdyhC,cAAe,CACXxiD,KAAMzH,OACNwoB,UAAU,GAEdkb,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,IAGlBuV,SAAU,CACNuM,OAAAA,GACI,OAAO,KAAK0f,OAAO1f,QAAQ,KAAK2f,cAAe,KAAKvmB,YACxD,GAEJO,MAAO,CACHqG,OAAAA,CAAQA,GACCA,GAGL,KAAK0f,OAAOz1B,QAAQ,KAAK01B,cAAe,KAAKvmB,YACjD,EACAumB,aAAAA,GACI,KAAKD,OAAOz1B,QAAQ,KAAK01B,cAAe,KAAKvmB,YACjD,GAEJ5E,OAAAA,GACIt5B,GAAQ4+B,MAAM,UAAW,KAAK4lB,OAAO3/C,IACrC,KAAK2/C,OAAOtoC,OAAO,KAAKo6B,MAAMoO,MAAO,KAAKD,cAAe,KAAKvmB,YAClE,GEvBJ,IAXgB,QACd,IFRW,WAAkB,IAAIjJ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,MAAM,CAACgrB,WAAW,CAAC,CAACjkD,KAAK,OAAOkkD,QAAQ,SAAS97C,MAAO4wB,EAAI6P,QAASsb,WAAW,YAAY97B,MAAK,sBAAAhoB,OAAuB24B,EAAIuvB,OAAO3/C,KAAM,CAACqwB,EAAG,OAAO,CAACra,IAAI,WAC/N,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBoO,GCKrPyY,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,uBACN2X,WAAY,CAAC,EACboI,MAAO,CACH+mC,iBAAkB,CACd9gD,KAAMyV,QACNuE,SAAS,GAEb+mC,gBAAiB,CACb/gD,KAAMyV,QACNuE,SAAS,GAEb8oB,MAAO,CACH9iC,KAAMpF,MACNmmB,UAAU,GAEdkzB,QAAS,CACLj0C,KAAME,OACN8Z,QAAS,IAEbo2B,eAAgB,CACZpwC,KAAMiU,OACN+F,QAAS,IAGjB5M,KAAAA,GACI,MAAMm3B,EAAaD,KAEnB,MAAO,CACH8M,WAFe7N,KAGfgB,aAER,EACAjO,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAYyI,MAC5B,EACAtH,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACAuhD,aAAAA,GAAgB,IAAAxQ,EACZ,GAAqB,QAAjBA,EAAC,KAAK/V,mBAAW,IAAA+V,IAAhBA,EAAkBpvC,GACnB,OAEJ,GAAiB,MAAb,KAAK26B,IACL,OAAO,KAAK6T,WAAWvN,QAAQ,KAAK5H,YAAYr5B,IAEpD,MAAMyvC,EAAS,KAAK9N,WAAWE,QAAQ,KAAKxI,YAAYr5B,GAAI,KAAK26B,KACjE,OAAO,KAAK6T,WAAW1N,QAAQ2O,EACnC,EACAkP,OAAAA,GAAU,IAAAzO,EAEN,OAAI,KAAK1C,eAAiB,IACf,IAEY,QAAhB0C,EAAA,KAAK7W,mBAAW,IAAA6W,OAAA,EAAhBA,EAAkByO,UAAW,EACxC,EACArN,SAAAA,GAAY,IAAAwO,EAER,OAAsB,QAAtBA,EAAI,KAAKF,qBAAa,IAAAE,GAAlBA,EAAoBh6C,MACbkuB,EAAAA,GAAAA,IAAe,KAAK4rB,cAAc95C,MAAM,IAG5CkuB,EAAAA,GAAAA,IAAe,KAAKkM,MAAM7/B,QAAO,CAACkxC,EAAO71C,IAAS61C,EAAQ71C,EAAKoK,MAAQ,GAAG,IAAI,EACzF,GAEJgvB,QAAS,CACLirB,cAAAA,CAAeP,GACX,MAAO,CACH,iCAAiC,EACjC,oBAAA/nD,OAAoB,KAAK4hC,YAAYr5B,GAAE,KAAAvI,OAAI+nD,EAAOx/C,MAAO,EAEjE,EACAo0B,EAAGqB,GAAAA,sBCpEP,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,KAAK,CAACA,EAAG,KAAK,CAACG,YAAY,4BAA4B,CAACH,EAAG,OAAO,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,4BAA4BhE,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,OAAO,CAACG,YAAY,yBAAyBJ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIihB,cAAcjhB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAI+tB,gBAAiB9tB,EAAG,KAAK,CAACG,YAAY,2CAA2C,CAACH,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIkhB,gBAAgBlhB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAI8tB,iBAAkB7tB,EAAG,KAAK,CAACG,YAAY,6CAA6CJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIuuB,SAAS,SAASa,GAAO,IAAAQ,EAAC,OAAO3vB,EAAG,KAAK,CAAC/wB,IAAIkgD,EAAOx/C,GAAGyf,MAAM2Q,EAAI2vB,eAAeP,IAAS,CAACnvB,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAiB,QAAfk8C,EAACR,EAAOnO,eAAO,IAAA2O,OAAA,EAAdA,EAAA1oD,KAAAkoD,EAAiBpvB,EAAI8P,MAAO9P,EAAIiJ,kBAAkB,KAAI,EACt6B,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,2BCyBA,SAAe5K,GAAAA,GAAIza,OAAO,CACtB0f,SAAU,KpK+vDI9lB,GoK9vDEmjB,GpK8vDQkvB,GoK9vDY,CAAC,YAAa,eAAgB,0BpK+vD3DjoD,MAAMoI,QAAQ6/C,IACfA,GAAa5/C,QAAO,CAAC6/C,EAAS5gD,KAC5B4gD,EAAQ5gD,GAAO,WACX,OAAOsO,GAASxX,KAAKkY,QAAQhP,EACjC,EACO4gD,IACR,CAAC,GACFvqD,OAAO4K,KAAK0/C,IAAc5/C,QAAO,CAAC6/C,EAAS5gD,KAEzC4gD,EAAQ5gD,GAAO,WACX,MAAMS,EAAQ6N,GAASxX,KAAKkY,QACtB6xC,EAAWF,GAAa3gD,GAG9B,MAA2B,mBAAb6gD,EACRA,EAAS7oD,KAAKlB,KAAM2J,GACpBA,EAAMogD,EAChB,EACOD,IACR,CAAC,IoKjxDJ7mB,WAAAA,GACI,OAAOjjC,KAAKojC,YAAYyI,MAC5B,EAIAme,WAAAA,GAAc,IAAAC,EAAAjR,EACV,OAA0C,QAAnCiR,EAAAjqD,KAAK46B,UAAU56B,KAAKijC,YAAYr5B,WAAG,IAAAqgD,OAAA,EAAnCA,EAAqCC,gBACrB,QADiClR,EACjDh5C,KAAKijC,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBmR,iBAClB,UACX,EAIAC,YAAAA,GAAe,IAAAC,EAEX,MAA4B,UADgC,QAAtCA,EAAGrqD,KAAK46B,UAAU56B,KAAKijC,YAAYr5B,WAAG,IAAAygD,OAAA,EAAnCA,EAAqCjvB,kBAElE,GAEJsD,QAAS,CACL4rB,YAAAA,CAAaphD,GAELlJ,KAAKgqD,cAAgB9gD,EAKzBlJ,KAAKi7B,aAAa/xB,EAAKlJ,KAAKijC,YAAYr5B,IAJpC5J,KAAKk7B,uBAAuBl7B,KAAKijC,YAAYr5B,GAKrD,KCxDkQ,ICM3PkuC,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,6BACN2X,WAAY,CACR4xC,SAAQ,KACRC,OAAM,KACNC,SAAQA,GAAAA,GAEZxS,OAAQ,CACJyS,IAEJ3pC,MAAO,CACH/f,KAAM,CACFgG,KAAME,OACN6gB,UAAU,GAEdoP,KAAM,CACFnwB,KAAME,OACN6gB,UAAU,IAGlB2W,QAAS,CACLV,EAAGqB,GAAAA,MtK8vDX,IAAkB7nB,GAAUqyC,euK9wDxB,GAAU,CAAC,EAEf,GAAQvqB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,WAAW,CAAC5Q,MAAM,CAAC,iCAAkC,CACtJ,yCAA0C2Q,EAAIgwB,cAAgBhwB,EAAI7C,KAClE,uCAA4D,SAApB6C,EAAIgwB,cAC1C9mC,MAAM,CAAC,UAAyB,SAAb8W,EAAI7C,KAAkB,MAAQ,gBAAgB,KAAO,YAAYx0B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIswB,aAAatwB,EAAI7C,KAAK,GAAGoL,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIgwB,cAAgBhwB,EAAI7C,MAAQ6C,EAAIowB,aAAcnwB,EAAG,SAAS,CAACG,YAAY,wCAAwCH,EAAG,WAAW,CAACG,YAAY,wCAAwC,EAAEpsB,OAAM,MAAS,CAACgsB,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,uCAAuC,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIh5B,UACrf,GACsB,IEOpB,EACA,KACA,WACA,MAI8B,QCnBoO,INQrP82C,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,uBACN2X,WAAY,CACRgyC,2BAA0B,GAC1B9pB,sBAAqBA,GAAAA,GAEzBoX,OAAQ,CACJyS,IAEJ3pC,MAAO,CACH+mC,iBAAkB,CACd9gD,KAAMyV,QACNuE,SAAS,GAEb+mC,gBAAiB,CACb/gD,KAAMyV,QACNuE,SAAS,GAEb8oB,MAAO,CACH9iC,KAAMpF,MACNmmB,UAAU,GAEdqvB,eAAgB,CACZpwC,KAAMiU,OACN+F,QAAS,IAGjB5M,MAAKA,KAGM,CACHgkC,WAHe7N,KAIf8N,eAHmBjM,OAM3B9O,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAYyI,MAC5B,EACA0c,OAAAA,GAAU,IAAAvP,EAEN,OAAI,KAAK5B,eAAiB,IACf,IAEY,QAAhB4B,EAAA,KAAK/V,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBuP,UAAW,EACxC,EACAhkB,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACA2iD,aAAAA,GACI,MAAM/gD,GAAQm0B,EAAAA,GAAAA,IAAE,QAAS,8CACzB,MAAO,CACH,aAAcn0B,EACdghD,QAAS,KAAKC,cACdC,cAAe,KAAKC,eACpB1jD,MAAOuC,EAEf,EACAohD,aAAAA,GACI,OAAO,KAAK5S,eAAehM,QAC/B,EACAye,aAAAA,GACI,OAAO,KAAKG,cAAcvpD,SAAW,KAAKooC,MAAMpoC,MACpD,EACAwpD,cAAAA,GACI,OAAqC,IAA9B,KAAKD,cAAcvpD,MAC9B,EACAspD,cAAAA,GACI,OAAQ,KAAKF,gBAAkB,KAAKI,cACxC,GAEJxsB,QAAS,CACLysB,eAAAA,CAAgBh0B,GACZ,OAAI,KAAK6yB,cAAgB7yB,EACd,KAAKizB,aAAe,YAAc,aAEtC,IACX,EACAT,cAAAA,CAAeP,GAAQ,IAAAtP,EACnB,MAAO,CACH,sBAAsB,EACtB,iCAAkCsP,EAAOruC,KACzC,iCAAiC,EACjC,oBAAA1Z,OAAoC,QAApCy4C,EAAoB,KAAK7W,mBAAW,IAAA6W,OAAA,EAAhBA,EAAkBlwC,GAAE,KAAAvI,OAAI+nD,EAAOx/C,MAAO,EAElE,EACAwhD,WAAAA,CAAY/e,GACR,GAAIA,EAAU,CACV,MAAMG,EAAY,KAAK1C,MAAM56B,KAAI5J,GAAQA,EAAKglC,SAAQr7B,OAAOwN,SAC7D0iB,GAAOwE,MAAM,+BAAgC,CAAE6I,cAC/C,KAAK6L,eAAe5L,aAAa,MACjC,KAAK4L,eAAeroC,IAAIw8B,EAC5B,MAEIrN,GAAOwE,MAAM,qBACb,KAAK0U,eAAe3L,OAE5B,EACA6V,cAAAA,GACI,KAAKlK,eAAe3L,OACxB,EACA1O,EAACA,GAAAA,sBOnGL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IRTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,KAAK,CAACG,YAAY,8CAA8Cz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAIwoB,GAAGnoB,EAAOooB,QAAQ,MAAM,GAAGpoB,EAAOnxB,IAAI,CAAC,MAAM,YAA0BmxB,EAAOhQ,SAASgQ,EAAO/P,UAAU+P,EAAOjQ,QAAQiQ,EAAOlQ,QAA/D,KAA0F6P,EAAIuoB,eAAe9/C,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,wBAAwBD,EAAIG,GAAG,CAACx3B,GAAG,CAAC,iBAAiBq3B,EAAIoxB,cAAc,wBAAwBpxB,EAAI4wB,eAAc,KAAS,GAAG5wB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uEAAuElX,MAAM,CAAC,YAAY8W,EAAImxB,gBAAgB,cAAc,CAAClxB,EAAG,OAAO,CAACG,YAAY,yBAAyBJ,EAAIQ,GAAG,KAAKP,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,QAAQ,KAAO,eAAe,GAAGhE,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAI+tB,gBAAiB9tB,EAAG,KAAK,CAACG,YAAY,0CAA0C/Q,MAAM,CAAE,+BAAgC2Q,EAAI+tB,iBAAkB7kC,MAAM,CAAC,YAAY8W,EAAImxB,gBAAgB,UAAU,CAAClxB,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,QAAQ,KAAO,WAAW,GAAGhE,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAI8tB,iBAAkB7tB,EAAG,KAAK,CAACG,YAAY,2CAA2C/Q,MAAM,CAAE,+BAAgC2Q,EAAI8tB,kBAAmB5kC,MAAM,CAAC,YAAY8W,EAAImxB,gBAAgB,WAAW,CAAClxB,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,KAAO,YAAY,GAAGhE,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIuuB,SAAS,SAASa,GAAQ,OAAOnvB,EAAG,KAAK,CAAC/wB,IAAIkgD,EAAOx/C,GAAGyf,MAAM2Q,EAAI2vB,eAAeP,GAAQlmC,MAAM,CAAC,YAAY8W,EAAImxB,gBAAgB/B,EAAOx/C,MAAM,CAAIw/C,EAAOruC,KAAMkf,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAOkmC,EAAO9hD,MAAM,KAAO8hD,EAAOx/C,MAAMqwB,EAAG,OAAO,CAACD,EAAIQ,GAAG,WAAWR,EAAItsB,GAAG07C,EAAO9hD,OAAO,aAAa,EAAE,KAAI,EAC74D,GACsB,IQUpB,EACA,KACA,WACA,MAI8B,QCnBhC,uCAIA,MCJ2P,GDI5O+wB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,cACNi3C,OAAQ,CAACC,IACTn3B,MAAO,CACHsqC,cAAe,CACXrkD,KAAM,CAACzH,OAAQwgC,UACfhY,UAAU,GAEdujC,QAAS,CACLtkD,KAAME,OACN6gB,UAAU,GAEdwjC,YAAa,CACTvkD,KAAMpF,MACNmmB,UAAU,GAEdyjC,WAAY,CACRxkD,KAAMzH,OACNyhB,QAASA,KAAA,CAAS,IAEtByqC,cAAe,CACXzkD,KAAMiU,OACN+F,QAAS,GAEbm7B,SAAU,CACNn1C,KAAMyV,QACNuE,SAAS,GAKb0qC,QAAS,CACL1kD,KAAME,OACN8Z,QAAS,KAGjB9W,IAAAA,GACI,MAAO,CACH2S,MAAO,KAAK4uC,cACZE,aAAc,EACdC,aAAc,EACdC,YAAa,EACbC,eAAgB,KAExB,EACAxuB,SAAU,CAENyuB,OAAAA,GACI,OAAO,KAAKF,YAAc,CAC9B,EAEAG,WAAAA,GACI,OAAI,KAAK7P,SACE,KAAK8P,YAET,CACX,EACAC,UAAAA,GAGI,OAAO,KAAK/P,SAAY,IAAiB,EAC7C,EAEAgQ,UAASA,IAEE,IAEXC,QAAAA,GACI,OAAOv4B,KAAKw4B,MAAM,KAAKR,YAAc,KAAKD,cAAgB,KAAKM,YAAe,KAAKF,YAAc,KAAKC,YAAe,EAAI,CAC7H,EACAA,WAAAA,GACI,OAAK,KAAK9P,SAGHtoB,KAAKy4B,MAAM,KAAKlV,eAAiB,KAAK+U,WAFlC,CAGf,EACAI,UAAAA,GACI,OAAO14B,KAAKD,IAAI,EAAG,KAAK/W,MAAQ,KAAKmvC,YACzC,EACAQ,UAAAA,GAEI,OAAI,KAAKrQ,SACE,KAAKiQ,SAAW,KAAKH,YAEzB,KAAKG,QAChB,EACAK,aAAAA,GACI,IAAK,KAAKV,QACN,MAAO,GAEX,MAAMpW,EAAQ,KAAK4V,YAAYpqD,MAAM,KAAKorD,WAAY,KAAKA,WAAa,KAAKC,YAEvEE,EADW/W,EAAM1mC,QAAO7B,GAAQ7N,OAAO6O,OAAO,KAAKu+C,gBAAgB7jD,SAASsE,EAAK,KAAKk+C,YAC9Dp8C,KAAI9B,GAAQA,EAAK,KAAKk+C,WAC9CsB,EAAartD,OAAO4K,KAAK,KAAKwiD,gBAAgB19C,QAAO/F,IAAQwjD,EAAa5jD,SAAS,KAAK6jD,eAAezjD,MAC7G,OAAOysC,EAAMzmC,KAAI9B,IACb,MAAMyP,EAAQtd,OAAO6O,OAAO,KAAKu+C,gBAAgBt5C,QAAQjG,EAAK,KAAKk+C,UAEnE,IAAe,IAAXzuC,EACA,MAAO,CACH3T,IAAK3J,OAAO4K,KAAK,KAAKwiD,gBAAgB9vC,GACtCzP,QAIR,MAAMlE,EAAM0jD,EAAWlpC,OAASmQ,KAAKg5B,SAASrpD,SAAS,IAAIuiB,OAAO,GAElE,OADA,KAAK4mC,eAAezjD,GAAOkE,EAAK,KAAKk+C,SAC9B,CAAEpiD,MAAKkE,OAAM,GAE5B,EACA0/C,UAAAA,GACI,MAAMC,EAAiB,KAAKR,WAAa,KAAKH,SAAW,KAAKb,YAAY7pD,OACpEsrD,EAAY,KAAKzB,YAAY7pD,OAAS,KAAK6qD,WAAa,KAAKC,WAC7DS,EAAmBp5B,KAAKy4B,MAAMz4B,KAAKiM,IAAI,KAAKyrB,YAAY7pD,OAAS,KAAK6qD,WAAYS,GAAa,KAAKf,aAC1G,MAAO,CACHiB,WAAU,GAAA7rD,OAAKwyB,KAAKy4B,MAAM,KAAKC,WAAa,KAAKN,aAAe,KAAKC,WAAU,MAC/EiB,cAAeJ,EAAiB,EAAC,GAAA1rD,OAAM4rD,EAAmB,KAAKf,WAAU,MAEjF,GAEJ1oB,MAAO,CACHioB,aAAAA,CAAc5uC,GACV,KAAKwT,SAASxT,EAClB,EACAovC,WAAAA,CAAYA,EAAamB,GACE,IAAnBA,EAQJ,KAAK/8B,SAAS,KAAKxT,OALf9X,GAAQ4+B,MAAM,iDAMtB,GAEJtF,OAAAA,GAAU,IAAAsf,EAAA0P,EACN,MAAMC,EAAmB,QAAb3P,EAAG,KAAKtC,aAAK,IAAAsC,OAAA,EAAVA,EAAY2P,OACrBtjB,EAAO,KAAKhK,IACZutB,EAAkB,QAAbF,EAAG,KAAKhS,aAAK,IAAAgS,OAAA,EAAVA,EAAYE,MAC1B,KAAKzB,eAAiB,IAAIrU,gBAAe+V,EAAAA,GAAAA,WAAS,KAAM,IAAAC,EAAAC,EAAAC,EACpD,KAAKhC,aAAmC,QAAvB8B,EAAGH,aAAM,EAANA,EAAQM,oBAAY,IAAAH,EAAAA,EAAI,EAC5C,KAAK7B,aAAkC,QAAtB8B,EAAGH,aAAK,EAALA,EAAOK,oBAAY,IAAAF,EAAAA,EAAI,EAC3C,KAAK7B,YAAgC,QAArB8B,EAAG3jB,aAAI,EAAJA,EAAM4jB,oBAAY,IAAAD,EAAAA,EAAI,EACzCxuB,GAAOwE,MAAM,uCACb,KAAKkqB,UAAU,GAChB,KAAK,IACR,KAAK/B,eAAelU,QAAQ0V,GAC5B,KAAKxB,eAAelU,QAAQ5N,GAC5B,KAAK8hB,eAAelU,QAAQ2V,GACxB,KAAK9B,eACL,KAAKp7B,SAAS,KAAKo7B,eAGvB,KAAKzrB,IAAI5R,iBAAiB,SAAU,KAAKy/B,SAAU,CAAEC,SAAS,IAC9D,KAAKnB,eAAiB,CAAC,CAC3B,EACA5qB,aAAAA,GACQ,KAAK+pB,gBACL,KAAKA,eAAejU,YAE5B,EACAnZ,QAAS,CACLrO,QAAAA,CAASxT,GACL,MAAMkxC,EAAYl6B,KAAKw4B,KAAK,KAAKd,YAAY7pD,OAAS,KAAKuqD,aAC3D,GAAI8B,EAAY,KAAK3B,SAEjB,YADAjtB,GAAOwE,MAAM,iDAAkD,CAAE9mB,QAAOkxC,YAAW3B,SAAU,KAAKA,WAGtG,KAAKvvC,MAAQA,EAEb,MAAMmxC,GAAan6B,KAAKy4B,MAAMzvC,EAAQ,KAAKovC,aAAe,IAAO,KAAKC,WAAa,KAAKP,aACxFxsB,GAAOwE,MAAM,mCAAqC9mB,EAAO,CAAEmxC,YAAW/B,YAAa,KAAKA,cACxF,KAAKjsB,IAAIguB,UAAYA,CACzB,EACAH,QAAAA,GAAW,IAAAI,EACa,QAApBA,EAAA,KAAKC,uBAAe,IAAAD,IAApB,KAAKC,gBAAoBC,uBAAsB,KAC3C,KAAKD,gBAAkB,KACvB,MAAME,EAAY,KAAKpuB,IAAIguB,UAAY,KAAKrC,aACtC9uC,EAAQgX,KAAKy4B,MAAM8B,EAAY,KAAKlC,YAAc,KAAKD,YAE7D,KAAKpvC,MAAQgX,KAAKD,IAAI,EAAG/W,GACzB,KAAKyd,MAAM,SAAS,IAE5B,KEzKR,IAXgB,QACd,IFRW,WAAkB,IAAIN,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,MAAM,CAACG,YAAY,aAAalX,MAAM,CAAC,qBAAqB,KAAK,CAAC+W,EAAG,MAAM,CAACra,IAAI,SAASwa,YAAY,sBAAsB,CAACJ,EAAIsgB,GAAG,WAAW,GAAGtgB,EAAIQ,GAAG,KAAQR,EAAIzQ,aAAa,kBAAmB0Q,EAAG,MAAM,CAACG,YAAY,6BAA6B,CAACJ,EAAIsgB,GAAG,mBAAmB,GAAGtgB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoB/Q,MAAM,CAAE,0CAA2C2Q,EAAIzQ,aAAa,oBAAqB,CAAEyQ,EAAI0xB,QAASzxB,EAAG,UAAU,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAI0xB,SAAS,YAAY1xB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACra,IAAI,QAAQwa,YAAY,oBAAoBlX,MAAM,CAAC,2BAA2B,KAAK,CAAC8W,EAAIsgB,GAAG,WAAW,GAAGtgB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoB/Q,MAAM2Q,EAAImiB,SAAW,0BAA4B,0BAA0B/rB,MAAO4J,EAAI8yB,WAAY5pC,MAAM,CAAC,2BAA2B,KAAK8W,EAAIsI,GAAItI,EAAIyyB,eAAe,SAAAjxB,EAAqBh6B,GAAE,IAAd,IAAC0H,EAAG,KAAEkE,GAAKouB,EAAI,OAAOvB,EAAGD,EAAIqxB,cAAcrxB,EAAIG,GAAG,CAACjxB,IAAIA,EAAI8e,IAAI,YAAY9E,MAAM,CAAC,OAAS9V,EAAK,MAAQ5L,IAAI,YAAYw4B,EAAIwxB,YAAW,GAAO,IAAG,GAAGxxB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACgrB,WAAW,CAAC,CAACjkD,KAAK,OAAOkkD,QAAQ,SAAS97C,MAAO4wB,EAAI+xB,QAAS5G,WAAW,YAAY/qB,YAAY,oBAAoBlX,MAAM,CAAC,2BAA2B,KAAK,CAAC8W,EAAIsgB,GAAG,WAAW,MAC30C,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QCJ1BxuC,IAAUyzC,EAAAA,GAAAA,MAChB,IAAezH,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,8BACN2X,WAAY,CACRgnC,UAAS,KACTD,eAAc,KACd9c,iBAAgB,KAChBid,cAAaA,GAAAA,GAEjB5H,OAAQ,CACJC,IAEJn3B,MAAO,CACHkiB,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,GAEdkjC,cAAe,CACXjkD,KAAMpF,MACNof,QAASA,IAAO,KAGxB5M,MAAKA,KAIM,CACHkpC,iBAJqB9C,KAKrBpC,WAJe7N,KAKf8N,eAJmBjM,OAO3BliC,KAAIA,KACO,CACH+xC,QAAS,OAGjB3e,SAAU,CACNiH,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACA83C,cAAAA,GACI,OAAOj0C,GACFmD,QAAOlD,GAAUA,EAAOypC,YACxBvmC,QAAOlD,IAAWA,EAAO89B,SAAW99B,EAAO89B,QAAQ,KAAKC,MAAO,KAAK7G,eACpEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,IACrD,EACAwG,KAAAA,GACI,OAAO,KAAKmhB,cACP/7C,KAAIo7B,GAAU,KAAKI,QAAQJ,KAC3Br7B,OAAOwN,QAChB,EACA4xC,mBAAAA,GACI,OAAO,KAAKvkB,MAAMlC,MAAKtiC,GAAQA,EAAKF,SAAW0tC,GAAAA,GAAWC,SAC9D,EACAsK,WAAY,CACR1vC,GAAAA,GACI,MAAwC,WAAjC,KAAK2vC,iBAAiB7C,MACjC,EACAzqC,GAAAA,CAAIyqC,GACA,KAAK6C,iBAAiB7C,OAASA,EAAS,SAAW,IACvD,GAEJ6T,aAAAA,GACI,OAAI,KAAKlX,eAAiB,IACf,EAEP,KAAKA,eAAiB,IACf,EAEP,KAAKA,eAAiB,KACf,EAEJ,CACX,GAEJ1Y,QAAS,CAOLgM,OAAAA,CAAQ2O,GACJ,OAAO,KAAKjB,WAAW1N,QAAQ2O,EACnC,EACA,mBAAM2H,CAAcj1C,GAChB,MAAM29B,EAAc39B,EAAO29B,YAAY,KAAKI,MAAO,KAAK7G,aAClDsrB,EAAe,KAAKtD,cAC1B,IAEI,KAAKhP,QAAUlwC,EAAOnC,GACtB,KAAKkgC,MAAMz7B,SAAQ/I,IACf+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAUwtC,GAAAA,GAAWC,QAAQ,IAG/C,MAAM/E,QAAgBjiC,EAAOypC,UAAU,KAAK1L,MAAO,KAAK7G,YAAa,KAAKsB,KAE1E,IAAKyJ,EAAQpG,MAAK7/B,GAAqB,OAAXA,IAGxB,YADA,KAAKswC,eAAe3L,QAIxB,GAAIsB,EAAQpG,MAAK7/B,IAAqB,IAAXA,IAAmB,CAE1C,MAAMymD,EAAYD,EACbt/C,QAAO,CAACq7B,EAAQztB,KAA6B,IAAnBmxB,EAAQnxB,KAEvC,GADA,KAAKw7B,eAAeroC,IAAIw+C,GACpBxgB,EAAQpG,MAAK7/B,GAAqB,OAAXA,IAGvB,OAGJ,YADAq3B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,2CAA4C,CAAE0L,gBAE5E,EAEArH,EAAAA,GAAAA,IAAY,KAAKrE,EAAE,QAAS,qDAAsD,CAAE0L,iBACpF,KAAK2O,eAAe3L,OACxB,CACA,MAAOvnC,GACHg6B,GAAOn6B,MAAM,+BAAgC,CAAE+G,SAAQ5G,OACvDi6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,gCAAiC,CAAE0L,gBACjE,CAAC,QAGG,KAAKuS,QAAU,KACf,KAAKnS,MAAMz7B,SAAQ/I,IACf+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,EAAU,GAE1C,CACJ,EACAw7B,EAAGqB,GAAAA,MCpJgQ,sBCWvQ,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OClB1D,IAAI,IAAY,QACd,IHTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,MAAM,CAACG,YAAY,oDAAoD,CAACH,EAAG,YAAY,CAACra,IAAI,cAAcsD,MAAM,CAAC,WAAa8W,EAAIiiB,SAAWjiB,EAAIq0B,oBAAoB,cAAa,EAAK,OAASr0B,EAAIs0B,cAAc,YAAYt0B,EAAIs0B,eAAiB,EAAIt0B,EAAIgE,EAAE,QAAS,WAAa,KAAK,KAAOhE,EAAIqjB,YAAY16C,GAAG,CAAC,cAAc,SAAS03B,GAAQL,EAAIqjB,WAAWhjB,CAAM,IAAIL,EAAIsI,GAAItI,EAAI+lB,gBAAgB,SAASh0C,GAAQ,OAAOkuB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGyf,MAAM,iCAAmCtd,EAAOnC,GAAGjH,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIgnB,cAAcj1C,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIiiB,UAAYlwC,EAAOnC,GAAIqwB,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,MAAM+W,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAMnX,EAAO49B,cAAc3P,EAAI8P,MAAO9P,EAAIiJ,gBAAgB,EAAEj1B,OAAM,IAAO,MAAK,IAAO,CAACgsB,EAAIQ,GAAG,WAAWR,EAAItsB,GAAG3B,EAAO29B,YAAY1P,EAAI8P,MAAO9P,EAAIiJ,cAAc,WAAW,IAAG,IAAI,EACj+B,GACsB,IGUpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCnBgO,IrGkBjP6U,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,mBACN2X,WAAY,CACR81C,gBAAe,GACfC,qBAAoB,GACpBC,qBAAoB,GACpBC,YAAW,GACXC,4BAA2BA,IAE/B5W,OAAQ,CACJC,IAEJn3B,MAAO,CACHkiB,YAAa,CACTj8B,KAAM6Z,GAAAA,GACNkH,UAAU,GAEdyhC,cAAe,CACXxiD,KAAM+kC,GAAAA,GACNhkB,UAAU,GAEd+hB,MAAO,CACH9iC,KAAMpF,MACNmmB,UAAU,IAGlB3T,MAAKA,KAGM,CACHqsB,gBAHoBD,KAIpB6X,eAHmBjM,OAM3BliC,KAAIA,KACO,CACH4kD,UAAS,GACTC,cAAa,GACbze,SAAS0e,EAAAA,GAAAA,MACTvD,cAAe,EACfwD,WAAY,OAGpB3xB,SAAU,CACN4C,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACAmZ,MAAAA,GACI,OAAO+B,SAAS,KAAK75B,OAAOnC,OAAOkrB,SAAW,IAClD,EAKA4kB,QAAAA,GACI,QAAS,KAAK3tC,OAAO5F,MAAMwzC,QAC/B,EACAlU,OAAAA,GACI,OAAO5I,GAAc,KAAKvI,MAC9B,EACAge,gBAAAA,GAEI,QAAI,KAAK1Q,eAAiB,MAGnB,KAAKtN,MAAMlC,MAAKtiC,QAAuB9C,IAAf8C,EAAK+rC,OACxC,EACA0W,eAAAA,GAEI,QAAI,KAAK3Q,eAAiB,MAGnB,KAAKtN,MAAMlC,MAAKtiC,QAAiC9C,IAAzB8C,EAAKuqC,WAAWngC,MACnD,EACA0/C,aAAAA,GACI,OAAK,KAAK5F,eAAkB,KAAKvmB,YAG1B,IAAI,KAAKqN,SAASv1B,MAAK,CAAC5U,EAAG6U,IAAM7U,EAAEm9B,MAAQtoB,EAAEsoB,QAFzC,EAGf,EACAooB,OAAAA,GACI,MAAM2D,GAAiBrxB,EAAAA,GAAAA,IAAE,QAAS,8BAC5BsxB,EAAc,KAAKrsB,YAAYyoB,SAAW2D,EAC1CE,GAAkBvxB,EAAAA,GAAAA,IAAE,QAAS,6CAC7BwxB,GAAkBxxB,EAAAA,GAAAA,IAAE,QAAS,yHACnC,SAAA38B,OAAUiuD,EAAW,MAAAjuD,OAAKkuD,EAAe,MAAAluD,OAAKmuD,EAClD,EACAvE,aAAAA,GACI,OAAO,KAAK5S,eAAehM,QAC/B,EACA6e,cAAAA,GACI,OAAqC,IAA9B,KAAKD,cAAcvpD,MAC9B,GAEJ8hC,MAAO,CACH6V,MAAAA,CAAOA,GACH,KAAKoW,aAAapW,GAAQ,EAC9B,EACA6V,QAAAA,CAASzqD,GACDA,GACA,KAAKkqB,WAAU,IAAM,KAAK+gC,eAAe,KAAKrW,SAEtD,GAEJhb,OAAAA,GAEwBz6B,OAAO6B,SAASoqB,cAAc,oBACtCzB,iBAAiB,WAAY,KAAKorB,YAE9C,MAAM,GAAE5vC,IAAO8wB,EAAAA,GAAAA,GAAU,QAAS,eAAgB,CAAC,GACnD,KAAK+0B,aAAa7lD,QAAAA,EAAM,KAAKyvC,QAC7B,KAAKsW,mBAAmB/lD,QAAAA,EAAM,KAAKyvC,QACnC,KAAKqW,eAAe9lD,QAAAA,EAAM,KAC9B,EACAm4B,aAAAA,GACwBn+B,OAAO6B,SAASoqB,cAAc,oBACtCvB,oBAAoB,WAAY,KAAKkrB,WACrD,EACA9a,QAAS,CAGLixB,kBAAAA,CAAmBtW,GACf,GAAI5zC,SAASsqB,gBAAgBwnB,YAAc,MAAQ,KAAKiS,cAAclf,SAAW+O,EAAQ,KAAAgF,EAGrF,MAAM/4C,EAAO,KAAKwkC,MAAM3G,MAAKpN,GAAKA,EAAEuU,SAAW+O,IAC3C/zC,SAAQg5C,IAAsB,QAATD,EAAbC,GAAezU,eAAO,IAAAwU,GAAtBA,EAAAn9C,KAAAo9C,GAAyB,CAACh5C,GAAO,KAAK29B,eAC9C9D,GAAOwE,MAAM,2BAA6Br+B,EAAKwK,KAAM,CAAExK,SACvDg5C,GAAc3jC,KAAKrV,EAAM,KAAK29B,YAAa,KAAKumB,cAAc15C,MAEtE,CACJ,EACA2/C,YAAAA,CAAapW,GAAqB,IAAb7wC,IAAIlG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,KAAAA,UAAA,GACrB,GAAI+2C,EAAQ,CACR,MAAMx8B,EAAQ,KAAKitB,MAAM2W,WAAUn7C,GAAQA,EAAKglC,SAAW+O,IACvD7wC,IAAmB,IAAXqU,GAAgBw8B,IAAW,KAAKmQ,cAAclf,SACtDlL,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,mBAE9B,KAAKytB,cAAgB53B,KAAKD,IAAI,EAAG/W,EACrC,CACJ,EAKA6yC,cAAAA,CAAerW,GACX,GAAe,OAAXA,GAAmB,KAAK4V,aAAe5V,EACvC,OAEJ,MAAM/zC,EAAO,KAAKwkC,MAAM3G,MAAKpN,GAAKA,EAAEuU,SAAW+O,SAClC72C,IAAT8C,GAAsBA,EAAK0B,OAAS8kC,GAAAA,GAASC,SAGjD5M,GAAOwE,MAAM,gBAAkBr+B,EAAKwK,KAAM,CAAExK,SAC5C,KAAK2pD,WAAa5V,GAClBkG,EAAAA,GAAAA,MACKtwC,QAAOlD,IAAWA,EAAO89B,SAAW99B,EAAO89B,QAAQ,CAACvkC,GAAO,KAAK29B,eAChEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,KAC5Cr0B,QAAOlD,KAAYA,UAAAA,EAAQiV,WAAS,GAAGrG,KAAKrV,EAAM,KAAK29B,YAAa,KAAKumB,cAAc15C,MAChG,EACA8/C,UAAUtqD,GACCA,EAAKglC,OAEhBkP,UAAAA,CAAWr5C,GAAO,IAAAy5C,EAGd,GADwC,QAArBA,EAAGz5C,EAAMs5C,oBAAY,IAAAG,OAAA,EAAlBA,EAAoBiW,MAAM/mD,SAAS,SAIrD,OAEJ3I,EAAMwqB,iBACNxqB,EAAMy/B,kBACN,MAAMkwB,EAAW,KAAKzU,MAAM0U,MAAM/vB,IAAIhQ,wBAAwBE,IACxD8/B,EAAcF,EAAW,KAAKzU,MAAM0U,MAAM/vB,IAAIhQ,wBAAwBigC,OAExE9vD,EAAM89C,QAAU6R,EAAW,IAC3B,KAAKzU,MAAM0U,MAAM/vB,IAAIguB,UAAY,KAAK3S,MAAM0U,MAAM/vB,IAAIguB,UAAY,GAIlE7tD,EAAM89C,QAAU+R,EAAc,KAC9B,KAAK3U,MAAM0U,MAAM/vB,IAAIguB,UAAY,KAAK3S,MAAM0U,MAAM/vB,IAAIguB,UAAY,GAE1E,EACAhwB,EAACA,GAAAA,qBsGhML,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,uBCftD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCN1D,UAXgB,QACd,IxGVW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,cAAc,CAACra,IAAI,QAAQsD,MAAM,CAAC,iBAAiB8W,EAAIkG,WAAWK,UAAYvG,EAAI+0B,cAAgB/0B,EAAI80B,UAAU,WAAW,SAAS,eAAe90B,EAAI8P,MAAM,YAAY9P,EAAIkG,WAAWK,UAAU,cAAc,CACjTunB,iBAAkB9tB,EAAI8tB,iBACtBC,gBAAiB/tB,EAAI+tB,gBACrBje,MAAO9P,EAAI8P,MACXsN,eAAgBpd,EAAIod,gBACnB,kBAAkBpd,EAAIyxB,cAAc,QAAUzxB,EAAI0xB,SAASnpB,YAAYvI,EAAIwI,GAAG,CAAGxI,EAAIkxB,eAAwL,KAAxK,CAAChiD,IAAI,iBAAiBrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,8BAA8B,CAAC/W,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,iBAAiBjJ,EAAIixB,iBAAiB,EAAEj9C,OAAM,GAAW,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,OAAOm6B,EAAIsI,GAAItI,EAAIo1B,eAAe,SAAS7F,GAAQ,OAAOtvB,EAAG,kBAAkB,CAAC/wB,IAAIqgD,EAAO3/C,GAAGsZ,MAAM,CAAC,iBAAiB8W,EAAIwvB,cAAc,eAAexvB,EAAIiJ,YAAY,OAASsmB,IAAS,GAAE,EAAEv7C,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,uBAAuB,CAACra,IAAI,QAAQsD,MAAM,CAAC,mBAAmB8W,EAAIod,eAAe,qBAAqBpd,EAAI8tB,iBAAiB,oBAAoB9tB,EAAI+tB,gBAAgB,MAAQ/tB,EAAI8P,SAAS,EAAE97B,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,mBAAmB8W,EAAIod,eAAe,qBAAqBpd,EAAI8tB,iBAAiB,oBAAoB9tB,EAAI+tB,gBAAgB,MAAQ/tB,EAAI8P,MAAM,QAAU9P,EAAIihB,WAAW,EAAEjtC,OAAM,IAAO,MAAK,IACp+B,GACsB,IwGMpB,EACA,KACA,WACA,MAI8B,QCpBgF,GCoBhH,CACEhN,KAAM,oBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,4CAA4ClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,uJAAuJ,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC3qB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBiO,ICQlPwhC,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,oBACN2X,WAAY,CACRu3C,kBAAiBA,IAErBnvC,MAAO,CACHyoC,cAAe,CACXxiD,KAAM+kC,GAAAA,GACNhkB,UAAU,IAGlB7d,KAAIA,KACO,CACHgyC,UAAU,IAGlB5e,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAYyI,MAC5B,EAIAskB,SAAAA,GACI,OAAO,KAAK3G,kBAAkB,KAAKA,cAAcvf,YAAcC,GAAAA,GAAWwK,OAC9E,EACA0b,eAAAA,GAAkB,IAAA1G,EACd,OAAqE,KAA5C,QAAlBA,EAAA,KAAKF,qBAAa,IAAAE,GAAY,QAAZA,EAAlBA,EAAoB7Z,kBAAU,IAAA6Z,OAAA,EAA9BA,EAAiC,yBAC5C,EACA2G,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAKpyB,EAAE,QAAS,mEAEjB,KAAKmyB,UAGR,KAFI,KAAKnyB,EAAE,QAAS,2DAG/B,GAEJK,OAAAA,GAEI,MAAMiyB,EAAc1sD,OAAO6B,SAASoqB,cAAc,oBAClDygC,EAAYliC,iBAAiB,WAAY,KAAKorB,YAC9C8W,EAAYliC,iBAAiB,YAAa,KAAKmwB,aAC/C+R,EAAYliC,iBAAiB,OAAQ,KAAKmiC,cAC9C,EACAxuB,aAAAA,GACI,MAAMuuB,EAAc1sD,OAAO6B,SAASoqB,cAAc,oBAClDygC,EAAYhiC,oBAAoB,WAAY,KAAKkrB,YACjD8W,EAAYhiC,oBAAoB,YAAa,KAAKiwB,aAClD+R,EAAYhiC,oBAAoB,OAAQ,KAAKiiC,cACjD,EACA7xB,QAAS,CACL8a,UAAAA,CAAWr5C,GAAO,IAAAy5C,EAEdz5C,EAAMwqB,kBACkC,QAArBivB,EAAGz5C,EAAMs5C,oBAAY,IAAAG,OAAA,EAAlBA,EAAoBiW,MAAM/mD,SAAS,YAGrD,KAAKozC,UAAW,EAExB,EACAqC,WAAAA,CAAYp+C,GAAO,IAAAqwD,EAIf,MAAM/lC,EAAgBtqB,EAAMsqB,cACxBA,SAAAA,EAAe+zB,SAA6B,QAArBgS,EAAErwD,EAAMs+C,qBAAa,IAAA+R,EAAAA,EAAIrwD,EAAMsG,SAGtD,KAAKy1C,WACL,KAAKA,UAAW,EAExB,EACAqU,aAAAA,CAAcpwD,GACVg/B,GAAOwE,MAAM,kDAAmD,CAAExjC,UAClEA,EAAMwqB,iBACF,KAAKuxB,WACL,KAAKA,UAAW,EAExB,EACA,YAAMvC,CAAOx5C,GAAO,IAAAswD,EAAA5W,EAAAb,EAEhB,GAAI,KAAKqX,gBAEL,YADAjxB,EAAAA,GAAAA,IAAU,KAAKixB,iBAGnB,GAAmC,QAAnCI,EAAI,KAAKzwB,IAAInQ,cAAc,gBAAQ,IAAA4gC,GAA/BA,EAAiCjS,SAASr+C,EAAMsG,QAChD,OAEJtG,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,MAAM+V,EAAQ,KAAsB,QAAlBkE,EAAA15C,EAAMs5C,oBAAY,IAAAI,OAAA,EAAlBA,EAAoBlE,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC3I,QAAiC,QAAtBgM,EAAM,KAAK/V,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBtH,YAAY,KAAK8X,cAAc15C,OAClEsiC,EAASpF,aAAQ,EAARA,EAAUoF,OACzB,IAAKA,EAED,YADAhT,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,0CAK9B,GAAI79B,EAAMqqB,OACN,OAEJ2U,GAAOwE,MAAM,UAAW,CAAExjC,QAAOiyC,SAAQ+D,aAEzC,MAEMua,SAFgBna,GAAoBJ,EAAU/D,EAAQpF,EAASA,WAE1C2jB,UAAUha,IAAM,IAAAia,EAAA,OAAKja,EAAOvxC,SAAWyrD,GAAAA,EAAaC,SACvEna,EAAOxpC,KAAK4jD,mBAAmBjoD,SAAS,OAC1B,QAD8B8nD,EAC7Cja,EAAO9xC,gBAAQ,IAAA+rD,GAAS,QAATA,EAAfA,EAAiBtgB,eAAO,IAAAsgB,OAAA,EAAxBA,EAA2B,eAEoC,IAA/Dja,EAAOxyB,OAAOlc,QAAQmqC,EAAOjuB,OAAQ,IAAIvL,MAAM,KAAKlX,MAAY,IACzC,IAAAsvD,EAAA1U,OAAX95C,IAAfkuD,IACAvxB,GAAOwE,MAAM,6CAA8C,CAAE+sB,eAC7D,KAAKloC,QAAQhoB,KAAK,IACX,KAAK+gB,OACRnC,OAAQ,CACJya,KAA8B,QAA1Bm3B,EAAoB,QAApB1U,EAAE,KAAK/6B,OAAOnC,cAAM,IAAAk9B,OAAA,EAAlBA,EAAoBziB,YAAI,IAAAm3B,EAAAA,EAAI,QAClC1mB,OAAQ8Q,SAASsV,EAAW7rD,SAASyrC,QAAQ,kBAIzD,KAAK4L,UAAW,CACpB,EACAle,EAACA,GAAAA,sBC/HL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,MAAM,CAACgrB,WAAW,CAAC,CAACjkD,KAAK,OAAOkkD,QAAQ,SAAS97C,MAAO4wB,EAAIkiB,SAAUiJ,WAAW,aAAa/qB,YAAY,+BAA+BlX,MAAM,CAAC,+BAA+B,IAAIvgB,GAAG,CAAC,KAAOq3B,EAAI2f,SAAS,CAAC1f,EAAG,MAAM,CAACG,YAAY,wCAAwC,CAAEJ,EAAIm2B,YAAcn2B,EAAIo2B,gBAAiB,CAACn2B,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,KAAO,MAAM8W,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,sCAAsC,CAACJ,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,uCAAuC,eAAe,CAAC/D,EAAG,KAAK,CAACG,YAAY,sCAAsC,CAACJ,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIq2B,iBAAiB,gBAAgB,IACxuB,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,2BlJiBhC,MAAMY,QAAwDzuD,KAApB,QAAjB0uD,IAAAC,EAAAA,GAAAA,YAAiB,IAAAD,QAAA,EAAjBA,GAAmBE,emJpC6M,InJqC1OtZ,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,YACN2X,WAAY,CACR04C,YAAW,GACXC,kBAAiB,GACjBC,iBAAgB,GAChBxL,SAAQ,KACRyL,aAAY,GACZC,aAAY,KACZhH,SAAQ,KACRiH,eAAc,KACd9uB,iBAAgB,KAChBid,cAAa,KACb8R,SAAQ,KACRlM,gBAAe,GACfmM,aAAY,KACZC,aAAYA,IAEhB5Z,OAAQ,CACJC,GACAwS,IAEJt2C,KAAAA,GAAQ,IAAA8sB,EAQJ,MAAO,CACHkX,WARe7N,KASfgB,WAReD,KASf+M,eARmBjM,KASnBkM,cARkB1L,KASlBnM,gBARoBD,KASpBnF,gBARoBV,KASpBkH,eARqF,QAArEX,GAAIxG,EAAAA,GAAAA,GAAU,OAAQ,SAAU,IAAI,yCAAiC,IAAAwG,GAAAA,EAU7F,EACAh3B,KAAIA,KACO,CACH4nD,WAAY,GACZ7V,SAAS,EACT8V,QAAS,KACTC,KAAI,KACJC,kBAAmBA,SAG3B30B,SAAU,CACN4C,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACA+C,WAAAA,GACI,OAAO,KAAKG,YAAYyI,QAAU,KAAKzI,YAAYF,MAAMC,MAAMtJ,IAAI,IAAAm3B,EAAA1U,EAAA,OAAKziB,EAAKjwB,MAAgC,QAA9BonD,EAAwB,QAAxB1U,EAAM,KAAK/6B,OAAOnC,cAAM,IAAAk9B,OAAA,EAAlBA,EAAoBziB,YAAI,IAAAm3B,EAAAA,EAAI,QAAQ,GAC7H,EACAkB,WAAAA,GAAc,IAAAC,EAAAnZ,EACV,OAA6B,QAA7BmZ,EAAuB,QAAvBnZ,EAAO,KAAK/V,mBAAW,IAAA+V,OAAA,EAAhBA,EAAkBh4C,YAAI,IAAAmxD,EAAAA,EAAI,KAAKn0B,EAAE,QAAS,QACrD,EAIAuG,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,GAAK,QAALA,EAAlBA,EAAoBuB,WAAG,IAAAvB,OAAA,EAAvBA,EAAyBx/B,aAAc,KAAKyE,QAAQ,WAAY,KAC5E,EAIAuhD,aAAAA,GAAgB,IAAA1P,EACZ,GAAqB,QAAjBA,EAAC,KAAK7W,mBAAW,IAAA6W,IAAhBA,EAAkBlwC,GACnB,OAEJ,GAAiB,MAAb,KAAK26B,IACL,OAAO,KAAK6T,WAAWvN,QAAQ,KAAK5H,YAAYr5B,IAEpD,MAAMyvC,EAAS,KAAK9N,WAAWE,QAAQ,KAAKxI,YAAYr5B,GAAI,KAAK26B,KACjE,OAAO,KAAK6T,WAAW1N,QAAQ2O,EACnC,EAKA+Y,iBAAAA,GA2BI,MAAO,CA1Ba,IAEZ,KAAKlyB,WAAWG,qBAAuB,CAAC9Q,IAAC,IAAA8iC,EAAA,OAA+B,KAAf,QAAZA,EAAA9iC,EAAEsgB,kBAAU,IAAAwiB,OAAA,EAAZA,EAAchM,SAAc,GAAI,MAE7E,KAAKnmB,WAAWI,mBAAqB,CAAC/Q,GAAgB,WAAXA,EAAEvoB,MAAqB,MAE7C,aAArB,KAAKgjD,YAA6B,CAACz6B,GAAKA,EAAE,KAAKy6B,cAAgB,GAEnEz6B,IAAC,IAAA+iC,EAAA,OAAgB,QAAZA,EAAA/iC,EAAEsgB,kBAAU,IAAAyiB,OAAA,EAAZA,EAAc5oB,cAAena,EAAEuf,QAAQ,EAE5Cvf,GAAKA,EAAEuf,UAEI,IAEP,KAAK5O,WAAWG,qBAAuB,CAAC,OAAS,MAEjD,KAAKH,WAAWI,mBAAqB,CAAC,OAAS,MAE1B,UAArB,KAAK0pB,YAA0B,CAAC,KAAKI,aAAe,OAAS,OAAS,MAEjD,UAArB,KAAKJ,aAAgD,aAArB,KAAKA,YAA6B,CAAC,KAAKI,aAAe,MAAQ,QAAU,GAE7G,KAAKA,aAAe,MAAQ,OAE5B,KAAKA,aAAe,MAAQ,QAGpC,EAIAmI,iBAAAA,GAAoB,IAAAC,EAChB,IAAK,KAAKvvB,YACN,MAAO,GAEX,IAAIwvB,EAAqB,IAAI,KAAKC,aAE9B,KAAKZ,aACLW,EAAqBA,EAAmBxjD,QAAO3J,GACpCA,EAAKuqC,WAAWf,SAASjmC,cAAcC,SAAS,KAAKgpD,WAAWjpD,iBAE3E9D,GAAQ4+B,MAAM,sBAAuB8uB,IAEzC,MAAME,IAAgC,QAAhBH,EAAA,KAAKvvB,mBAAW,IAAAuvB,OAAA,EAAhBA,EAAkBjK,UAAW,IAC9CplB,MAAKimB,GAAUA,EAAOx/C,KAAO,KAAKogD,cAEvC,GAAI2I,SAAAA,EAAc53C,MAAqC,mBAAtB43C,EAAa53C,KAAqB,CAC/D,MAAMizB,EAAU,IAAI,KAAK0kB,aAAa33C,KAAK43C,EAAa53C,MACxD,OAAO,KAAKqvC,aAAepc,EAAUA,EAAQxb,SACjD,CACA,OAAO8U,GAAQmrB,KAAuB,KAAKL,kBAC/C,EACAM,WAAAA,GAAc,IAAAE,EAAAlJ,EACV,MAAMmJ,EAAiC,QAAvBD,EAAG,KAAKnyB,uBAAe,IAAAmyB,OAAA,EAApBA,EAAsB1yB,WAAWC,YACpD,QAA0B,QAAlBupB,EAAA,KAAKF,qBAAa,IAAAE,OAAA,EAAlBA,EAAoBzd,YAAa,IACpC/8B,IAAI,KAAKw7B,SACTz7B,QAAO9B,IACS,IAAA2lD,EAAjB,OAAKD,IAGI1lD,EAFEA,IAAqC,KAA7BA,SAAgB,QAAZ2lD,EAAJ3lD,EAAM0iC,kBAAU,IAAAijB,OAAA,EAAhBA,EAAkBC,WAAoB5lD,SAAAA,EAAM2hC,SAAS5+B,WAAW,KAEtE,GAErB,EAIA8iD,UAAAA,GACI,OAAmC,IAA5B,KAAKN,YAAYhxD,MAC5B,EAMAuxD,YAAAA,GACI,YAA8BzwD,IAAvB,KAAKgnD,gBACJ,KAAKwJ,YACN,KAAK/W,OAChB,EAIAiX,aAAAA,GACI,MAAM3uB,EAAM,KAAKA,IAAI3rB,MAAM,KAAKzX,MAAM,GAAI,GAAG2X,KAAK,MAAQ,IAC1D,MAAO,IAAK,KAAKyI,OAAQ5F,MAAO,CAAE4oB,OACtC,EACA4uB,eAAAA,GAAkB,IAAAC,EAAAC,EACd,GAAuB,QAAnBD,EAAC,KAAK5J,qBAAa,IAAA4J,GAAY,QAAZA,EAAlBA,EAAoBvjB,kBAAU,IAAAujB,GAA9BA,EAAiC,eAGtC,OAAO7zD,OAAO6O,QAAyB,QAAlBilD,EAAA,KAAK7J,qBAAa,IAAA6J,GAAY,QAAZA,EAAlBA,EAAoBxjB,kBAAU,IAAAwjB,OAAA,EAA9BA,EAAiC,iBAAkB,CAAC,GAAGn3C,MAChF,EACAo3C,gBAAAA,GACI,OAAK,KAAKH,gBAGN,KAAKI,kBAAoBvB,GAAAA,EAAK9K,gBACvB,KAAKlpB,EAAE,QAAS,kBAEpB,KAAKA,EAAE,QAAS,UALZ,KAAKA,EAAE,QAAS,QAM/B,EACAu1B,eAAAA,GACI,OAAK,KAAKJ,gBAIN,KAAKA,gBAAgBvrB,MAAK5gC,GAAQA,IAASgrD,GAAAA,EAAK9K,kBACzC8K,GAAAA,EAAK9K,gBAET8K,GAAAA,EAAKwB,gBAND,IAOf,EACAC,mBAAAA,GACI,OAAO,KAAKvzB,WAAWK,UACjB,KAAKvC,EAAE,QAAS,uBAChB,KAAKA,EAAE,QAAS,sBAC1B,EAIAmyB,SAAAA,GACI,OAAO,KAAK3G,kBAAkB,KAAKA,cAAcvf,YAAcC,GAAAA,GAAWwK,OAC9E,EACA0b,eAAAA,GAAkB,IAAAsD,EACd,OAAqE,KAA5C,QAAlBA,EAAA,KAAKlK,qBAAa,IAAAkK,GAAY,QAAZA,EAAlBA,EAAoB7jB,kBAAU,IAAA6jB,OAAA,EAA9BA,EAAiC,yBAC5C,EACArD,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAKpyB,EAAE,QAAS,mEAEpB,KAAKA,EAAE,QAAS,2DAC3B,EAIA21B,QAAAA,GACI,OAAO1C,IACA,KAAKzH,kBAAkB,KAAKA,cAAcvf,YAAcC,GAAAA,GAAW0pB,MAC9E,GAEJpwB,MAAO,CACHP,WAAAA,CAAY4wB,EAASpwB,IACbowB,aAAO,EAAPA,EAASjqD,OAAO65B,aAAO,EAAPA,EAAS75B,MAG7Bu1B,GAAOwE,MAAM,eAAgB,CAAEkwB,UAASpwB,YACxC,KAAK4U,eAAe3L,QACpB,KAAKonB,cACL,KAAKC,eACT,EACAxvB,GAAAA,CAAIyvB,EAAQC,GAAQ,IAAAtW,EAChBxe,GAAOwE,MAAM,oBAAqB,CAAEqwB,SAAQC,WAE5C,KAAK5b,eAAe3L,QACpB,KAAKonB,cACL,KAAKC,eAES,QAAdpW,EAAI,KAAKtC,aAAK,IAAAsC,GAAkB,QAAlBA,EAAVA,EAAYuW,wBAAgB,IAAAvW,GAA5BA,EAA8B3d,MAC9B,KAAKqb,MAAM6Y,iBAAiBl0B,IAAIguB,UAAY,EAEpD,EACA0E,WAAAA,CAAY1lB,GACR7N,GAAOwE,MAAM,6BAA8B,CAAE9J,KAAM,KAAKoJ,YAAamP,OAAQ,KAAKoX,cAAexc,cACjGlrC,EAAAA,GAAAA,IAAK,qBAAsB,CAAE+3B,KAAM,KAAKoJ,YAAamP,OAAQ,KAAKoX,cAAexc,YACrF,GAEJ3O,OAAAA,GACI,KAAK01B,gBACLx4B,EAAAA,GAAAA,IAAU,qBAAsB,KAAK8P,gBACrC9P,EAAAA,GAAAA,IAAU,kCAAmC,KAAK44B,WAClD54B,EAAAA,GAAAA,IAAU,iCAAkC,KAAK44B,UAEjD,KAAKlC,kBAAoB,KAAKxxB,gBAAgBpuB,YAAW,IAAM,KAAK0hD,gBAAgB,CAAE3hD,MAAM,GAChG,EACAgiD,SAAAA,IACIC,EAAAA,GAAAA,IAAY,qBAAsB,KAAKhpB,gBACvCgpB,EAAAA,GAAAA,IAAY,kCAAmC,KAAKF,WACpDE,EAAAA,GAAAA,IAAY,iCAAkC,KAAKF,UACnD,KAAKlC,mBACT,EACAvzB,QAAS,CACL,kBAAMq1B,GAAe,IAAAO,EACjB,KAAKrY,SAAU,EACf,MAAM1X,EAAM,KAAKA,IACXtB,EAAc,KAAKA,YACzB,GAAKA,EAAL,CAKoC,mBAAb,QAAnBqxB,EAAO,KAAKvC,eAAO,IAAAuC,OAAA,EAAZA,EAAcx3B,UACrB,KAAKi1B,QAAQj1B,SACbqC,GAAOwE,MAAM,qCAGjB,KAAKouB,QAAU9uB,EAAYyO,YAAYnN,GACvC,IACI,MAAM,OAAE6N,EAAM,SAAEpF,SAAmB,KAAK+kB,QACxC5yB,GAAOwE,MAAM,mBAAoB,CAAEY,MAAK6N,SAAQpF,aAEhD,KAAKoL,WAAWrN,YAAYiC,GAG5B,KAAKunB,KAAKniB,EAAQ,YAAapF,EAAS99B,KAAI5J,GAAQA,EAAKglC,UAE7C,MAAR/F,EACA,KAAK6T,WAAWlN,QAAQ,CAAEJ,QAAS7H,EAAYr5B,GAAIogC,KAAMoI,IAIrDA,EAAO9H,QACP,KAAK8N,WAAWrN,YAAY,CAACqH,IAC7B,KAAK7G,WAAWG,QAAQ,CAAEZ,QAAS7H,EAAYr5B,GAAI0gC,OAAQ8H,EAAO9H,OAAQx6B,KAAMy0B,KAIhFpF,GAAOn6B,MAAM,+BAAgC,CAAEu/B,MAAK6N,SAAQnP,gBAIpD+J,EAAS/9B,QAAO3J,GAAsB,WAAdA,EAAK0B,OACrCqH,SAAQ/I,IACZ,KAAKimC,WAAWG,QAAQ,CAAEZ,QAAS7H,EAAYr5B,GAAI0gC,OAAQhlC,EAAKglC,OAAQx6B,MAAMgJ,EAAAA,GAAAA,MAAKyrB,EAAKj/B,EAAKwpC,WAAY,GAEjH,CACA,MAAO9pC,GACHm6B,GAAOn6B,MAAM,+BAAgC,CAAEA,SACnD,CAAC,QAEG,KAAKi3C,SAAU,CACnB,CA1CA,MAFI9c,GAAOwE,MAAM,mDAAqD,CAAEV,eA6C5E,EAOAyH,OAAAA,CAAQ2O,GACJ,OAAO,KAAKjB,WAAW1N,QAAQ2O,EACnC,EAKAmb,QAAAA,CAAS7d,GAAQ,IAAA8d,GAGazoB,EAAAA,GAAAA,SAAQ2K,EAAOxyB,WACoB,QAAvBswC,EAAK,KAAKjL,qBAAa,IAAAiL,OAAA,EAAlBA,EAAoBtwC,SAK3D,KAAK4vC,cAEb,EACA,kBAAMW,CAAa/d,GAAQ,IAAAia,EACvB,MAAMxrD,GAAwB,QAAfwrD,EAAAja,EAAO9xC,gBAAQ,IAAA+rD,OAAA,EAAfA,EAAiBxrD,SAAU,EAE1C,GAAe,MAAXA,EAIC,GAAe,MAAXA,GAA6B,MAAXA,EAItB,GAAe,MAAXA,EAAJ,CAKL,IAAI,IAAAuvD,EACA,MAAMC,EAAS,IAAIC,GAAAA,OAAO,CAAEt5C,MAAM,EAAMu5C,cAAc,IAEhDzsD,SADiBusD,EAAOG,mBAAkC,QAAhBJ,EAAChe,EAAO9xC,gBAAQ,IAAA8vD,OAAA,EAAfA,EAAiBzqD,OACzC,aAAa,GACtC,GAAuB,iBAAZ7B,GAA2C,KAAnBA,EAAQkT,OAGvC,YADA6jB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,iCAAkC,CAAE31B,YAGtE,CACA,MAAOrD,GACHm6B,GAAOn6B,MAAM,sBAAuB,CAAEA,SAC1C,CAEe,IAAXI,GAIJg6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,iCAHtBoB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,4CAA6C,CAAE54B,WAjB7E,MAFIg6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,gDAJ1BoB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,+CAJ1BoB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,yBA+BlC,EAMAqN,aAAAA,CAAc/lC,GAAM,IAAA0vD,GACZ1vD,aAAI,EAAJA,EAAMglC,WAA6B,QAAvB0qB,EAAK,KAAKxL,qBAAa,IAAAwL,OAAA,EAAlBA,EAAoB1qB,SACrC,KAAKypB,cAEb,EAMAI,SAAU3G,MAAS,SAAUyH,GACzBlwD,GAAQ4+B,MAAM,yDAA0DsxB,GACxE,KAAKnD,WAAamD,EAAYt5C,KAClC,GAAG,KAIHm4C,WAAAA,GACI,KAAKhC,WAAa,EACtB,EACAoD,kBAAAA,GAAqB,IAAAnxB,EACZ,KAAKylB,eAIA,QAAVzlB,EAAIngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,GAAS,QAATA,EAAlBA,EAAoBE,eAAO,IAAAF,GAA3BA,EAA6BoxB,cAC7BvxD,OAAOu9B,IAAIC,MAAM6C,QAAQkxB,aAAa,WAE1C7W,GAAc3jC,KAAK,KAAK6uC,cAAe,KAAKvmB,YAAa,KAAKumB,cAAc15C,OANxEqvB,GAAOwE,MAAM,sDAOrB,EACAyxB,cAAAA,GACI,KAAK30B,gBAAgB3F,OAAO,aAAc,KAAKoF,WAAWK,UAC9D,EACAvC,EAAGqB,GAAAA,GACHtJ,EAAGs/B,GAAAA,sBoJzbP,GAAU,CAAC,EAEf,GAAQ/1B,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IrJTW,WAAiB,IAAA0pB,EAAAiM,EAAKt7B,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,eAAe,CAAC/W,MAAM,CAAC,eAAe8W,EAAIk4B,YAAY,wBAAwB,KAAK,CAACj4B,EAAG,MAAM,CAACG,YAAY,sBAAsB,CAACH,EAAG,cAAc,CAAC/W,MAAM,CAAC,KAAO8W,EAAIuK,KAAK5hC,GAAG,CAAC,OAASq3B,EAAI+5B,cAAcxxB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,UAAUrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAI25B,UAAY35B,EAAIod,gBAAkB,IAAKnd,EAAG,WAAW,CAACG,YAAY,kCAAkC/Q,MAAM,CAAE,0CAA2C2Q,EAAIu5B,iBAAkBrwC,MAAM,CAAC,aAAa8W,EAAIs5B,iBAAiB,MAAQt5B,EAAIs5B,iBAAiB,KAAO,YAAY3wD,GAAG,CAAC,MAAQq3B,EAAIk7B,oBAAoB3yB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIu5B,kBAAoBv5B,EAAIg4B,KAAK9K,gBAAiBjtB,EAAG,YAAYA,EAAG,kBAAkB,CAAC/W,MAAM,CAAC,KAAO,MAAM,EAAElV,OAAM,IAAO,MAAK,EAAM,cAAcgsB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,MAAOR,EAAIm2B,WAAan2B,EAAIo2B,gBAAiBn2B,EAAG,WAAW,CAACG,YAAY,6CAA6ClX,MAAM,CAAC,aAAa8W,EAAIq2B,gBAAgB,MAAQr2B,EAAIq2B,gBAAgB,UAAW,EAAK,KAAO,aAAa9tB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,WAAW,CAAC/W,MAAM,CAAC,KAAO,MAAM,EAAElV,OAAM,IAAO,MAAK,EAAM,aAAa,CAACgsB,EAAIQ,GAAG,eAAeR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,QAAQ,gBAAiBhE,EAAIwvB,cAAevvB,EAAG,eAAe,CAACG,YAAY,mCAAmClX,MAAM,CAAC,QAAU8W,EAAI04B,YAAY,YAAc14B,EAAIwvB,cAAc,UAAW,GAAM7mD,GAAG,CAAC,OAASq3B,EAAI06B,aAAa,SAAW16B,EAAIw6B,YAAYx6B,EAAI1jB,KAAK,EAAEtI,OAAM,OAAUgsB,EAAIQ,GAAG,KAAMR,EAAIod,gBAAkB,KAAOpd,EAAI6H,eAAgB5H,EAAG,WAAW,CAACG,YAAY,iCAAiClX,MAAM,CAAC,aAAa8W,EAAIy5B,oBAAoB,MAAQz5B,EAAIy5B,oBAAoB,KAAO,YAAY9wD,GAAG,CAAC,MAAQq3B,EAAIo7B,gBAAgB7yB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIkG,WAAWK,UAAWtG,EAAG,gBAAgBA,EAAG,gBAAgB,EAAEjsB,OAAM,IAAO,MAAK,EAAM,cAAcgsB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIi5B,aAAch5B,EAAG,gBAAgB,CAACG,YAAY,6BAA6BJ,EAAI1jB,MAAM,GAAG0jB,EAAIQ,GAAG,MAAOR,EAAIiiB,SAAWjiB,EAAIm2B,UAAWl2B,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,iBAAiB8W,EAAIwvB,iBAAiBxvB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIiiB,UAAYjiB,EAAIi5B,aAAch5B,EAAG,gBAAgB,CAACG,YAAY,2BAA2BlX,MAAM,CAAC,KAAO,GAAG,KAAO8W,EAAIgE,EAAE,QAAS,8BAA+BhE,EAAIiiB,SAAWjiB,EAAIg5B,WAAY/4B,EAAG,iBAAiB,CAAC/W,MAAM,CAAC,MAAsB,QAAfmmC,EAAArvB,EAAIiJ,mBAAW,IAAAomB,OAAA,EAAfA,EAAiBkM,aAAcv7B,EAAIgE,EAAE,QAAS,oBAAoB,aAA6B,QAAfs3B,EAAAt7B,EAAIiJ,mBAAW,IAAAqyB,OAAA,EAAfA,EAAiBE,eAAgBx7B,EAAIgE,EAAE,QAAS,kDAAkD,8BAA8B,IAAIuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAAc,MAAZm6B,EAAIuK,IAAatK,EAAG,WAAW,CAAC/W,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,6BAA6B,KAAO,UAAU,GAAKhE,EAAIk5B,gBAAgB,CAACl5B,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,YAAY,cAAchE,EAAI1jB,KAAK,EAAEtI,OAAM,GAAM,CAAC9E,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAM8W,EAAIiJ,YAAYr3B,QAAQ,EAAEoC,OAAM,OAAUisB,EAAG,mBAAmB,CAACra,IAAI,mBAAmBsD,MAAM,CAAC,iBAAiB8W,EAAIwvB,cAAc,eAAexvB,EAAIiJ,YAAY,MAAQjJ,EAAIu4B,sBAAsB,EAC9nG,GACsB,IqJUpB,EACA,KACA,WACA,MAI8B,QCnB+M,IzLIhOza,EAAAA,GAAAA,IAAgB,CAC3B92C,KAAM,WACN2X,WAAY,CACR88C,UAAS,KACTC,UAAS,GACTC,WAAUA,M0LSlB,IAXgB,QACd,I1LRW,WAAkB,IAAI37B,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMmgB,YAAmBpgB,EAAG,YAAY,CAAC/W,MAAM,CAAC,WAAW,UAAU,CAAC+W,EAAG,cAAcD,EAAIQ,GAAG,KAAKP,EAAG,cAAc,EAC3L,GACsB,I0LSpB,EACA,KACA,KACA,MAI8B,kBCPhC27B,EAAAA,GAAoBC,MAAKrlB,EAAAA,GAAAA,OAEzB5sC,OAAOu9B,IAAIC,MAAwB,QAAnB00B,GAAGlyD,OAAOu9B,IAAIC,aAAK,IAAA00B,GAAAA,GAAI,CAAC,EACxClyD,OAAOwmC,IAAIhJ,MAAwB,QAAnB20B,GAAGnyD,OAAOwmC,IAAIhJ,aAAK,IAAA20B,GAAAA,GAAI,CAAC,EAExC,MAAMr8B,GAAS,IChBA,MAEXhE,WAAAA,CAAY1W,eAAQ,yZAChBhf,KAAK84B,QAAU9Z,CACnB,CACA,QAAIhe,GACA,OAAOhB,KAAK84B,QAAQxM,aAAatrB,IACrC,CACA,SAAI2a,GACA,OAAO3b,KAAK84B,QAAQxM,aAAa3Q,OAAS,CAAC,CAC/C,CACA,UAAIyD,GACA,OAAOpf,KAAK84B,QAAQxM,aAAalN,QAAU,CAAC,CAChD,CAQA42C,IAAAA,CAAKlmD,GAAuB,IAAjB7H,EAAO3F,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GACd,OAAOtC,KAAK84B,QAAQt4B,KAAK,CACrBsP,OACA7H,WAER,CAUAoiC,SAAAA,CAAUrpC,EAAMoe,EAAQzD,EAAO1T,GAC3B,OAAOjI,KAAK84B,QAAQt4B,KAAK,CACrBQ,OACA2a,QACAyD,SACAnX,WAER,GD3B6B+W,IACjCzf,OAAO2I,OAAOtE,OAAOwmC,IAAIhJ,MAAO,CAAE1H,YAElCrB,GAAAA,GAAIjgB,KpMq5DmB,SAAUwP,GAG7BA,EAAKgR,MAAM,CACP,YAAAC,GACI,MAAM7nB,EAAUhR,KAAK04B,SACrB,GAAI1nB,EAAQ7N,MAAO,CACf,MAAMA,EAAQ6N,EAAQ7N,MAGtB,IAAKnD,KAAKi2D,UAAW,CACjB,MAAMC,EAAe,CAAC,EACtB32D,OAAOoX,eAAe3W,KAAM,YAAa,CACrC2N,IAAK,IAAMuoD,EACXlmD,IAAMuf,GAAMhwB,OAAO2I,OAAOguD,EAAc3mC,IAEhD,CACAvvB,KAAKi2D,UAAU7yD,GAAeD,EAIzBnD,KAAKkY,SACNlY,KAAKkY,OAAS/U,GAElBA,EAAMiT,GAAKpW,KACP2D,GAGAT,EAAeC,GAEfU,GACAqH,EAAsB/H,EAAMiT,GAAIjT,EAExC,MACUnD,KAAKkY,QAAUlH,EAAQ2O,QAAU3O,EAAQ2O,OAAOzH,SACtDlY,KAAKkY,OAASlH,EAAQ2O,OAAOzH,OAErC,EACA,SAAA+gB,UACWj5B,KAAKkO,QAChB,GAER,IoM57DA,MAAMynD,GAAat9B,GAAAA,GAAI89B,YAAWvqB,EAAAA,GAAAA,OAClCvT,GAAAA,GAAI74B,UAAU4jC,YAAcuyB,GAE5B,MAAMt0B,GAAW,IEHF,MAId3L,WAAAA,eAAc,2ZACb11B,KAAKo2D,UAAY,GACjBrxD,GAAQ4+B,MAAM,iCACf,CASA0yB,QAAAA,CAASx8B,GACR,OAAI75B,KAAKo2D,UAAUnnD,QAAO9J,GAAKA,EAAEnE,OAAS64B,EAAK74B,OAAMU,OAAS,GAC7DqD,GAAQC,MAAM,uDACP,IAERhF,KAAKo2D,UAAU51D,KAAKq5B,IACb,EACR,CAOA,YAAIxoB,GACH,OAAOrR,KAAKo2D,SACb,GF5BD72D,OAAO2I,OAAOtE,OAAOu9B,IAAIC,MAAO,CAAEC,SAAQA,KAC1C9hC,OAAO2I,OAAOtE,OAAOu9B,IAAIC,MAAMC,SAAU,CAAEN,QGJ5B,MAiBdrL,WAAAA,CAAY10B,EAAIw6B,GAAuB,IAArB,GAAE7L,EAAE,KAAElrB,EAAI,MAAEu9B,GAAOxG,EAAA86B,GAAA,sBAAAA,GAAA,mBAAAA,GAAA,qBAAAA,GAAA,qBACpCt2D,KAAKu2D,MAAQv1D,EACbhB,KAAKw2D,IAAM7mC,EACX3vB,KAAKy2D,MAAQhyD,EACbzE,KAAK02D,OAAS10B,EAEY,mBAAfhiC,KAAKy2D,QACfz2D,KAAKy2D,MAAQ,QAGa,mBAAhBz2D,KAAK02D,SACf12D,KAAK02D,OAAS,OAEhB,CAEA,QAAI11D,GACH,OAAOhB,KAAKu2D,KACb,CAEA,MAAI5mC,GACH,OAAO3vB,KAAKw2D,GACb,CAEA,QAAI/xD,GACH,OAAOzE,KAAKy2D,KACb,CAEA,SAAIz0B,GACH,OAAOhiC,KAAK02D,MACb,KHxCD,IADoBr+B,GAAAA,GAAIza,OAAO+4C,IAC/B,CAAgB,CACZ33C,OAAM,GACN7b,MAAKA,KACN27C,OAAO,uCIhCV,6BAAmD,OAAO8X,EAAU,mBAAqBvzD,QAAU,iBAAmBA,OAAOwxB,SAAW,SAAUpe,GAAO,cAAcA,CAAK,EAAI,SAAUA,GAAO,OAAOA,GAAO,mBAAqBpT,QAAUoT,EAAIif,cAAgBryB,QAAUoT,IAAQpT,OAAO7D,UAAY,gBAAkBiX,CAAK,EAAGmgD,EAAQngD,EAAM,CActT,oBAAfvS,WAA6BA,WAA6B,oBAATF,MAAuBA,KAV1D,EAUuE,SAAU6yD,GACvG,aAYA,SAASC,EAAgBvzD,EAAGyT,GAA6I,OAAxI8/C,EAAkBv3D,OAAOw3D,eAAiBx3D,OAAOw3D,eAAevlD,OAAS,SAAyBjO,EAAGyT,GAAsB,OAAjBzT,EAAE1C,UAAYmW,EAAUzT,CAAG,EAAUuzD,EAAgBvzD,EAAGyT,EAAI,CAEvM,SAASggD,EAAaC,GAAW,IAAIC,EAMrC,WAAuC,GAAuB,oBAAZrmD,UAA4BA,QAAQsmD,UAAW,OAAO,EAAO,GAAItmD,QAAQsmD,UAAUC,KAAM,OAAO,EAAO,GAAqB,mBAAVxmD,MAAsB,OAAO,EAAM,IAAsF,OAAhF6L,QAAQjd,UAAUgnC,QAAQtlC,KAAK2P,QAAQsmD,UAAU16C,QAAS,IAAI,WAAa,MAAY,CAAM,CAAE,MAAOtX,GAAK,OAAO,CAAO,CAAE,CANvQkyD,GAA6B,OAAO,WAAkC,IAAsCtvD,EAAlCuvD,EAAQC,EAAgBN,GAAkB,GAAIC,EAA2B,CAAE,IAAIM,EAAYD,EAAgBv3D,MAAM01B,YAAa3tB,EAAS8I,QAAQsmD,UAAUG,EAAOh1D,UAAWk1D,EAAY,MAASzvD,EAASuvD,EAAM70D,MAAMzC,KAAMsC,WAAc,OAEpX,SAAoC0B,EAAM9C,GAAQ,GAAIA,IAA2B,WAAlB01D,EAAQ11D,IAAsC,mBAATA,GAAwB,OAAOA,EAAa,QAAa,IAATA,EAAmB,MAAM,IAAId,UAAU,4DAA+D,OAE1P,SAAgC4D,GAAQ,QAAa,IAATA,EAAmB,MAAM,IAAIyzD,eAAe,6DAAgE,OAAOzzD,CAAM,CAF4F0zD,CAAuB1zD,EAAO,CAF4F2zD,CAA2B33D,KAAM+H,EAAS,CAAG,CAQxa,SAASwvD,EAAgBh0D,GAA+J,OAA1Jg0D,EAAkBh4D,OAAOw3D,eAAiBx3D,OAAOq4D,eAAepmD,OAAS,SAAyBjO,GAAK,OAAOA,EAAE1C,WAAatB,OAAOq4D,eAAer0D,EAAI,EAAUg0D,EAAgBh0D,EAAI,CAEnN,SAASs0D,EAA2Bt0D,EAAGu0D,GAAkB,IAAIC,EAAuB,oBAAX10D,QAA0BE,EAAEF,OAAOwxB,WAAatxB,EAAE,cAAe,IAAKw0D,EAAI,CAAE,GAAIn2D,MAAMoI,QAAQzG,KAAOw0D,EAE9K,SAAqCx0D,EAAGy0D,GAAU,GAAKz0D,EAAL,CAAgB,GAAiB,iBAANA,EAAgB,OAAO00D,EAAkB10D,EAAGy0D,GAAS,IAAIjiC,EAAIx2B,OAAOC,UAAUgE,SAAStC,KAAKqC,GAAGpC,MAAM,GAAI,GAAiE,MAAnD,WAAN40B,GAAkBxyB,EAAEmyB,cAAaK,EAAIxyB,EAAEmyB,YAAY10B,MAAgB,QAAN+0B,GAAqB,QAANA,EAAoBn0B,MAAMmN,KAAKxL,GAAc,cAANwyB,GAAqB,2CAA2C/vB,KAAK+vB,GAAWkiC,EAAkB10D,EAAGy0D,QAAzG,CAA7O,CAA+V,CAF5OE,CAA4B30D,KAAOu0D,GAAkBv0D,GAAyB,iBAAbA,EAAE7B,OAAqB,CAAMq2D,IAAIx0D,EAAIw0D,GAAI,IAAIv2D,EAAI,EAAO22D,EAAI,WAAc,EAAG,MAAO,CAAEC,EAAGD,EAAGpiC,EAAG,WAAe,OAAIv0B,GAAK+B,EAAE7B,OAAe,CAAE22D,MAAM,GAAe,CAAEA,MAAM,EAAOjvD,MAAO7F,EAAE/B,KAAQ,EAAG2D,EAAG,SAAWmR,GAAM,MAAMA,CAAI,EAAGgiD,EAAGH,EAAK,CAAE,MAAM,IAAI/3D,UAAU,wIAA0I,CAAE,IAA6C8d,EAAzCq6C,GAAmB,EAAMC,GAAS,EAAY,MAAO,CAAEJ,EAAG,WAAeL,EAAKA,EAAG72D,KAAKqC,EAAI,EAAGwyB,EAAG,WAAe,IAAIvE,EAAOumC,EAAGtyC,OAAsC,OAA9B8yC,EAAmB/mC,EAAK6mC,KAAa7mC,CAAM,EAAGrsB,EAAG,SAAWszD,GAAOD,GAAS,EAAMt6C,EAAMu6C,CAAK,EAAGH,EAAG,WAAe,IAAWC,GAAiC,MAAbR,EAAGW,QAAgBX,EAAGW,QAAU,CAAE,QAAU,GAAIF,EAAQ,MAAMt6C,CAAK,CAAE,EAAK,CAIr+B,SAAS+5C,EAAkBl0C,EAAK1hB,IAAkB,MAAPA,GAAeA,EAAM0hB,EAAIriB,UAAQW,EAAM0hB,EAAIriB,QAAQ,IAAK,IAAIF,EAAI,EAAGm3D,EAAO,IAAI/2D,MAAMS,GAAMb,EAAIa,EAAKb,IAAOm3D,EAAKn3D,GAAKuiB,EAAIviB,GAAM,OAAOm3D,CAAM,CAEtL,SAASC,EAAgBp4C,EAAUq4C,GAAe,KAAMr4C,aAAoBq4C,GAAgB,MAAM,IAAIz4D,UAAU,oCAAwC,CAExJ,SAAS04D,EAAkBryD,EAAQsa,GAAS,IAAK,IAAIvf,EAAI,EAAGA,EAAIuf,EAAMrf,OAAQF,IAAK,CAAE,IAAIoY,EAAamH,EAAMvf,GAAIoY,EAAW7C,WAAa6C,EAAW7C,aAAc,EAAO6C,EAAW9C,cAAe,EAAU,UAAW8C,IAAYA,EAAW/C,UAAW,GAAMtX,OAAOoX,eAAelQ,EAAQmT,EAAW1Q,IAAK0Q,EAAa,CAAE,CAE5T,SAASm/C,EAAaF,EAAaG,EAAYC,GAAyN,OAAtMD,GAAYF,EAAkBD,EAAYr5D,UAAWw5D,GAAiBC,GAAaH,EAAkBD,EAAaI,GAAc15D,OAAOoX,eAAekiD,EAAa,YAAa,CAAEhiD,UAAU,IAAiBgiD,CAAa,CAE5R,SAASvC,EAAgB7/C,EAAKvN,EAAKE,GAAiK,OAApJF,KAAOuN,EAAOlX,OAAOoX,eAAeF,EAAKvN,EAAK,CAAEE,MAAOA,EAAO2N,YAAY,EAAMD,cAAc,EAAMD,UAAU,IAAkBJ,EAAIvN,GAAOE,EAAgBqN,CAAK,CAEhN,SAASyiD,EAA2BziD,EAAK0iD,EAAY/vD,IAErD,SAAoCqN,EAAK2iD,GAAqB,GAAIA,EAAkB95D,IAAImX,GAAQ,MAAM,IAAIrW,UAAU,iEAAqE,EAF3Hi5D,CAA2B5iD,EAAK0iD,GAAaA,EAAWnpD,IAAIyG,EAAKrN,EAAQ,CAIvI,SAASkwD,EAAsBC,EAAUJ,GAA0F,OAEnI,SAAkCI,EAAU3/C,GAAc,OAAIA,EAAWjM,IAAciM,EAAWjM,IAAIzM,KAAKq4D,GAAoB3/C,EAAWxQ,KAAO,CAFPowD,CAAyBD,EAA3FE,EAA6BF,EAAUJ,EAAY,OAA+D,CAI1L,SAASO,EAAsBH,EAAUJ,EAAY/vD,GAA4I,OAIjM,SAAkCmwD,EAAU3/C,EAAYxQ,GAAS,GAAIwQ,EAAW5J,IAAO4J,EAAW5J,IAAI9O,KAAKq4D,EAAUnwD,OAAe,CAAE,IAAKwQ,EAAW/C,SAAY,MAAM,IAAIzW,UAAU,4CAA+CwZ,EAAWxQ,MAAQA,CAAO,CAAE,CAJvHuwD,CAAyBJ,EAApFE,EAA6BF,EAAUJ,EAAY,OAAuD/vD,GAAeA,CAAO,CAE/M,SAASqwD,EAA6BF,EAAUJ,EAAYptD,GAAU,IAAKotD,EAAW75D,IAAIi6D,GAAa,MAAM,IAAIn5D,UAAU,gBAAkB2L,EAAS,kCAAqC,OAAOotD,EAAWxrD,IAAI4rD,EAAW,CA9C5Nh6D,OAAOoX,eAAekgD,EAAU,aAAc,CAC5CztD,OAAO,IAETytD,EAAS/kB,uBAAoB,EAC7B+kB,EAAS+C,WAAaA,EACtB/C,EAAS71C,aAAU,EACnB61C,EAASgD,oBAAsBA,EA4C/B,IAAIjoC,EAAgC,oBAAXvuB,OAAyBA,OAAOuuB,YAAc,gBAEnEkoC,EAA0B,IAAI5lD,QAE9B6lD,EAAwB,IAAI7lD,QAE5B8lD,EAAyC,WAC3C,SAASA,EAA0Bx+B,GACjC,IAAIy+B,EAAgBz+B,EAAK0+B,SACrBA,OAA6B,IAAlBD,EAA2B,WAAa,EAAIA,EACvDE,EAAiB3+B,EAAK4+B,UACtBA,OAA+B,IAAnBD,EAmNX,CACLE,YAAY,EACZC,aAAc,IArNmDH,EAC7DI,EAAe/+B,EAAKu2B,QACpBA,OAA2B,IAAjBwI,EAA0B,IAAIztD,SAAQ,SAAUC,EAASC,GACrE,OAAOktD,EAASntD,EAASC,GAAQ,SAAU+kC,GACzCqoB,EAAUE,aAAa95D,KAAKuxC,EAC9B,GACF,IAAKwoB,EAEL3B,EAAgB54D,KAAMg6D,GAEtBd,EAA2Bl5D,KAAM85D,EAAY,CAC3CjjD,UAAU,EACVzN,WAAO,IAGT8vD,EAA2Bl5D,KAAM+5D,EAAU,CACzCljD,UAAU,EACVzN,WAAO,IAGTktD,EAAgBt2D,KAAM4xB,EAAa,qBAEnC5xB,KAAK88B,OAAS98B,KAAK88B,OAAOtrB,KAAKxR,MAE/B05D,EAAsB15D,KAAM85D,EAAYM,GAExCV,EAAsB15D,KAAM+5D,EAAUhI,GAAW,IAAIjlD,SAAQ,SAAUC,EAASC,GAC9E,OAAOktD,EAASntD,EAASC,GAAQ,SAAU+kC,GACzCqoB,EAAUE,aAAa95D,KAAKuxC,EAC9B,GACF,IACF,CAsEA,OApEAgnB,EAAaiB,EAA2B,CAAC,CACvC9wD,IAAK,OACLE,MAAO,SAAcoxD,EAAaC,GAChC,OAAOC,EAAepB,EAAsBt5D,KAAM+5D,GAAU1kD,KAAKslD,EAAeH,EAAalB,EAAsBt5D,KAAM85D,IAAca,EAAeF,EAAYnB,EAAsBt5D,KAAM85D,KAAeR,EAAsBt5D,KAAM85D,GAC3O,GACC,CACD5wD,IAAK,QACLE,MAAO,SAAgBqxD,GACrB,OAAOC,EAAepB,EAAsBt5D,KAAM+5D,GAAUpkD,MAAMglD,EAAeF,EAAYnB,EAAsBt5D,KAAM85D,KAAeR,EAAsBt5D,KAAM85D,GACtK,GACC,CACD5wD,IAAK,UACLE,MAAO,SAAkBwxD,EAAWC,GAClC,IAAIC,EAAQ96D,KAMZ,OAJI66D,GACFvB,EAAsBt5D,KAAM85D,GAAYQ,aAAa95D,KAAKo6D,GAGrDF,EAAepB,EAAsBt5D,KAAM+5D,GAAUgB,QAAQJ,GAAe,WACjF,GAAIC,EAOF,OANIC,IACFvB,EAAsBwB,EAAOhB,GAAYQ,aAAehB,EAAsBwB,EAAOhB,GAAYQ,aAAarrD,QAAO,SAAUgE,GAC7H,OAAOA,IAAa2nD,CACtB,KAGKA,GAEX,GAAGtB,EAAsBt5D,KAAM85D,KAAeR,EAAsBt5D,KAAM85D,GAC5E,GACC,CACD5wD,IAAK,SACLE,MAAO,WACLkwD,EAAsBt5D,KAAM85D,GAAYO,YAAa,EAErD,IAAIW,EAAY1B,EAAsBt5D,KAAM85D,GAAYQ,aAExDhB,EAAsBt5D,KAAM85D,GAAYQ,aAAe,GAEvD,IACIW,EADAC,EAAYrD,EAA2BmD,GAG3C,IACE,IAAKE,EAAU9C,MAAO6C,EAAQC,EAAUnlC,KAAKsiC,MAAO,CAClD,IAAIplD,EAAWgoD,EAAM7xD,MAErB,GAAwB,mBAAb6J,EACT,IACEA,GACF,CAAE,MAAOiL,GACPnZ,EAAQC,MAAMkZ,EAChB,CAEJ,CACF,CAAE,MAAOA,GACPg9C,EAAU/1D,EAAE+Y,EACd,CAAE,QACAg9C,EAAU5C,GACZ,CACF,GACC,CACDpvD,IAAK,aACLE,MAAO,WACL,OAA8D,IAAvDkwD,EAAsBt5D,KAAM85D,GAAYO,UACjD,KAGKL,CACT,CA3G6C,GA6GzCloB,EAAiC,SAAUqpB,IA7J/C,SAAmBC,EAAUC,GAAc,GAA0B,mBAAfA,GAA4C,OAAfA,EAAuB,MAAM,IAAIj7D,UAAU,sDAAyDg7D,EAAS57D,UAAYD,OAAOqB,OAAOy6D,GAAcA,EAAW77D,UAAW,CAAEk2B,YAAa,CAAEtsB,MAAOgyD,EAAUvkD,UAAU,EAAMC,cAAc,KAAWvX,OAAOoX,eAAeykD,EAAU,YAAa,CAAEvkD,UAAU,IAAcwkD,GAAYvE,EAAgBsE,EAAUC,EAAa,CA8JjcC,CAAUxpB,EAAmBqpB,GAE7B,IAAII,EAASvE,EAAallB,GAE1B,SAASA,EAAkBooB,GAGzB,OAFAtB,EAAgB54D,KAAM8xC,GAEfypB,EAAOr6D,KAAKlB,KAAM,CACvBk6D,SAAUA,GAEd,CAEA,OAAOnB,EAAajnB,EACtB,CAdqC,CAcnCkoB,GAEFnD,EAAS/kB,kBAAoBA,EAE7BwkB,EAAgBxkB,EAAmB,OAAO,SAAa0pB,GACrD,OAAOC,EAAkBD,EAAU1uD,QAAQ6gC,IAAI6tB,GACjD,IAEAlF,EAAgBxkB,EAAmB,cAAc,SAAoB0pB,GACnE,OAAOC,EAAkBD,EAAU1uD,QAAQiqC,WAAWykB,GACxD,IAEAlF,EAAgBxkB,EAAmB,OAAO,SAAa0pB,GACrD,OAAOC,EAAkBD,EAAU1uD,QAAQ4uD,IAAIF,GACjD,IAEAlF,EAAgBxkB,EAAmB,QAAQ,SAAc0pB,GACvD,OAAOC,EAAkBD,EAAU1uD,QAAQ6uD,KAAKH,GAClD,IAEAlF,EAAgBxkB,EAAmB,WAAW,SAAiB1oC,GAC7D,OAAOwwD,EAAW9sD,QAAQC,QAAQ3D,GACpC,IAEAktD,EAAgBxkB,EAAmB,UAAU,SAAgBpd,GAC3D,OAAOklC,EAAW9sD,QAAQE,OAAO0nB,GACnC,IAEA4hC,EAAgBxkB,EAAmB,eAAgB+nB,GAEnD,IAAI+B,EAAW9pB,EAGf,SAAS8nB,EAAW7H,GAClB,OAAO2I,EAAe3I,EA2Df,CACLsI,YAAY,EACZC,aAAc,IA5DlB,CAEA,SAAST,EAAoB9H,GAC3B,OAAOA,aAAmBjgB,GAAqBigB,aAAmBiI,CACpE,CAEA,SAASW,EAAekB,EAAUzB,GAChC,GAAIyB,EACF,OAAO,SAAUC,GACf,IAAK1B,EAAUC,WAAY,CACzB,IAAItyD,EAAS8zD,EAASC,GAMtB,OAJIjC,EAAoB9xD,IACtBqyD,EAAUE,aAAa95D,KAAKuH,EAAO+0B,QAG9B/0B,CACT,CAEA,OAAO+zD,CACT,CAEJ,CAEA,SAASpB,EAAe3I,EAASqI,GAC/B,OAAO,IAAIJ,EAA0B,CACnCI,UAAWA,EACXrI,QAASA,GAEb,CAEA,SAAS0J,EAAkBD,EAAUzJ,GACnC,IAAIqI,EA0BG,CACLC,YAAY,EACZC,aAAc,IAThB,OAlBAF,EAAUE,aAAa95D,MAAK,WAC1B,IACIu7D,EADAC,EAAanE,EAA2B2D,GAG5C,IACE,IAAKQ,EAAW5D,MAAO2D,EAASC,EAAWjmC,KAAKsiC,MAAO,CACrD,IAAI4D,EAAaF,EAAO3yD,MAEpBywD,EAAoBoC,IACtBA,EAAWn/B,QAEf,CACF,CAAE,MAAO5e,GACP89C,EAAW72D,EAAE+Y,EACf,CAAE,QACA89C,EAAW1D,GACb,CACF,IACO,IAAI0B,EAA0B,CACnCI,UAAWA,EACXrI,QAASA,GAEb,CA3DA8E,EAAS71C,QAAU46C,CAmErB,OAlS+B,iBAApB,CAAC,OAAmB,2HCA3BM,EAAgC,IAAIx1D,IAAI,cACxCy1D,EAAgC,IAAIz1D,IAAI,cACxC01D,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,0hEAiEfyyD,+oCAyCAC,s1MAqQvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,m2FAAm2F,eAAiB,CAAC,shUAAshU,WAAa,MAE1ga,4FCxXIF,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,0zBAsCtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,yTAAyT,eAAiB,CAAC,2zBAA2zB,WAAa,MAEpxC,4FC1CIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,kUAAmU,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yDAAyD,MAAQ,GAAG,SAAW,yGAAyG,eAAiB,CAAC,0WAA0W,WAAa,MAEx8B,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,+jBAAgkB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+DAA+D,MAAQ,GAAG,SAAW,wOAAwO,eAAiB,CAAC,sqBAAsqB,WAAa,MAEtoD,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,omCAAqmC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,gEAAgE,MAAQ,GAAG,SAAW,gYAAgY,eAAiB,CAAC,23CAA23C,WAAa,MAEzhG,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,8YAA+Y,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oEAAoE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,6sBAA6sB,WAAa,MAEr6C,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,2ZAA4Z,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oDAAoD,eAAiB,CAAC,kkBAAskB,WAAa,MAEvtC,2FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,uMAAwM,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oCAAoC,eAAiB,CAAC,kOAAkO,WAAa,MAE/oB,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,mPAAoP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,gFAAgF,eAAiB,CAAC,8XAA8X,WAAa,MAE73B,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,sKAAuK,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,8CAA8C,eAAiB,CAAC,wNAAwN,WAAa,MAExmB,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,2FAA4F,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yEAAyE,MAAQ,GAAG,SAAW,6BAA6B,eAAiB,CAAC,6FAA6F,WAAa,MAExZ,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,q5BAAs5B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,ilBAAilB,WAAa,MAEpzD,2FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,yuPAA0uP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,44DAA44D,eAAiB,CAAC,qnSAAqnS,WAAa,MAEl6lB,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,y2DAA02D,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,0kBAA0kB,eAAiB,CAAC,6nEAA6nE,WAAa,MAExuJ,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,mQAAoQ,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6DAA6D,MAAQ,GAAG,SAAW,mEAAmE,eAAiB,CAAC,+UAA+U,WAAa,MAE50B,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,0wBAA2wB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kDAAkD,MAAQ,GAAG,SAAW,uOAAuO,eAAiB,CAAC,8gCAA8gC,WAAa,MAE3qE,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,sfAAuf,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,mDAAmD,MAAQ,GAAG,SAAW,iHAAiH,eAAiB,CAAC,mrBAAmrB,WAAa,MAEv8C,4FCJIwyD,QAA0B,GAA4B,KAE1DA,EAAwB57D,KAAK,CAACuC,EAAO6G,GAAI,kEAAmE,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,iDAAiD,MAAQ,GAAG,SAAW,mBAAmB,eAAiB,CAAC,+DAA+D,WAAa,MAE/T,kDCPC,SAAW2yD,GACVA,EAAI3H,OAAS,SAAUp6C,EAAQgiD,GAAO,OAAO,IAAIC,EAAUjiD,EAAQgiD,EAAK,EACxED,EAAIE,UAAYA,EAChBF,EAAIG,UAAYA,EAChBH,EAAII,aAwKJ,SAAuBniD,EAAQgiD,GAC7B,OAAO,IAAIE,EAAUliD,EAAQgiD,EAC/B,EA/JAD,EAAIK,kBAAoB,MAExB,IA+IIC,EA/IAC,EAAU,CACZ,UAAW,WAAY,WAAY,UAAW,UAC9C,eAAgB,eAAgB,SAAU,aAC1C,cAAe,QAAS,UAwB1B,SAASL,EAAWjiD,EAAQgiD,GAC1B,KAAMx8D,gBAAgBy8D,GACpB,OAAO,IAAIA,EAAUjiD,EAAQgiD,GAG/B,IAAI5H,EAAS50D,MAqFf,SAAuB40D,GACrB,IAAK,IAAIpzD,EAAI,EAAGC,EAAIq7D,EAAQp7D,OAAQF,EAAIC,EAAGD,IACzCozD,EAAOkI,EAAQt7D,IAAM,EAEzB,CAxFEu7D,CAAanI,GACbA,EAAOoI,EAAIpI,EAAO72C,EAAI,GACtB62C,EAAOqI,oBAAsBV,EAAIK,kBACjChI,EAAO4H,IAAMA,GAAO,CAAC,EACrB5H,EAAO4H,IAAIU,UAAYtI,EAAO4H,IAAIU,WAAatI,EAAO4H,IAAIW,cAC1DvI,EAAOwI,UAAYxI,EAAO4H,IAAIU,UAAY,cAAgB,cAC1DtI,EAAOyI,KAAO,GACdzI,EAAO0I,OAAS1I,EAAO2I,WAAa3I,EAAO4I,SAAU,EACrD5I,EAAO5sC,IAAM4sC,EAAO5vD,MAAQ,KAC5B4vD,EAAOp6C,SAAWA,EAClBo6C,EAAO6I,YAAcjjD,IAAUo6C,EAAO4H,IAAIiB,UAC1C7I,EAAO3rD,MAAQy0D,EAAEC,MACjB/I,EAAOgJ,eAAiBhJ,EAAO4H,IAAIoB,eACnChJ,EAAOiJ,SAAWjJ,EAAOgJ,eAAiBr+D,OAAOqB,OAAO27D,EAAIuB,cAAgBv+D,OAAOqB,OAAO27D,EAAIsB,UAC9FjJ,EAAOmJ,WAAa,GAKhBnJ,EAAO4H,IAAIwB,QACbpJ,EAAOqJ,GAAK1+D,OAAOqB,OAAOs9D,IAI5BtJ,EAAOuJ,eAAwC,IAAxBvJ,EAAO4H,IAAI5tC,SAC9BgmC,EAAOuJ,gBACTvJ,EAAOhmC,SAAWgmC,EAAOwJ,KAAOxJ,EAAOxL,OAAS,GAElDtnD,EAAK8yD,EAAQ,UACf,CAxDA2H,EAAI8B,OAAS,CACX,OACA,wBACA,kBACA,UACA,UACA,eACA,YACA,UACA,WACA,YACA,QACA,aACA,QACA,MACA,QACA,SACA,gBACA,kBAwCG9+D,OAAOqB,SACVrB,OAAOqB,OAAS,SAAU2C,GACxB,SAAS40D,IAAM,CAGf,OAFAA,EAAE34D,UAAY+D,EACH,IAAI40D,CAEjB,GAGG54D,OAAO4K,OACV5K,OAAO4K,KAAO,SAAU5G,GACtB,IAAI4C,EAAI,GACR,IAAK,IAAI3E,KAAK+B,EAAOA,EAAE9D,eAAe+B,IAAI2E,EAAE3F,KAAKgB,GACjD,OAAO2E,CACT,GAyDFs2D,EAAUj9D,UAAY,CACpB8mB,IAAK,WAAcA,EAAItmB,KAAM,EAC7Bs+D,MA2yBF,SAAgBz4B,GACd,IAAI+uB,EAAS50D,KACb,GAAIA,KAAKgF,MACP,MAAMhF,KAAKgF,MAEb,GAAI4vD,EAAO0I,OACT,OAAOt4D,EAAM4vD,EACX,wDAEJ,GAAc,OAAV/uB,EACF,OAAOvf,EAAIsuC,GAEQ,iBAAV/uB,IACTA,EAAQA,EAAMriC,YAIhB,IAFA,IAAIhC,EAAI,EACJuc,EAAI,GAENA,EAAIyF,EAAOqiB,EAAOrkC,KAClBozD,EAAO72C,EAAIA,EAENA,GAcL,OAVI62C,EAAOuJ,gBACTvJ,EAAOhmC,WACG,OAAN7Q,GACF62C,EAAOwJ,OACPxJ,EAAOxL,OAAS,GAEhBwL,EAAOxL,UAIHwL,EAAO3rD,OACb,KAAKy0D,EAAEC,MAEL,GADA/I,EAAO3rD,MAAQy0D,EAAEa,iBACP,WAANxgD,EACF,SAEFygD,EAAgB5J,EAAQ72C,GACxB,SAEF,KAAK2/C,EAAEa,iBACLC,EAAgB5J,EAAQ72C,GACxB,SAEF,KAAK2/C,EAAEe,KACL,GAAI7J,EAAO4I,UAAY5I,EAAO2I,WAAY,CAExC,IADA,IAAImB,EAASl9D,EAAI,EACVuc,GAAW,MAANA,GAAmB,MAANA,IACvBA,EAAIyF,EAAOqiB,EAAOrkC,OACTozD,EAAOuJ,gBACdvJ,EAAOhmC,WACG,OAAN7Q,GACF62C,EAAOwJ,OACPxJ,EAAOxL,OAAS,GAEhBwL,EAAOxL,UAIbwL,EAAO+J,UAAY94B,EAAM+4B,UAAUF,EAAQl9D,EAAI,EACjD,CACU,MAANuc,GAAe62C,EAAO4I,SAAW5I,EAAO2I,aAAe3I,EAAOp6C,QAI3DqkD,EAAa9gD,IAAQ62C,EAAO4I,UAAW5I,EAAO2I,YACjDuB,EAAWlK,EAAQ,mCAEX,MAAN72C,EACF62C,EAAO3rD,MAAQy0D,EAAEqB,YAEjBnK,EAAO+J,UAAY5gD,IATrB62C,EAAO3rD,MAAQy0D,EAAEsB,UACjBpK,EAAOqK,iBAAmBrK,EAAOhmC,UAWnC,SAEF,KAAK8uC,EAAEwB,OAEK,MAANnhD,EACF62C,EAAO3rD,MAAQy0D,EAAEyB,cAEjBvK,EAAOwK,QAAUrhD,EAEnB,SAEF,KAAK2/C,EAAEyB,cACK,MAANphD,EACF62C,EAAO3rD,MAAQy0D,EAAE2B,WAEjBzK,EAAOwK,QAAU,IAAMrhD,EACvB62C,EAAO3rD,MAAQy0D,EAAEwB,QAEnB,SAEF,KAAKxB,EAAEsB,UAEL,GAAU,MAANjhD,EACF62C,EAAO3rD,MAAQy0D,EAAE4B,UACjB1K,EAAO2K,SAAW,QACb,GAAIV,EAAa9gD,SAEjB,GAAIyhD,EAAQC,EAAW1hD,GAC5B62C,EAAO3rD,MAAQy0D,EAAEgC,SACjB9K,EAAO+K,QAAU5hD,OACZ,GAAU,MAANA,EACT62C,EAAO3rD,MAAQy0D,EAAE2B,UACjBzK,EAAO+K,QAAU,QACZ,GAAU,MAAN5hD,EACT62C,EAAO3rD,MAAQy0D,EAAEkC,UACjBhL,EAAOiL,aAAejL,EAAOkL,aAAe,OACvC,CAGL,GAFAhB,EAAWlK,EAAQ,eAEfA,EAAOqK,iBAAmB,EAAIrK,EAAOhmC,SAAU,CACjD,IAAImxC,EAAMnL,EAAOhmC,SAAWgmC,EAAOqK,iBACnClhD,EAAI,IAAInc,MAAMm+D,GAAKjnD,KAAK,KAAOiF,CACjC,CACA62C,EAAO+J,UAAY,IAAM5gD,EACzB62C,EAAO3rD,MAAQy0D,EAAEe,IACnB,CACA,SAEF,KAAKf,EAAE4B,WACA1K,EAAO2K,SAAWxhD,GAAG3D,gBAAkB4lD,GAC1CC,EAASrL,EAAQ,eACjBA,EAAO3rD,MAAQy0D,EAAEsC,MACjBpL,EAAO2K,SAAW,GAClB3K,EAAOsL,MAAQ,IACNtL,EAAO2K,SAAWxhD,IAAM,MACjC62C,EAAO3rD,MAAQy0D,EAAEyC,QACjBvL,EAAOwL,QAAU,GACjBxL,EAAO2K,SAAW,KACR3K,EAAO2K,SAAWxhD,GAAG3D,gBAAkBimD,GACjDzL,EAAO3rD,MAAQy0D,EAAE2C,SACbzL,EAAO0L,SAAW1L,EAAO4I,UAC3BsB,EAAWlK,EACT,+CAEJA,EAAO0L,QAAU,GACjB1L,EAAO2K,SAAW,IACH,MAANxhD,GACTkiD,EAASrL,EAAQ,oBAAqBA,EAAO2K,UAC7C3K,EAAO2K,SAAW,GAClB3K,EAAO3rD,MAAQy0D,EAAEe,MACR8B,EAAQxiD,IACjB62C,EAAO3rD,MAAQy0D,EAAE8C,iBACjB5L,EAAO2K,UAAYxhD,GAEnB62C,EAAO2K,UAAYxhD,EAErB,SAEF,KAAK2/C,EAAE8C,iBACDziD,IAAM62C,EAAOoI,IACfpI,EAAO3rD,MAAQy0D,EAAE4B,UACjB1K,EAAOoI,EAAI,IAEbpI,EAAO2K,UAAYxhD,EACnB,SAEF,KAAK2/C,EAAE2C,QACK,MAANtiD,GACF62C,EAAO3rD,MAAQy0D,EAAEe,KACjBwB,EAASrL,EAAQ,YAAaA,EAAO0L,SACrC1L,EAAO0L,SAAU,IAEjB1L,EAAO0L,SAAWviD,EACR,MAANA,EACF62C,EAAO3rD,MAAQy0D,EAAE+C,YACRF,EAAQxiD,KACjB62C,EAAO3rD,MAAQy0D,EAAEgD,eACjB9L,EAAOoI,EAAIj/C,IAGf,SAEF,KAAK2/C,EAAEgD,eACL9L,EAAO0L,SAAWviD,EACdA,IAAM62C,EAAOoI,IACfpI,EAAOoI,EAAI,GACXpI,EAAO3rD,MAAQy0D,EAAE2C,SAEnB,SAEF,KAAK3C,EAAE+C,YACL7L,EAAO0L,SAAWviD,EACR,MAANA,EACF62C,EAAO3rD,MAAQy0D,EAAE2C,QACRE,EAAQxiD,KACjB62C,EAAO3rD,MAAQy0D,EAAEiD,mBACjB/L,EAAOoI,EAAIj/C,GAEb,SAEF,KAAK2/C,EAAEiD,mBACL/L,EAAO0L,SAAWviD,EACdA,IAAM62C,EAAOoI,IACfpI,EAAO3rD,MAAQy0D,EAAE+C,YACjB7L,EAAOoI,EAAI,IAEb,SAEF,KAAKU,EAAEyC,QACK,MAANpiD,EACF62C,EAAO3rD,MAAQy0D,EAAEkD,eAEjBhM,EAAOwL,SAAWriD,EAEpB,SAEF,KAAK2/C,EAAEkD,eACK,MAAN7iD,GACF62C,EAAO3rD,MAAQy0D,EAAEmD,cACjBjM,EAAOwL,QAAUU,EAASlM,EAAO4H,IAAK5H,EAAOwL,SACzCxL,EAAOwL,SACTH,EAASrL,EAAQ,YAAaA,EAAOwL,SAEvCxL,EAAOwL,QAAU,KAEjBxL,EAAOwL,SAAW,IAAMriD,EACxB62C,EAAO3rD,MAAQy0D,EAAEyC,SAEnB,SAEF,KAAKzC,EAAEmD,cACK,MAAN9iD,GACF+gD,EAAWlK,EAAQ,qBAGnBA,EAAOwL,SAAW,KAAOriD,EACzB62C,EAAO3rD,MAAQy0D,EAAEyC,SAEjBvL,EAAO3rD,MAAQy0D,EAAEe,KAEnB,SAEF,KAAKf,EAAEsC,MACK,MAANjiD,EACF62C,EAAO3rD,MAAQy0D,EAAEqD,aAEjBnM,EAAOsL,OAASniD,EAElB,SAEF,KAAK2/C,EAAEqD,aACK,MAANhjD,EACF62C,EAAO3rD,MAAQy0D,EAAEsD,gBAEjBpM,EAAOsL,OAAS,IAAMniD,EACtB62C,EAAO3rD,MAAQy0D,EAAEsC,OAEnB,SAEF,KAAKtC,EAAEsD,eACK,MAANjjD,GACE62C,EAAOsL,OACTD,EAASrL,EAAQ,UAAWA,EAAOsL,OAErCD,EAASrL,EAAQ,gBACjBA,EAAOsL,MAAQ,GACftL,EAAO3rD,MAAQy0D,EAAEe,MACF,MAAN1gD,EACT62C,EAAOsL,OAAS,KAEhBtL,EAAOsL,OAAS,KAAOniD,EACvB62C,EAAO3rD,MAAQy0D,EAAEsC,OAEnB,SAEF,KAAKtC,EAAEkC,UACK,MAAN7hD,EACF62C,EAAO3rD,MAAQy0D,EAAEuD,iBACRpC,EAAa9gD,GACtB62C,EAAO3rD,MAAQy0D,EAAEwD,eAEjBtM,EAAOiL,cAAgB9hD,EAEzB,SAEF,KAAK2/C,EAAEwD,eACL,IAAKtM,EAAOkL,cAAgBjB,EAAa9gD,GACvC,SACe,MAANA,EACT62C,EAAO3rD,MAAQy0D,EAAEuD,iBAEjBrM,EAAOkL,cAAgB/hD,EAEzB,SAEF,KAAK2/C,EAAEuD,iBACK,MAANljD,GACFkiD,EAASrL,EAAQ,0BAA2B,CAC1C5zD,KAAM4zD,EAAOiL,aACbt4D,KAAMqtD,EAAOkL,eAEflL,EAAOiL,aAAejL,EAAOkL,aAAe,GAC5ClL,EAAO3rD,MAAQy0D,EAAEe,OAEjB7J,EAAOkL,cAAgB,IAAM/hD,EAC7B62C,EAAO3rD,MAAQy0D,EAAEwD,gBAEnB,SAEF,KAAKxD,EAAEgC,SACDF,EAAQ2B,EAAUpjD,GACpB62C,EAAO+K,SAAW5hD,GAElBqjD,EAAOxM,GACG,MAAN72C,EACFsjD,EAAQzM,GACO,MAAN72C,EACT62C,EAAO3rD,MAAQy0D,EAAE4D,gBAEZzC,EAAa9gD,IAChB+gD,EAAWlK,EAAQ,iCAErBA,EAAO3rD,MAAQy0D,EAAE6D,SAGrB,SAEF,KAAK7D,EAAE4D,eACK,MAANvjD,GACFsjD,EAAQzM,GAAQ,GAChB4M,EAAS5M,KAETkK,EAAWlK,EAAQ,kDACnBA,EAAO3rD,MAAQy0D,EAAE6D,QAEnB,SAEF,KAAK7D,EAAE6D,OAEL,GAAI1C,EAAa9gD,GACf,SACe,MAANA,EACTsjD,EAAQzM,GACO,MAAN72C,EACT62C,EAAO3rD,MAAQy0D,EAAE4D,eACR9B,EAAQC,EAAW1hD,IAC5B62C,EAAO6M,WAAa1jD,EACpB62C,EAAO8M,YAAc,GACrB9M,EAAO3rD,MAAQy0D,EAAEiE,aAEjB7C,EAAWlK,EAAQ,0BAErB,SAEF,KAAK8I,EAAEiE,YACK,MAAN5jD,EACF62C,EAAO3rD,MAAQy0D,EAAEkE,aACF,MAAN7jD,GACT+gD,EAAWlK,EAAQ,2BACnBA,EAAO8M,YAAc9M,EAAO6M,WAC5BI,EAAOjN,GACPyM,EAAQzM,IACCiK,EAAa9gD,GACtB62C,EAAO3rD,MAAQy0D,EAAEoE,sBACRtC,EAAQ2B,EAAUpjD,GAC3B62C,EAAO6M,YAAc1jD,EAErB+gD,EAAWlK,EAAQ,0BAErB,SAEF,KAAK8I,EAAEoE,sBACL,GAAU,MAAN/jD,EACF62C,EAAO3rD,MAAQy0D,EAAEkE,iBACZ,IAAI/C,EAAa9gD,GACtB,SAEA+gD,EAAWlK,EAAQ,2BACnBA,EAAO5sC,IAAI6nB,WAAW+kB,EAAO6M,YAAc,GAC3C7M,EAAO8M,YAAc,GACrBzB,EAASrL,EAAQ,cAAe,CAC9B5zD,KAAM4zD,EAAO6M,WACbr4D,MAAO,KAETwrD,EAAO6M,WAAa,GACV,MAAN1jD,EACFsjD,EAAQzM,GACC4K,EAAQC,EAAW1hD,IAC5B62C,EAAO6M,WAAa1jD,EACpB62C,EAAO3rD,MAAQy0D,EAAEiE,cAEjB7C,EAAWlK,EAAQ,0BACnBA,EAAO3rD,MAAQy0D,EAAE6D,OAErB,CACA,SAEF,KAAK7D,EAAEkE,aACL,GAAI/C,EAAa9gD,GACf,SACSwiD,EAAQxiD,IACjB62C,EAAOoI,EAAIj/C,EACX62C,EAAO3rD,MAAQy0D,EAAEqE,sBAEjBjD,EAAWlK,EAAQ,4BACnBA,EAAO3rD,MAAQy0D,EAAEsE,sBACjBpN,EAAO8M,YAAc3jD,GAEvB,SAEF,KAAK2/C,EAAEqE,oBACL,GAAIhkD,IAAM62C,EAAOoI,EAAG,CACR,MAANj/C,EACF62C,EAAO3rD,MAAQy0D,EAAEuE,sBAEjBrN,EAAO8M,aAAe3jD,EAExB,QACF,CACA8jD,EAAOjN,GACPA,EAAOoI,EAAI,GACXpI,EAAO3rD,MAAQy0D,EAAEwE,oBACjB,SAEF,KAAKxE,EAAEwE,oBACDrD,EAAa9gD,GACf62C,EAAO3rD,MAAQy0D,EAAE6D,OACF,MAANxjD,EACTsjD,EAAQzM,GACO,MAAN72C,EACT62C,EAAO3rD,MAAQy0D,EAAE4D,eACR9B,EAAQC,EAAW1hD,IAC5B+gD,EAAWlK,EAAQ,oCACnBA,EAAO6M,WAAa1jD,EACpB62C,EAAO8M,YAAc,GACrB9M,EAAO3rD,MAAQy0D,EAAEiE,aAEjB7C,EAAWlK,EAAQ,0BAErB,SAEF,KAAK8I,EAAEsE,sBACL,IAAKG,EAAYpkD,GAAI,CACT,MAANA,EACF62C,EAAO3rD,MAAQy0D,EAAE0E,sBAEjBxN,EAAO8M,aAAe3jD,EAExB,QACF,CACA8jD,EAAOjN,GACG,MAAN72C,EACFsjD,EAAQzM,GAERA,EAAO3rD,MAAQy0D,EAAE6D,OAEnB,SAEF,KAAK7D,EAAE2B,UACL,GAAKzK,EAAO+K,QAaK,MAAN5hD,EACTyjD,EAAS5M,GACA4K,EAAQ2B,EAAUpjD,GAC3B62C,EAAO+K,SAAW5hD,EACT62C,EAAOwK,QAChBxK,EAAOwK,QAAU,KAAOxK,EAAO+K,QAC/B/K,EAAO+K,QAAU,GACjB/K,EAAO3rD,MAAQy0D,EAAEwB,SAEZL,EAAa9gD,IAChB+gD,EAAWlK,EAAQ,kCAErBA,EAAO3rD,MAAQy0D,EAAE2E,yBAzBE,CACnB,GAAIxD,EAAa9gD,GACf,SACSukD,EAAS7C,EAAW1hD,GACzB62C,EAAOwK,QACTxK,EAAOwK,QAAU,KAAOrhD,EACxB62C,EAAO3rD,MAAQy0D,EAAEwB,QAEjBJ,EAAWlK,EAAQ,mCAGrBA,EAAO+K,QAAU5hD,CAErB,CAcA,SAEF,KAAK2/C,EAAE2E,oBACL,GAAIxD,EAAa9gD,GACf,SAEQ,MAANA,EACFyjD,EAAS5M,GAETkK,EAAWlK,EAAQ,qCAErB,SAEF,KAAK8I,EAAEqB,YACP,KAAKrB,EAAEuE,sBACP,KAAKvE,EAAE0E,sBACL,IAAIG,EACAC,EACJ,OAAQ5N,EAAO3rD,OACb,KAAKy0D,EAAEqB,YACLwD,EAAc7E,EAAEe,KAChB+D,EAAS,WACT,MAEF,KAAK9E,EAAEuE,sBACLM,EAAc7E,EAAEqE,oBAChBS,EAAS,cACT,MAEF,KAAK9E,EAAE0E,sBACLG,EAAc7E,EAAEsE,sBAChBQ,EAAS,cAIb,GAAU,MAANzkD,EACF,GAAI62C,EAAO4H,IAAIiG,iBAAkB,CAC/B,IAAIC,EAAeC,EAAY/N,GAC/BA,EAAOgO,OAAS,GAChBhO,EAAO3rD,MAAQs5D,EACf3N,EAAO0J,MAAMoE,EACf,MACE9N,EAAO4N,IAAWG,EAAY/N,GAC9BA,EAAOgO,OAAS,GAChBhO,EAAO3rD,MAAQs5D,OAER/C,EAAQ5K,EAAOgO,OAAOlhE,OAASmhE,EAAaC,EAAa/kD,GAClE62C,EAAOgO,QAAU7kD,GAEjB+gD,EAAWlK,EAAQ,oCACnBA,EAAO4N,IAAW,IAAM5N,EAAOgO,OAAS7kD,EACxC62C,EAAOgO,OAAS,GAChBhO,EAAO3rD,MAAQs5D,GAGjB,SAEF,QACE,MAAM,IAAIv6D,MAAM4sD,EAAQ,kBAAoBA,EAAO3rD,OAQzD,OAHI2rD,EAAOhmC,UAAYgmC,EAAOqI,qBAt4ChC,SAA4BrI,GAG1B,IAFA,IAAImO,EAAalvC,KAAKD,IAAI2oC,EAAIK,kBAAmB,IAC7CoG,EAAY,EACPxhE,EAAI,EAAGC,EAAIq7D,EAAQp7D,OAAQF,EAAIC,EAAGD,IAAK,CAC9C,IAAIa,EAAMuyD,EAAOkI,EAAQt7D,IAAIE,OAC7B,GAAIW,EAAM0gE,EAKR,OAAQjG,EAAQt7D,IACd,IAAK,WACHyhE,EAAUrO,GACV,MAEF,IAAK,QACHqL,EAASrL,EAAQ,UAAWA,EAAOsL,OACnCtL,EAAOsL,MAAQ,GACf,MAEF,IAAK,SACHD,EAASrL,EAAQ,WAAYA,EAAOwK,QACpCxK,EAAOwK,OAAS,GAChB,MAEF,QACEp6D,EAAM4vD,EAAQ,+BAAiCkI,EAAQt7D,IAG7DwhE,EAAYnvC,KAAKD,IAAIovC,EAAW3gE,EAClC,CAEA,IAAIijB,EAAIi3C,EAAIK,kBAAoBoG,EAChCpO,EAAOqI,oBAAsB33C,EAAIsvC,EAAOhmC,QAC1C,CAq2CIs0C,CAAkBtO,GAEbA,CACT,EAj1CEuO,OAAQ,WAAiC,OAAnBnjE,KAAKgF,MAAQ,KAAahF,IAAK,EACrDgiC,MAAO,WAAc,OAAOhiC,KAAKs+D,MAAM,KAAM,EAC7C9rD,MAAO,WAjBT,IAAuBoiD,EACrBqO,EADqBrO,EAiBa50D,MAfb,KAAjB40D,EAAOsL,QACTD,EAASrL,EAAQ,UAAWA,EAAOsL,OACnCtL,EAAOsL,MAAQ,IAEK,KAAlBtL,EAAOwK,SACTa,EAASrL,EAAQ,WAAYA,EAAOwK,QACpCxK,EAAOwK,OAAS,GASsB,GAI1C,IACEvC,EAAS,eACX,CAAE,MAAOuG,GACPvG,EAAS,WAAa,CACxB,CACKA,IAAQA,EAAS,WAAa,GAEnC,IAAIwG,EAAc9G,EAAI8B,OAAOpvD,QAAO,SAAUq0D,GAC5C,MAAc,UAAPA,GAAyB,QAAPA,CAC3B,IAMA,SAAS5G,EAAWliD,EAAQgiD,GAC1B,KAAMx8D,gBAAgB08D,GACpB,OAAO,IAAIA,EAAUliD,EAAQgiD,GAG/BK,EAAOp6D,MAAMzC,MAEbA,KAAKujE,QAAU,IAAI9G,EAAUjiD,EAAQgiD,GACrCx8D,KAAK6W,UAAW,EAChB7W,KAAKwjE,UAAW,EAEhB,IAAIC,EAAKzjE,KAETA,KAAKujE,QAAQG,MAAQ,WACnBD,EAAG3hE,KAAK,MACV,EAEA9B,KAAKujE,QAAQz+D,QAAU,SAAU6+D,GAC/BF,EAAG3hE,KAAK,QAAS6hE,GAIjBF,EAAGF,QAAQv+D,MAAQ,IACrB,EAEAhF,KAAK4jE,SAAW,KAEhBP,EAAYh1D,SAAQ,SAAUi1D,GAC5B/jE,OAAOoX,eAAe8sD,EAAI,KAAOH,EAAI,CACnC31D,IAAK,WACH,OAAO81D,EAAGF,QAAQ,KAAOD,EAC3B,EACAtzD,IAAK,SAAUqR,GACb,IAAKA,EAGH,OAFAoiD,EAAG7gE,mBAAmB0gE,GACtBG,EAAGF,QAAQ,KAAOD,GAAMjiD,EACjBA,EAEToiD,EAAG9gE,GAAG2gE,EAAIjiD,EACZ,EACAtK,YAAY,EACZD,cAAc,GAElB,GACF,CAEA4lD,EAAUl9D,UAAYD,OAAOqB,OAAOi8D,EAAOr9D,UAAW,CACpDk2B,YAAa,CACXtsB,MAAOszD,KAIXA,EAAUl9D,UAAU8+D,MAAQ,SAAUp0D,GACpC,GAAsB,mBAAX25D,GACkB,mBAApBA,EAAOC,UACdD,EAAOC,SAAS55D,GAAO,CACvB,IAAKlK,KAAK4jE,SAAU,CAClB,IAAIG,EAAK,WACT/jE,KAAK4jE,SAAW,IAAIG,EAAG,OACzB,CACA75D,EAAOlK,KAAK4jE,SAAStF,MAAMp0D,EAC7B,CAIA,OAFAlK,KAAKujE,QAAQjF,MAAMp0D,EAAK1G,YACxBxD,KAAK8B,KAAK,OAAQoI,IACX,CACT,EAEAwyD,EAAUl9D,UAAU8mB,IAAM,SAAUuf,GAKlC,OAJIA,GAASA,EAAMnkC,QACjB1B,KAAKs+D,MAAMz4B,GAEb7lC,KAAKujE,QAAQj9C,OACN,CACT,EAEAo2C,EAAUl9D,UAAUmD,GAAK,SAAU2gE,EAAIn6C,GACrC,IAAIs6C,EAAKzjE,KAST,OARKyjE,EAAGF,QAAQ,KAAOD,KAAoC,IAA7BD,EAAYhwD,QAAQiwD,KAChDG,EAAGF,QAAQ,KAAOD,GAAM,WACtB,IAAIlhE,EAA4B,IAArBE,UAAUZ,OAAe,CAACY,UAAU,IAAMV,MAAMa,MAAM,KAAMH,WACvEF,EAAKkR,OAAO,EAAG,EAAGgwD,GAClBG,EAAG3hE,KAAKW,MAAMghE,EAAIrhE,EACpB,GAGKy6D,EAAOr9D,UAAUmD,GAAGzB,KAAKuiE,EAAIH,EAAIn6C,EAC1C,EAIA,IAAI62C,EAAQ,UACRK,EAAU,UACV2D,EAAgB,uCAChBC,EAAkB,gCAClB/F,EAAS,CAAEgG,IAAKF,EAAehG,MAAOiG,GAQtCxE,EAAY,4JAEZ0B,EAAW,gMAEX2B,EAAc,6JACdD,EAAa,iMAEjB,SAAShE,EAAc9gD,GACrB,MAAa,MAANA,GAAmB,OAANA,GAAoB,OAANA,GAAoB,OAANA,CAClD,CAEA,SAASwiD,EAASxiD,GAChB,MAAa,MAANA,GAAmB,MAANA,CACtB,CAEA,SAASokD,EAAapkD,GACpB,MAAa,MAANA,GAAa8gD,EAAa9gD,EACnC,CAEA,SAASyhD,EAAS3zC,EAAO9N,GACvB,OAAO8N,EAAM7lB,KAAK+X,EACpB,CAEA,SAASukD,EAAUz2C,EAAO9N,GACxB,OAAQyhD,EAAQ3zC,EAAO9N,EACzB,CAEA,IAgsCQomD,EACA7X,EACA8X,EAlsCJ1G,EAAI,EAsTR,IAAK,IAAItF,KArTTmE,EAAI8H,MAAQ,CACV1G,MAAOD,IACPa,iBAAkBb,IAClBe,KAAMf,IACNqB,YAAarB,IACbsB,UAAWtB,IACX4B,UAAW5B,IACX8C,iBAAkB9C,IAClB2C,QAAS3C,IACTgD,eAAgBhD,IAChB+C,YAAa/C,IACbiD,mBAAoBjD,IACpB4G,iBAAkB5G,IAClByC,QAASzC,IACTkD,eAAgBlD,IAChBmD,cAAenD,IACfsC,MAAOtC,IACPqD,aAAcrD,IACdsD,eAAgBtD,IAChBkC,UAAWlC,IACXwD,eAAgBxD,IAChBuD,iBAAkBvD,IAClBgC,SAAUhC,IACV4D,eAAgB5D,IAChB6D,OAAQ7D,IACRiE,YAAajE,IACboE,sBAAuBpE,IACvBkE,aAAclE,IACdqE,oBAAqBrE,IACrBwE,oBAAqBxE,IACrBsE,sBAAuBtE,IACvBuE,sBAAuBvE,IACvB0E,sBAAuB1E,IACvB2B,UAAW3B,IACX2E,oBAAqB3E,IACrBwB,OAAQxB,IACRyB,cAAezB,KAGjBnB,EAAIuB,aAAe,CACjB,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,KAGVvB,EAAIsB,SAAW,CACb,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,IAAO,IACP,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,KAAQ,IACR,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,IAAO,IACP,KAAQ,IACR,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,KAAQ,IACR,MAAS,IACT,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,IAAO,IACP,KAAQ,IACR,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,IAAO,IACP,OAAU,IACV,KAAQ,IACR,IAAO,IACP,KAAQ,IACR,MAAS,IACT,IAAO,IACP,IAAO,IACP,KAAQ,IACR,IAAO,IACP,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,MAAS,IACT,KAAQ,IACR,OAAU,IACV,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,MAAS,IACT,MAAS,IACT,OAAU,IACV,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,MAAS,IACT,KAAQ,IACR,MAAS,IACT,MAAS,IACT,QAAW,IACX,KAAQ,IACR,IAAO,IACP,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,GAAM,IACN,GAAM,IACN,GAAM,IACN,QAAW,IACX,GAAM,IACN,IAAO,IACP,MAAS,IACT,IAAO,IACP,QAAW,IACX,IAAO,IACP,IAAO,IACP,IAAO,IACP,MAAS,IACT,MAAS,IACT,KAAQ,IACR,MAAS,IACT,MAAS,IACT,QAAW,IACX,KAAQ,IACR,IAAO,IACP,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,GAAM,IACN,GAAM,IACN,GAAM,IACN,QAAW,IACX,GAAM,IACN,IAAO,IACP,OAAU,IACV,MAAS,IACT,IAAO,IACP,QAAW,IACX,IAAO,IACP,IAAO,IACP,IAAO,IACP,MAAS,IACT,SAAY,IACZ,MAAS,IACT,IAAO,IACP,KAAQ,KACR,KAAQ,KACR,OAAU,KACV,KAAQ,KACR,IAAO,KACP,IAAO,KACP,IAAO,KACP,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,KAAQ,KACR,OAAU,KACV,OAAU,KACV,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,MAAS,KACT,MAAS,KACT,KAAQ,KACR,MAAS,KACT,OAAU,KACV,KAAQ,KACR,MAAS,KACT,QAAW,KACX,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,OAAU,KACV,KAAQ,KACR,MAAS,KACT,MAAS,KACT,MAAS,KACT,KAAQ,KACR,MAAS,KACT,GAAM,KACN,KAAQ,KACR,IAAO,KACP,MAAS,KACT,OAAU,KACV,MAAS,KACT,KAAQ,KACR,MAAS,KACT,IAAO,KACP,IAAO,KACP,GAAM,KACN,IAAO,KACP,IAAO,KACP,IAAO,KACP,OAAU,KACV,IAAO,KACP,KAAQ,KACR,MAAS,KACT,GAAM,KACN,MAAS,KACT,GAAM,KACN,GAAM,KACN,IAAO,KACP,IAAO,KACP,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,OAAU,KACV,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,KAAQ,KACR,KAAQ,KACR,IAAO,KACP,OAAU,KACV,MAAS,KACT,OAAU,KACV,MAAS,MAGXt+D,OAAO4K,KAAKoyD,EAAIsB,UAAUxvD,SAAQ,SAAUnF,GAC1C,IAAI/D,EAAIo3D,EAAIsB,SAAS30D,GACjBkvD,EAAiB,iBAANjzD,EAAiB+B,OAAOC,aAAahC,GAAKA,EACzDo3D,EAAIsB,SAAS30D,GAAOkvD,CACtB,IAEcmE,EAAI8H,MAChB9H,EAAI8H,MAAM9H,EAAI8H,MAAMjM,IAAMA,EAM5B,SAASt2D,EAAM8yD,EAAQz0D,EAAO+J,GAC5B0qD,EAAOz0D,IAAUy0D,EAAOz0D,GAAO+J,EACjC,CAEA,SAAS+1D,EAAUrL,EAAQ2P,EAAUr6D,GAC/B0qD,EAAO+J,UAAUsE,EAAUrO,GAC/B9yD,EAAK8yD,EAAQ2P,EAAUr6D,EACzB,CAEA,SAAS+4D,EAAWrO,GAClBA,EAAO+J,SAAWmC,EAASlM,EAAO4H,IAAK5H,EAAO+J,UAC1C/J,EAAO+J,UAAU78D,EAAK8yD,EAAQ,SAAUA,EAAO+J,UACnD/J,EAAO+J,SAAW,EACpB,CAEA,SAASmC,EAAUtE,EAAKnvD,GAGtB,OAFImvD,EAAIjhD,OAAMlO,EAAOA,EAAKkO,QACtBihD,EAAIgI,YAAWn3D,EAAOA,EAAKpF,QAAQ,OAAQ,MACxCoF,CACT,CAEA,SAASrI,EAAO4vD,EAAQ+O,GAUtB,OATAV,EAAUrO,GACNA,EAAOuJ,gBACTwF,GAAM,WAAa/O,EAAOwJ,KACxB,aAAexJ,EAAOxL,OACtB,WAAawL,EAAO72C,GAExB4lD,EAAK,IAAI37D,MAAM27D,GACf/O,EAAO5vD,MAAQ2+D,EACf7hE,EAAK8yD,EAAQ,UAAW+O,GACjB/O,CACT,CAEA,SAAStuC,EAAKsuC,GAYZ,OAXIA,EAAO4I,UAAY5I,EAAO2I,YAAYuB,EAAWlK,EAAQ,qBACxDA,EAAO3rD,QAAUy0D,EAAEC,OACrB/I,EAAO3rD,QAAUy0D,EAAEa,kBACnB3J,EAAO3rD,QAAUy0D,EAAEe,MACpBz5D,EAAM4vD,EAAQ,kBAEhBqO,EAAUrO,GACVA,EAAO72C,EAAI,GACX62C,EAAO0I,QAAS,EAChBx7D,EAAK8yD,EAAQ,SACb6H,EAAUv7D,KAAK0zD,EAAQA,EAAOp6C,OAAQo6C,EAAO4H,KACtC5H,CACT,CAEA,SAASkK,EAAYlK,EAAQvsD,GAC3B,GAAsB,iBAAXusD,KAAyBA,aAAkB6H,GACpD,MAAM,IAAIz0D,MAAM,0BAEd4sD,EAAOp6C,QACTxV,EAAM4vD,EAAQvsD,EAElB,CAEA,SAAS+4D,EAAQxM,GACVA,EAAOp6C,SAAQo6C,EAAO+K,QAAU/K,EAAO+K,QAAQ/K,EAAOwI,cAC3D,IAAIz9C,EAASi1C,EAAOyI,KAAKzI,EAAOyI,KAAK37D,OAAS,IAAMkzD,EAChD5sC,EAAM4sC,EAAO5sC,IAAM,CAAEhnB,KAAM4zD,EAAO+K,QAAS9vB,WAAY,CAAC,GAGxD+kB,EAAO4H,IAAIwB,QACbh2C,EAAIi2C,GAAKt+C,EAAOs+C,IAElBrJ,EAAOmJ,WAAWr8D,OAAS,EAC3Bu+D,EAASrL,EAAQ,iBAAkB5sC,EACrC,CAEA,SAASy8C,EAAOzjE,EAAM8uC,GACpB,IACI40B,EADI1jE,EAAKqS,QAAQ,KACF,EAAI,CAAE,GAAIrS,GAASA,EAAK4X,MAAM,KAC7ClZ,EAASglE,EAAS,GAClBC,EAAQD,EAAS,GAQrB,OALI50B,GAAsB,UAAT9uC,IACftB,EAAS,QACTilE,EAAQ,IAGH,CAAEjlE,OAAQA,EAAQilE,MAAOA,EAClC,CAEA,SAAS9C,EAAQjN,GAKf,GAJKA,EAAOp6C,SACVo6C,EAAO6M,WAAa7M,EAAO6M,WAAW7M,EAAOwI,eAGO,IAAlDxI,EAAOmJ,WAAW1qD,QAAQuhD,EAAO6M,aACnC7M,EAAO5sC,IAAI6nB,WAAWpwC,eAAem1D,EAAO6M,YAC5C7M,EAAO6M,WAAa7M,EAAO8M,YAAc,OAF3C,CAMA,GAAI9M,EAAO4H,IAAIwB,MAAO,CACpB,IAAI4G,EAAKH,EAAM7P,EAAO6M,YAAY,GAC9B/hE,EAASklE,EAAGllE,OACZilE,EAAQC,EAAGD,MAEf,GAAe,UAAXjlE,EAEF,GAAc,QAAVilE,GAAmB/P,EAAO8M,cAAgBsC,EAC5ClF,EAAWlK,EACT,gCAAkCoP,EAAlC,aACapP,EAAO8M,kBACjB,GAAc,UAAViD,GAAqB/P,EAAO8M,cAAgBuC,EACrDnF,EAAWlK,EACT,kCAAoCqP,EAApC,aACarP,EAAO8M,iBACjB,CACL,IAAI15C,EAAM4sC,EAAO5sC,IACbrI,EAASi1C,EAAOyI,KAAKzI,EAAOyI,KAAK37D,OAAS,IAAMkzD,EAChD5sC,EAAIi2C,KAAOt+C,EAAOs+C,KACpBj2C,EAAIi2C,GAAK1+D,OAAOqB,OAAO+e,EAAOs+C,KAEhCj2C,EAAIi2C,GAAG0G,GAAS/P,EAAO8M,WACzB,CAMF9M,EAAOmJ,WAAWv9D,KAAK,CAACo0D,EAAO6M,WAAY7M,EAAO8M,aACpD,MAEE9M,EAAO5sC,IAAI6nB,WAAW+kB,EAAO6M,YAAc7M,EAAO8M,YAClDzB,EAASrL,EAAQ,cAAe,CAC9B5zD,KAAM4zD,EAAO6M,WACbr4D,MAAOwrD,EAAO8M,cAIlB9M,EAAO6M,WAAa7M,EAAO8M,YAAc,EAxCzC,CAyCF,CAEA,SAASL,EAASzM,EAAQiQ,GACxB,GAAIjQ,EAAO4H,IAAIwB,MAAO,CAEpB,IAAIh2C,EAAM4sC,EAAO5sC,IAGb48C,EAAKH,EAAM7P,EAAO+K,SACtB33C,EAAItoB,OAASklE,EAAGllE,OAChBsoB,EAAI28C,MAAQC,EAAGD,MACf38C,EAAI88C,IAAM98C,EAAIi2C,GAAG2G,EAAGllE,SAAW,GAE3BsoB,EAAItoB,SAAWsoB,EAAI88C,MACrBhG,EAAWlK,EAAQ,6BACjBzoD,KAAKC,UAAUwoD,EAAO+K,UACxB33C,EAAI88C,IAAMF,EAAGllE,QAGf,IAAIigB,EAASi1C,EAAOyI,KAAKzI,EAAOyI,KAAK37D,OAAS,IAAMkzD,EAChD5sC,EAAIi2C,IAAMt+C,EAAOs+C,KAAOj2C,EAAIi2C,IAC9B1+D,OAAO4K,KAAK6d,EAAIi2C,IAAI5vD,SAAQ,SAAU2I,GACpCipD,EAASrL,EAAQ,kBAAmB,CAClCl1D,OAAQsX,EACR8tD,IAAK98C,EAAIi2C,GAAGjnD,IAEhB,IAMF,IAAK,IAAIxV,EAAI,EAAGC,EAAImzD,EAAOmJ,WAAWr8D,OAAQF,EAAIC,EAAGD,IAAK,CACxD,IAAIujE,EAAKnQ,EAAOmJ,WAAWv8D,GACvBR,EAAO+jE,EAAG,GACV37D,EAAQ27D,EAAG,GACXL,EAAWD,EAAMzjE,GAAM,GACvBtB,EAASglE,EAAShlE,OAClBilE,EAAQD,EAASC,MACjBG,EAAiB,KAAXplE,EAAgB,GAAMsoB,EAAIi2C,GAAGv+D,IAAW,GAC9CyG,EAAI,CACNnF,KAAMA,EACNoI,MAAOA,EACP1J,OAAQA,EACRilE,MAAOA,EACPG,IAAKA,GAKHplE,GAAqB,UAAXA,IAAuBolE,IACnChG,EAAWlK,EAAQ,6BACjBzoD,KAAKC,UAAU1M,IACjByG,EAAE2+D,IAAMplE,GAEVk1D,EAAO5sC,IAAI6nB,WAAW7uC,GAAQmF,EAC9B85D,EAASrL,EAAQ,cAAezuD,EAClC,CACAyuD,EAAOmJ,WAAWr8D,OAAS,CAC7B,CAEAkzD,EAAO5sC,IAAIg9C,gBAAkBH,EAG7BjQ,EAAO4I,SAAU,EACjB5I,EAAOyI,KAAK78D,KAAKo0D,EAAO5sC,KACxBi4C,EAASrL,EAAQ,YAAaA,EAAO5sC,KAChC68C,IAEEjQ,EAAO6I,UAA6C,WAAjC7I,EAAO+K,QAAQ92D,cAGrC+rD,EAAO3rD,MAAQy0D,EAAEe,KAFjB7J,EAAO3rD,MAAQy0D,EAAEwB,OAInBtK,EAAO5sC,IAAM,KACb4sC,EAAO+K,QAAU,IAEnB/K,EAAO6M,WAAa7M,EAAO8M,YAAc,GACzC9M,EAAOmJ,WAAWr8D,OAAS,CAC7B,CAEA,SAAS8/D,EAAU5M,GACjB,IAAKA,EAAO+K,QAIV,OAHAb,EAAWlK,EAAQ,0BACnBA,EAAO+J,UAAY,WACnB/J,EAAO3rD,MAAQy0D,EAAEe,MAInB,GAAI7J,EAAOwK,OAAQ,CACjB,GAAuB,WAAnBxK,EAAO+K,QAIT,OAHA/K,EAAOwK,QAAU,KAAOxK,EAAO+K,QAAU,IACzC/K,EAAO+K,QAAU,QACjB/K,EAAO3rD,MAAQy0D,EAAEwB,QAGnBe,EAASrL,EAAQ,WAAYA,EAAOwK,QACpCxK,EAAOwK,OAAS,EAClB,CAIA,IAAIphC,EAAI42B,EAAOyI,KAAK37D,OAChBi+D,EAAU/K,EAAO+K,QAChB/K,EAAOp6C,SACVmlD,EAAUA,EAAQ/K,EAAOwI,cAG3B,IADA,IAAI6H,EAAUtF,EACP3hC,KACO42B,EAAOyI,KAAKr/B,GACdh9B,OAASikE,GAEjBnG,EAAWlK,EAAQ,wBAOvB,GAAI52B,EAAI,EAIN,OAHA8gC,EAAWlK,EAAQ,0BAA4BA,EAAO+K,SACtD/K,EAAO+J,UAAY,KAAO/J,EAAO+K,QAAU,SAC3C/K,EAAO3rD,MAAQy0D,EAAEe,MAGnB7J,EAAO+K,QAAUA,EAEjB,IADA,IAAIvH,EAAIxD,EAAOyI,KAAK37D,OACb02D,KAAMp6B,GAAG,CACd,IAAIhW,EAAM4sC,EAAO5sC,IAAM4sC,EAAOyI,KAAK35C,MACnCkxC,EAAO+K,QAAU/K,EAAO5sC,IAAIhnB,KAC5Bi/D,EAASrL,EAAQ,aAAcA,EAAO+K,SAEtC,IAAIzlD,EAAI,CAAC,EACT,IAAK,IAAI1Y,KAAKwmB,EAAIi2C,GAChB/jD,EAAE1Y,GAAKwmB,EAAIi2C,GAAGz8D,GAGhB,IAAIme,EAASi1C,EAAOyI,KAAKzI,EAAOyI,KAAK37D,OAAS,IAAMkzD,EAChDA,EAAO4H,IAAIwB,OAASh2C,EAAIi2C,KAAOt+C,EAAOs+C,IAExC1+D,OAAO4K,KAAK6d,EAAIi2C,IAAI5vD,SAAQ,SAAU2I,GACpC,IAAI+e,EAAI/N,EAAIi2C,GAAGjnD,GACfipD,EAASrL,EAAQ,mBAAoB,CAAEl1D,OAAQsX,EAAG8tD,IAAK/uC,GACzD,GAEJ,CACU,IAANiI,IAAS42B,EAAO2I,YAAa,GACjC3I,EAAO+K,QAAU/K,EAAO8M,YAAc9M,EAAO6M,WAAa,GAC1D7M,EAAOmJ,WAAWr8D,OAAS,EAC3BkzD,EAAO3rD,MAAQy0D,EAAEe,IACnB,CAEA,SAASkE,EAAa/N,GACpB,IAEIsQ,EAFAtC,EAAShO,EAAOgO,OAChBuC,EAAWvC,EAAO/5D,cAElBu8D,EAAS,GAEb,OAAIxQ,EAAOiJ,SAAS+E,GACXhO,EAAOiJ,SAAS+E,GAErBhO,EAAOiJ,SAASsH,GACXvQ,EAAOiJ,SAASsH,IAGA,OADzBvC,EAASuC,GACE3hD,OAAO,KACS,MAArBo/C,EAAOp/C,OAAO,IAChBo/C,EAASA,EAAOzhE,MAAM,GAEtBikE,GADAF,EAAM9pB,SAASwnB,EAAQ,KACVp/D,SAAS,MAEtBo/D,EAASA,EAAOzhE,MAAM,GAEtBikE,GADAF,EAAM9pB,SAASwnB,EAAQ,KACVp/D,SAAS,MAG1Bo/D,EAASA,EAAO36D,QAAQ,MAAO,IAC3BqT,MAAM4pD,IAAQE,EAAOv8D,gBAAkB+5D,GACzC9D,EAAWlK,EAAQ,4BACZ,IAAMA,EAAOgO,OAAS,KAGxB17D,OAAOk9D,cAAcc,GAC9B,CAEA,SAAS1G,EAAiB5J,EAAQ72C,GACtB,MAANA,GACF62C,EAAO3rD,MAAQy0D,EAAEsB,UACjBpK,EAAOqK,iBAAmBrK,EAAOhmC,UACvBiwC,EAAa9gD,KAGvB+gD,EAAWlK,EAAQ,oCACnBA,EAAO+J,SAAW5gD,EAClB62C,EAAO3rD,MAAQy0D,EAAEe,KAErB,CAEA,SAASj7C,EAAQqiB,EAAOrkC,GACtB,IAAIuG,EAAS,GAIb,OAHIvG,EAAIqkC,EAAMnkC,SACZqG,EAAS89B,EAAMriB,OAAOhiB,IAEjBuG,CACT,CAtVA21D,EAAInB,EAAI8H,MAm4BHn9D,OAAOk9D,gBAEJD,EAAqBj9D,OAAOC,aAC5BmlD,EAAQz4B,KAAKy4B,MACb8X,EAAgB,WAClB,IAEIiB,EACAC,EAFAC,EAAY,GAGZ1oD,GAAS,EACTnb,EAASY,UAAUZ,OACvB,IAAKA,EACH,MAAO,GAGT,IADA,IAAIqG,EAAS,KACJ8U,EAAQnb,GAAQ,CACvB,IAAI8jE,EAAYvqD,OAAO3Y,UAAUua,IACjC,IACG4oD,SAASD,IACVA,EAAY,GACZA,EAAY,SACZlZ,EAAMkZ,KAAeA,EAErB,MAAME,WAAW,uBAAyBF,GAExCA,GAAa,MACfD,EAAU/kE,KAAKglE,IAIfH,EAAoC,QADpCG,GAAa,QACiB,IAC9BF,EAAgBE,EAAY,KAAS,MACrCD,EAAU/kE,KAAK6kE,EAAeC,KAE5BzoD,EAAQ,IAAMnb,GAAU6jE,EAAU7jE,OA7BzB,SA8BXqG,GAAUo8D,EAAmB1hE,MAAM,KAAM8iE,GACzCA,EAAU7jE,OAAS,EAEvB,CACA,OAAOqG,CACT,EAEIxI,OAAOoX,eACTpX,OAAOoX,eAAezP,OAAQ,gBAAiB,CAC7CkC,MAAOg7D,EACPttD,cAAc,EACdD,UAAU,IAGZ3P,OAAOk9D,cAAgBA,EAI9B,CAriDA,CAqiDmDphE,0CCriDnD,SAAUiB,EAAQzB,GACf,aAEA,IAAIyB,EAAO0hE,aAAX,CAIA,IAIIC,EA6HIC,EAZAC,EArBAC,EACAC,EAjGJC,EAAa,EACbC,EAAgB,CAAC,EACjBC,GAAwB,EACxBC,EAAMniE,EAAOwB,SAoJb4gE,EAAW9mE,OAAOq4D,gBAAkBr4D,OAAOq4D,eAAe3zD,GAC9DoiE,EAAWA,GAAYA,EAASz/D,WAAay/D,EAAWpiE,EAGf,qBAArC,CAAC,EAAET,SAAStC,KAAK+C,EAAOqiE,SApFxBV,EAAoB,SAASW,GACzBD,EAAQE,UAAS,WAAcC,EAAaF,EAAS,GACzD,EAGJ,WAGI,GAAItiE,EAAOyiE,cAAgBziE,EAAO0iE,cAAe,CAC7C,IAAIC,GAA4B,EAC5BC,EAAe5iE,EAAO6iE,UAM1B,OALA7iE,EAAO6iE,UAAY,WACfF,GAA4B,CAChC,EACA3iE,EAAOyiE,YAAY,GAAI,KACvBziE,EAAO6iE,UAAYD,EACZD,CACX,CACJ,CAsEWG,IA/DHhB,EAAgB,gBAAkBlyC,KAAKg5B,SAAW,IAClDmZ,EAAkB,SAAS7lE,GACvBA,EAAMgkB,SAAWlgB,GACK,iBAAf9D,EAAM+J,MACyB,IAAtC/J,EAAM+J,KAAKmJ,QAAQ0yD,IACnBU,GAActmE,EAAM+J,KAAK/I,MAAM4kE,EAAcrkE,QAErD,EAEIuC,EAAOmqB,iBACPnqB,EAAOmqB,iBAAiB,UAAW43C,GAAiB,GAEpD/hE,EAAO+iE,YAAY,YAAahB,GAGpCJ,EAAoB,SAASW,GACzBtiE,EAAOyiE,YAAYX,EAAgBQ,EAAQ,IAC/C,GAkDOtiE,EAAOgjE,iBA9CVnB,EAAU,IAAImB,gBACVC,MAAMJ,UAAY,SAAS3mE,GAE/BsmE,EADatmE,EAAM+J,KAEvB,EAEA07D,EAAoB,SAASW,GACzBT,EAAQqB,MAAMT,YAAYH,EAC9B,GA0COH,GAAO,uBAAwBA,EAAIhgE,cAAc,WAtCpDy/D,EAAOO,EAAIr2C,gBACf61C,EAAoB,SAASW,GAGzB,IAAInH,EAASgH,EAAIhgE,cAAc,UAC/Bg5D,EAAOgI,mBAAqB,WACxBX,EAAaF,GACbnH,EAAOgI,mBAAqB,KAC5BvB,EAAKwB,YAAYjI,GACjBA,EAAS,IACb,EACAyG,EAAK5lC,YAAYm/B,EACrB,GAIAwG,EAAoB,SAASW,GACzB3/D,WAAW6/D,EAAc,EAAGF,EAChC,EA6BJF,EAASV,aA1KT,SAAsB1yD,GAEI,mBAAbA,IACTA,EAAW,IAAI8sB,SAAS,GAAK9sB,IAI/B,IADA,IAAI7Q,EAAO,IAAIR,MAAMU,UAAUZ,OAAS,GAC/BF,EAAI,EAAGA,EAAIY,EAAKV,OAAQF,IAC7BY,EAAKZ,GAAKc,UAAUd,EAAI,GAG5B,IAAI8lE,EAAO,CAAEr0D,SAAUA,EAAU7Q,KAAMA,GAGvC,OAFA8jE,EAAcD,GAAcqB,EAC5B1B,EAAkBK,GACXA,GACT,EA4JAI,EAASkB,eAAiBA,CAnL1B,CAyBA,SAASA,EAAehB,UACbL,EAAcK,EACzB,CAwBA,SAASE,EAAaF,GAGlB,GAAIJ,EAGAv/D,WAAW6/D,EAAc,EAAGF,OACzB,CACH,IAAIe,EAAOpB,EAAcK,GACzB,GAAIe,EAAM,CACNnB,GAAwB,EACxB,KAjCZ,SAAamB,GACT,IAAIr0D,EAAWq0D,EAAKr0D,SAChB7Q,EAAOklE,EAAKllE,KAChB,OAAQA,EAAKV,QACb,KAAK,EACDuR,IACA,MACJ,KAAK,EACDA,EAAS7Q,EAAK,IACd,MACJ,KAAK,EACD6Q,EAAS7Q,EAAK,GAAIA,EAAK,IACvB,MACJ,KAAK,EACD6Q,EAAS7Q,EAAK,GAAIA,EAAK,GAAIA,EAAK,IAChC,MACJ,QACI6Q,EAASxQ,MAnDrB,UAmDsCL,GAGlC,CAcgB2T,CAAIuxD,EACR,CAAE,QACEC,EAAehB,GACfJ,GAAwB,CAC5B,CACJ,CACJ,CACJ,CA8GJ,CAzLA,CAyLkB,oBAATniE,UAAyC,IAAX,EAAAwjE,EAAyBxnE,KAAO,EAAAwnE,EAASxjE,iBCtKhF,SAAS0uB,EAAcxY,EAAWutD,GAChC,OAAO,MAACvtD,EAAiCutD,EAAIvtD,CAC/C,CA8EAnX,EAAOC,QA5EP,SAAiBgO,GAEf,IAbyB02D,EAarB9zC,EAAMlB,GADV1hB,EAAUA,GAAW,CAAC,GACA4iB,IAAK,GACvBkM,EAAMpN,EAAI1hB,EAAQ8uB,IAAK,GACvB6nC,EAAYj1C,EAAI1hB,EAAQ22D,WAAW,GACnCC,EAAqBl1C,EAAI1hB,EAAQ42D,oBAAoB,GAErDC,EAA2B,KAC3BC,EAAoC,KACpCC,EAAmC,KAEnC94D,GAtBqBy4D,EAsBMh1C,EAAI1hB,EAAQg3D,oBAAqB,KArBzD,SAAUC,EAAgB/uD,EAAOgvD,GAEtC,OAAOD,EADOC,GAAMA,EAAKR,IACQxuD,EAAQ+uD,EAC3C,GAoBA,SAASpxB,IACPsxB,EAAOroC,EACT,CAWA,SAASqoC,EAAOC,EAAwBC,GAKtC,GAJyB,iBAAdA,IACTA,EAAY52D,KAAKjG,OAGfs8D,IAAkBO,KAClBT,GAAsBG,IAAiBK,GAA3C,CAEA,GAAsB,OAAlBN,GAA2C,OAAjBC,EAG5B,OAFAA,EAAeK,OACfN,EAAgBO,GAIlB,IACIC,EAAiB,MAASD,EAAYP,GACtCS,GAFgBH,EAAWL,GAEGO,EAElCT,EAAgB,OAATA,EACHU,EACAt5D,EAAO44D,EAAMU,EAAaD,GAC9BP,EAAeK,EACfN,EAAgBO,CAhB+C,CAiBjE,CAkBA,MAAO,CACLxxB,MAAOA,EACPnK,MApDF,WACEm7B,EAAO,KACPC,EAAgB,KAChBC,EAAe,KACXJ,GACF9wB,GAEJ,EA8CEsxB,OAAQA,EACRK,SApBF,SAAkBH,GAChB,GAAqB,OAAjBN,EAAyB,OAAOU,IACpC,GAAIV,GAAgBn0C,EAAO,OAAO,EAClC,GAAa,OAATi0C,EAAiB,OAAOY,IAE5B,IAAIC,GAAiB90C,EAAMm0C,GAAgBF,EAI3C,MAHyB,iBAAdQ,GAAmD,iBAAlBP,IAC1CY,GAA+C,MAA7BL,EAAYP,IAEzBj0C,KAAKD,IAAI,EAAG80C,EACrB,EAWEb,KATF,WACE,OAAgB,OAATA,EAAgB,EAAIA,CAC7B,EASF,yBCjGA,IAAItzD,OAA2B,IAAX,EAAAizD,GAA0B,EAAAA,GACjB,oBAATxjE,MAAwBA,MAChCJ,OACRnB,EAAQs9B,SAASvgC,UAAUiD,MAiB/B,SAASkmE,EAAQ/+D,EAAIg/D,GACnB5oE,KAAK6oE,IAAMj/D,EACX5J,KAAK8oE,SAAWF,CAClB,CAhBA5lE,EAAQ4D,WAAa,WACnB,OAAO,IAAI+hE,EAAQlmE,EAAMvB,KAAK0F,WAAY2N,EAAOjS,WAAYk6B,aAC/D,EACAx5B,EAAQm7B,YAAc,WACpB,OAAO,IAAIwqC,EAAQlmE,EAAMvB,KAAKi9B,YAAa5pB,EAAOjS,WAAYymE,cAChE,EACA/lE,EAAQw5B,aACRx5B,EAAQ+lE,cAAgB,SAASC,GAC3BA,GACFA,EAAQhnC,OAEZ,EAMA2mC,EAAQnpE,UAAUypE,MAAQN,EAAQnpE,UAAUogB,IAAM,WAAY,EAC9D+oD,EAAQnpE,UAAUwiC,MAAQ,WACxBhiC,KAAK8oE,SAAS5nE,KAAKqT,EAAOvU,KAAK6oE,IACjC,EAGA7lE,EAAQkmE,OAAS,SAAS97D,EAAM+7D,GAC9B3sC,aAAapvB,EAAKg8D,gBAClBh8D,EAAKi8D,aAAeF,CACtB,EAEAnmE,EAAQsmE,SAAW,SAASl8D,GAC1BovB,aAAapvB,EAAKg8D,gBAClBh8D,EAAKi8D,cAAgB,CACvB,EAEArmE,EAAQumE,aAAevmE,EAAQ6oC,OAAS,SAASz+B,GAC/CovB,aAAapvB,EAAKg8D,gBAElB,IAAID,EAAQ/7D,EAAKi8D,aACbF,GAAS,IACX/7D,EAAKg8D,eAAiBxiE,YAAW,WAC3BwG,EAAKo8D,YACPp8D,EAAKo8D,YACT,GAAGL,GAEP,EAGA,EAAQ,OAIRnmE,EAAQ2iE,aAAgC,oBAAT3hE,MAAwBA,KAAK2hE,mBAClB,IAAX,EAAA6B,GAA0B,EAAAA,EAAO7B,cACxC3lE,MAAQA,KAAK2lE,aACrC3iE,EAAQukE,eAAkC,oBAATvjE,MAAwBA,KAAKujE,qBAClB,IAAX,EAAAC,GAA0B,EAAAA,EAAOD,gBACxCvnE,MAAQA,KAAKunE,qCC7DvC,WACE,aACAvkE,EAAQymE,SAAW,SAASxrD,GAC1B,MAAe,WAAXA,EAAI,GACCA,EAAI2gD,UAAU,GAEd3gD,CAEX,CAED,GAAE/c,KAAKlB,8BCVR,WACE,aACA,IAAI0pE,EAASC,EAAUC,EAAaC,EAAeC,EACjDC,EAAU,CAAC,EAAEtqE,eAEfiqE,EAAU,EAAQ,OAElBC,EAAW,kBAEXE,EAAgB,SAASt8B,GACvB,MAAwB,iBAAVA,IAAuBA,EAAMl6B,QAAQ,MAAQ,GAAKk6B,EAAMl6B,QAAQ,MAAQ,GAAKk6B,EAAMl6B,QAAQ,MAAQ,EACnH,EAEAy2D,EAAY,SAASv8B,GACnB,MAAO,YAAeq8B,EAAYr8B,GAAU,KAC9C,EAEAq8B,EAAc,SAASr8B,GACrB,OAAOA,EAAMtlC,QAAQ,MAAO,kBAC9B,EAEAjF,EAAQgnE,QAAU,WAChB,SAASA,EAAQ1lE,GACf,IAAI4E,EAAK0W,EAAKxW,EAGd,IAAKF,KAFLlJ,KAAKgR,QAAU,CAAC,EAChB4O,EAAM+pD,EAAS,IAERI,EAAQ7oE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKgR,QAAQ9H,GAAOE,GAEtB,IAAKF,KAAO5E,EACLylE,EAAQ7oE,KAAKoD,EAAM4E,KACxBE,EAAQ9E,EAAK4E,GACblJ,KAAKgR,QAAQ9H,GAAOE,EAExB,CAqFA,OAnFA4gE,EAAQxqE,UAAUyqE,YAAc,SAASC,GACvC,IAAIC,EAASC,EAASnpD,EAAQopD,EAAaC,EASxBxP,EAsEnB,OA9EAqP,EAAUnqE,KAAKgR,QAAQm5D,QACvBC,EAAUpqE,KAAKgR,QAAQo5D,QACc,IAAhC7qE,OAAO4K,KAAK+/D,GAASxoE,QAAkB1B,KAAKgR,QAAQs5D,WAAaX,EAAS,IAAOW,SAEpFJ,EAAUA,EADVI,EAAW/qE,OAAO4K,KAAK+/D,GAAS,IAGhCI,EAAWtqE,KAAKgR,QAAQs5D,SAEPxP,EAiEhB96D,KAjEHihB,EACS,SAASknB,EAAS1xB,GACvB,IAAI8zD,EAAM3/C,EAAO2iB,EAAO1wB,EAAO3T,EAAKE,EACpC,GAAmB,iBAARqN,EACLqkD,EAAM9pD,QAAQkvD,OAAS2J,EAAcpzD,GACvC0xB,EAAQphB,IAAI+iD,EAAUrzD,IAEtB0xB,EAAQqiC,IAAI/zD,QAET,GAAI7U,MAAMoI,QAAQyM,IACvB,IAAKoG,KAASpG,EACZ,GAAKszD,EAAQ7oE,KAAKuV,EAAKoG,GAEvB,IAAK3T,KADL0hB,EAAQnU,EAAIoG,GAEV0wB,EAAQ3iB,EAAM1hB,GACdi/B,EAAUlnB,EAAOknB,EAAQsiC,IAAIvhE,GAAMqkC,GAAOm9B,UAI9C,IAAKxhE,KAAOuN,EACV,GAAKszD,EAAQ7oE,KAAKuV,EAAKvN,GAEvB,GADA0hB,EAAQnU,EAAIvN,GACRA,IAAQihE,GACV,GAAqB,iBAAVv/C,EACT,IAAK2/C,KAAQ3/C,EACXxhB,EAAQwhB,EAAM2/C,GACdpiC,EAAUA,EAAQwiC,IAAIJ,EAAMnhE,QAG3B,GAAIF,IAAQkhE,EAEfjiC,EADE2yB,EAAM9pD,QAAQkvD,OAAS2J,EAAcj/C,GAC7Bud,EAAQphB,IAAI+iD,EAAUl/C,IAEtBud,EAAQqiC,IAAI5/C,QAEnB,GAAIhpB,MAAMoI,QAAQ4gB,GACvB,IAAK/N,KAAS+N,EACPm/C,EAAQ7oE,KAAK0pB,EAAO/N,KAIrBsrB,EAFiB,iBADrBoF,EAAQ3iB,EAAM/N,IAERi+C,EAAM9pD,QAAQkvD,OAAS2J,EAAct8B,GAC7BpF,EAAQsiC,IAAIvhE,GAAK6d,IAAI+iD,EAAUv8B,IAAQm9B,KAEvCviC,EAAQsiC,IAAIvhE,EAAKqkC,GAAOm9B,KAG1BzpD,EAAOknB,EAAQsiC,IAAIvhE,GAAMqkC,GAAOm9B,UAGpB,iBAAV9/C,EAChBud,EAAUlnB,EAAOknB,EAAQsiC,IAAIvhE,GAAM0hB,GAAO8/C,KAErB,iBAAV9/C,GAAsBkwC,EAAM9pD,QAAQkvD,OAAS2J,EAAcj/C,GACpEud,EAAUA,EAAQsiC,IAAIvhE,GAAK6d,IAAI+iD,EAAUl/C,IAAQ8/C,MAEpC,MAAT9/C,IACFA,EAAQ,IAEVud,EAAUA,EAAQsiC,IAAIvhE,EAAK0hB,EAAMpnB,YAAYknE,MAKrD,OAAOviC,CACT,EAEFkiC,EAAcX,EAAQ9oE,OAAO0pE,EAAUtqE,KAAKgR,QAAQ45D,OAAQ5qE,KAAKgR,QAAQsvD,QAAS,CAChFuK,SAAU7qE,KAAKgR,QAAQ65D,SACvBC,oBAAqB9qE,KAAKgR,QAAQ85D,sBAE7B7pD,EAAOopD,EAAaH,GAAS5jD,IAAItmB,KAAKgR,QAAQ+5D,WACvD,EAEOf,CAER,CAtGiB,EAwGnB,GAAE9oE,KAAKlB,4BC7HR,WACEgD,EAAQ2mE,SAAW,CACjB,GAAO,CACLqB,iBAAiB,EACjBzvD,MAAM,EACNipD,WAAW,EACXyG,eAAe,EACfd,QAAS,IACTC,QAAS,IACTc,eAAe,EACfC,aAAa,EACbC,YAAY,EACZtW,cAAc,EACduW,UAAW,KACXrN,OAAO,EACPsN,kBAAkB,EAClBC,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnBz/D,OAAO,EACPwO,QAAQ,EACRkxD,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBC,SAAU,IAEZ,GAAO,CACLd,iBAAiB,EACjBzvD,MAAM,EACNipD,WAAW,EACXyG,eAAe,EACfd,QAAS,IACTC,QAAS,IACTc,eAAe,EACfC,aAAa,EACbC,YAAY,EACZtW,cAAc,EACduW,UAAW,KACXrN,OAAO,EACPsN,kBAAkB,EAClBS,uBAAuB,EACvBR,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnBz/D,OAAO,EACPwO,QAAQ,EACRkxD,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBvB,SAAU,OACVM,OAAQ,CACN,QAAW,MACX,SAAY,QACZ,YAAc,GAEhBtK,QAAS,KACTyK,WAAY,CACV,QAAU,EACV,OAAU,KACV,QAAW,MAEbF,UAAU,EACVmB,UAAW,IACXF,SAAU,GACV5L,OAAO,GAIZ,GAAEh/D,KAAKlB,8BCtER,WACE,aACA,IAAIoH,EAAKuiE,EAAUhzD,EAAgB5V,EAAQkrE,EAASC,EAAaC,EAAY5P,EAAKoJ,EAChFn0D,EAAO,SAAS3R,EAAI4jE,GAAK,OAAO,WAAY,OAAO5jE,EAAG4C,MAAMghE,EAAInhE,UAAY,CAAG,EAE/EynE,EAAU,CAAC,EAAEtqE,eAEf88D,EAAM,EAAQ,OAEdx7D,EAAS,EAAQ,OAEjBqG,EAAM,EAAQ,OAEd+kE,EAAa,EAAQ,OAErBxG,EAAe,sBAEfgE,EAAW,kBAEXsC,EAAU,SAASG,GACjB,MAAwB,iBAAVA,GAAgC,MAATA,GAAgD,IAA9B7sE,OAAO4K,KAAKiiE,GAAO1qE,MAC5E,EAEAwqE,EAAc,SAASC,EAAY/+D,EAAMlE,GACvC,IAAI1H,EAAGa,EACP,IAAKb,EAAI,EAAGa,EAAM8pE,EAAWzqE,OAAQF,EAAIa,EAAKb,IAE5C4L,GADAk5D,EAAU6F,EAAW3qE,IACN4L,EAAMlE,GAEvB,OAAOkE,CACT,EAEAuJ,EAAiB,SAASF,EAAKvN,EAAKE,GAClC,IAAIwQ,EAMJ,OALAA,EAAara,OAAOqB,OAAO,OAChBwI,MAAQA,EACnBwQ,EAAW/C,UAAW,EACtB+C,EAAW7C,YAAa,EACxB6C,EAAW9C,cAAe,EACnBvX,OAAOoX,eAAeF,EAAKvN,EAAK0Q,EACzC,EAEA5W,EAAQ6xD,OAAS,SAAUwG,GAGzB,SAASxG,EAAOvwD,GAMd,IAAI4E,EAAK0W,EAAKxW,EACd,GANApJ,KAAK+0D,mBAAqBvjD,EAAKxR,KAAK+0D,mBAAoB/0D,MACxDA,KAAKqsE,YAAc76D,EAAKxR,KAAKqsE,YAAarsE,MAC1CA,KAAK0sC,MAAQl7B,EAAKxR,KAAK0sC,MAAO1sC,MAC9BA,KAAKssE,aAAe96D,EAAKxR,KAAKssE,aAActsE,MAC5CA,KAAKusE,aAAe/6D,EAAKxR,KAAKusE,aAAcvsE,QAEtCA,gBAAgBgD,EAAQ6xD,QAC5B,OAAO,IAAI7xD,EAAQ6xD,OAAOvwD,GAI5B,IAAK4E,KAFLlJ,KAAKgR,QAAU,CAAC,EAChB4O,EAAM+pD,EAAS,IAERI,EAAQ7oE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKgR,QAAQ9H,GAAOE,GAEtB,IAAKF,KAAO5E,EACLylE,EAAQ7oE,KAAKoD,EAAM4E,KACxBE,EAAQ9E,EAAK4E,GACblJ,KAAKgR,QAAQ9H,GAAOE,GAElBpJ,KAAKgR,QAAQgtD,QACfh+D,KAAKgR,QAAQw7D,SAAWxsE,KAAKgR,QAAQm5D,QAAU,MAE7CnqE,KAAKgR,QAAQi6D,gBACVjrE,KAAKgR,QAAQ46D,oBAChB5rE,KAAKgR,QAAQ46D,kBAAoB,IAEnC5rE,KAAKgR,QAAQ46D,kBAAkB77D,QAAQo8D,EAAW3H,YAEpDxkE,KAAK0sC,OACP,CA4RA,OArWS,SAAS9hB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAuCzRoe,CAAOi3C,EAAQwG,GAoCfxG,EAAOr1D,UAAU+sE,aAAe,WAC9B,IAAI1mC,EAAO3nB,EACX,IACE,OAAIle,KAAK2sE,UAAUjrE,QAAU1B,KAAKgR,QAAQg7D,WACxCnmC,EAAQ7lC,KAAK2sE,UACb3sE,KAAK2sE,UAAY,GACjB3sE,KAAK4sE,UAAY5sE,KAAK4sE,UAAUtO,MAAMz4B,GAC/B7lC,KAAK4sE,UAAU5qC,UAEtB6D,EAAQ7lC,KAAK2sE,UAAU5mD,OAAO,EAAG/lB,KAAKgR,QAAQg7D,WAC9ChsE,KAAK2sE,UAAY3sE,KAAK2sE,UAAU5mD,OAAO/lB,KAAKgR,QAAQg7D,UAAWhsE,KAAK2sE,UAAUjrE,QAC9E1B,KAAK4sE,UAAY5sE,KAAK4sE,UAAUtO,MAAMz4B,GAC/B8/B,EAAa3lE,KAAKusE,cAE7B,CAAE,MAAOM,GAEP,GADA3uD,EAAM2uD,GACD7sE,KAAK4sE,UAAUE,UAElB,OADA9sE,KAAK4sE,UAAUE,WAAY,EACpB9sE,KAAK8B,KAAKoc,EAErB,CACF,EAEA22C,EAAOr1D,UAAU8sE,aAAe,SAAS71D,EAAKvN,EAAKoB,GACjD,OAAMpB,KAAOuN,GAOLA,EAAIvN,aAAgBtH,OACxB+U,EAAeF,EAAKvN,EAAK,CAACuN,EAAIvN,KAEzBuN,EAAIvN,GAAK1I,KAAK8J,IAThBtK,KAAKgR,QAAQk6D,cAGTv0D,EAAeF,EAAKvN,EAAK,CAACoB,IAF1BqM,EAAeF,EAAKvN,EAAKoB,EAUtC,EAEAuqD,EAAOr1D,UAAUktC,MAAQ,WACvB,IAAIy9B,EAASC,EAAS2C,EAAQtpD,EAQKq3C,EA8KnC,OArLA96D,KAAK4C,qBACL5C,KAAK4sE,UAAYrQ,EAAI3H,OAAO50D,KAAKgR,QAAQwJ,OAAQ,CAC/Ce,MAAM,EACNipD,WAAW,EACXxG,MAAOh+D,KAAKgR,QAAQgtD,QAEtBh+D,KAAK4sE,UAAUE,WAAY,EAC3B9sE,KAAK4sE,UAAU9nE,SAAoBg2D,EAQhC96D,KAPM,SAASgF,GAEd,GADA81D,EAAM8R,UAAUzJ,UACXrI,EAAM8R,UAAUE,UAEnB,OADAhS,EAAM8R,UAAUE,WAAY,EACrBhS,EAAMh5D,KAAK,QAASkD,EAE/B,GAEFhF,KAAK4sE,UAAUlJ,MAAQ,SAAU5I,GAC/B,OAAO,WACL,IAAKA,EAAM8R,UAAUI,MAEnB,OADAlS,EAAM8R,UAAUI,OAAQ,EACjBlS,EAAMh5D,KAAK,MAAOg5D,EAAMmS,aAEnC,CACD,CAPsB,CAOpBjtE,MACHA,KAAK4sE,UAAUI,OAAQ,EACvBhtE,KAAKktE,iBAAmBltE,KAAKgR,QAAQg6D,gBACrChrE,KAAKitE,aAAe,KACpBxpD,EAAQ,GACR0mD,EAAUnqE,KAAKgR,QAAQm5D,QACvBC,EAAUpqE,KAAKgR,QAAQo5D,QACvBpqE,KAAK4sE,UAAUO,UAAY,SAAUrS,GACnC,OAAO,SAASx1D,GACd,IAAI4D,EAAKoB,EAAUmM,EAAK22D,EAAcxtD,EAGtC,IAFAnJ,EAAM,CAAC,GACH2zD,GAAW,IACVtP,EAAM9pD,QAAQm6D,YAEjB,IAAKjiE,KADL0W,EAAMta,EAAKuqC,WAEJk6B,EAAQ7oE,KAAK0e,EAAK1W,KACjBihE,KAAW1zD,GAASqkD,EAAM9pD,QAAQo6D,aACtC30D,EAAI0zD,GAAW,CAAC,GAElB7/D,EAAWwwD,EAAM9pD,QAAQ26D,oBAAsBO,EAAYpR,EAAM9pD,QAAQ26D,oBAAqBrmE,EAAKuqC,WAAW3mC,GAAMA,GAAO5D,EAAKuqC,WAAW3mC,GAC3IkkE,EAAetS,EAAM9pD,QAAQ06D,mBAAqBQ,EAAYpR,EAAM9pD,QAAQ06D,mBAAoBxiE,GAAOA,EACnG4xD,EAAM9pD,QAAQo6D,WAChBtQ,EAAMwR,aAAa71D,EAAK22D,EAAc9iE,GAEtCqM,EAAeF,EAAI0zD,GAAUiD,EAAc9iE,IAWjD,OAPAmM,EAAI,SAAWqkD,EAAM9pD,QAAQ46D,kBAAoBM,EAAYpR,EAAM9pD,QAAQ46D,kBAAmBtmE,EAAKtE,MAAQsE,EAAKtE,KAC5G85D,EAAM9pD,QAAQgtD,QAChBvnD,EAAIqkD,EAAM9pD,QAAQw7D,UAAY,CAC5B1H,IAAKx/D,EAAKw/D,IACVH,MAAOr/D,EAAKq/D,QAGTlhD,EAAMjjB,KAAKiW,EACpB,CACD,CA9B0B,CA8BxBzW,MACHA,KAAK4sE,UAAUS,WAAa,SAAUvS,GACpC,OAAO,WACL,IAAIoF,EAAOoN,EAAUpkE,EAAK5D,EAAMioE,EAAU92D,EAAK+2D,EAAUC,EAAKrV,EAAGsV,EAqDjE,GApDAj3D,EAAMgN,EAAMC,MACZ6pD,EAAW92D,EAAI,SACVqkD,EAAM9pD,QAAQs6D,kBAAqBxQ,EAAM9pD,QAAQ+6D,8BAC7Ct1D,EAAI,UAEK,IAAdA,EAAIypD,QACNA,EAAQzpD,EAAIypD,aACLzpD,EAAIypD,OAEb9H,EAAI30C,EAAMA,EAAM/hB,OAAS,GACrB+U,EAAI2zD,GAAShxD,MAAM,WAAa8mD,GAClCoN,EAAW72D,EAAI2zD,UACR3zD,EAAI2zD,KAEPtP,EAAM9pD,QAAQuK,OAChB9E,EAAI2zD,GAAW3zD,EAAI2zD,GAAS7uD,QAE1Bu/C,EAAM9pD,QAAQwzD,YAChB/tD,EAAI2zD,GAAW3zD,EAAI2zD,GAASniE,QAAQ,UAAW,KAAKsT,QAEtD9E,EAAI2zD,GAAWtP,EAAM9pD,QAAQ66D,gBAAkBK,EAAYpR,EAAM9pD,QAAQ66D,gBAAiBp1D,EAAI2zD,GAAUmD,GAAY92D,EAAI2zD,GACxF,IAA5B7qE,OAAO4K,KAAKsM,GAAK/U,QAAgB0oE,KAAW3zD,IAAQqkD,EAAMoS,mBAC5Dz2D,EAAMA,EAAI2zD,KAGV6B,EAAQx1D,KAERA,EADoC,mBAA3BqkD,EAAM9pD,QAAQ86D,SACjBhR,EAAM9pD,QAAQ86D,WAEa,KAA3BhR,EAAM9pD,QAAQ86D,SAAkBhR,EAAM9pD,QAAQ86D,SAAWwB,GAGpC,MAA3BxS,EAAM9pD,QAAQq6D,YAChBqC,EAAQ,IAAO,WACb,IAAIlsE,EAAGa,EAAK2rC,EAEZ,IADAA,EAAU,GACLxsC,EAAI,EAAGa,EAAMohB,EAAM/hB,OAAQF,EAAIa,EAAKb,IACvC8D,EAAOme,EAAMjiB,GACbwsC,EAAQxtC,KAAK8E,EAAK,UAEpB,OAAO0oC,CACR,CARa,GAQR3sC,OAAOksE,GAAUz0D,KAAK,KAC5B,WACE,IAAIoF,EACJ,IACE,OAAOzH,EAAMqkD,EAAM9pD,QAAQq6D,UAAUqC,EAAOtV,GAAKA,EAAEmV,GAAW92D,EAChE,CAAE,MAAOo2D,GAEP,OADA3uD,EAAM2uD,EACC/R,EAAMh5D,KAAK,QAASoc,EAC7B,CACD,CARD,IAUE48C,EAAM9pD,QAAQs6D,mBAAqBxQ,EAAM9pD,QAAQo6D,YAA6B,iBAAR30D,EACxE,GAAKqkD,EAAM9pD,QAAQ+6D,uBAcZ,GAAI3T,EAAG,CAGZ,IAAKlvD,KAFLkvD,EAAE0C,EAAM9pD,QAAQu6D,UAAYnT,EAAE0C,EAAM9pD,QAAQu6D,WAAa,GACzDiC,EAAW,CAAC,EACA/2D,EACLszD,EAAQ7oE,KAAKuV,EAAKvN,IACvByN,EAAe62D,EAAUtkE,EAAKuN,EAAIvN,IAEpCkvD,EAAE0C,EAAM9pD,QAAQu6D,UAAU/qE,KAAKgtE,UACxB/2D,EAAI,SACqB,IAA5BlX,OAAO4K,KAAKsM,GAAK/U,QAAgB0oE,KAAW3zD,IAAQqkD,EAAMoS,mBAC5Dz2D,EAAMA,EAAI2zD,GAEd,OAzBE9kE,EAAO,CAAC,EACJw1D,EAAM9pD,QAAQm5D,WAAW1zD,IAC3BnR,EAAKw1D,EAAM9pD,QAAQm5D,SAAW1zD,EAAIqkD,EAAM9pD,QAAQm5D,gBACzC1zD,EAAIqkD,EAAM9pD,QAAQm5D,WAEtBrP,EAAM9pD,QAAQw6D,iBAAmB1Q,EAAM9pD,QAAQo5D,WAAW3zD,IAC7DnR,EAAKw1D,EAAM9pD,QAAQo5D,SAAW3zD,EAAIqkD,EAAM9pD,QAAQo5D,gBACzC3zD,EAAIqkD,EAAM9pD,QAAQo5D,UAEvB7qE,OAAOouE,oBAAoBl3D,GAAK/U,OAAS,IAC3C4D,EAAKw1D,EAAM9pD,QAAQu6D,UAAY90D,GAEjCA,EAAMnR,EAeV,OAAIme,EAAM/hB,OAAS,EACVo5D,EAAMwR,aAAalU,EAAGmV,EAAU92D,IAEnCqkD,EAAM9pD,QAAQ8jD,eAChB2Y,EAAMh3D,EAENE,EADAF,EAAM,CAAC,EACa82D,EAAUE,IAEhC3S,EAAMmS,aAAex2D,EACrBqkD,EAAM8R,UAAUI,OAAQ,EACjBlS,EAAMh5D,KAAK,MAAOg5D,EAAMmS,cAEnC,CACD,CAjG2B,CAiGzBjtE,MACH+sE,EAAS,SAAUjS,GACjB,OAAO,SAASztD,GACd,IAAIugE,EAAWxV,EAEf,GADAA,EAAI30C,EAAMA,EAAM/hB,OAAS,GAcvB,OAZA02D,EAAEgS,IAAY/8D,EACVytD,EAAM9pD,QAAQs6D,kBAAoBxQ,EAAM9pD,QAAQ+6D,uBAAyBjR,EAAM9pD,QAAQw6D,kBAAoB1Q,EAAM9pD,QAAQy6D,mBAAyD,KAApCp+D,EAAKpF,QAAQ,OAAQ,IAAIsT,UACzK68C,EAAE0C,EAAM9pD,QAAQu6D,UAAYnT,EAAE0C,EAAM9pD,QAAQu6D,WAAa,IACzDqC,EAAY,CACV,QAAS,aAEDxD,GAAW/8D,EACjBytD,EAAM9pD,QAAQwzD,YAChBoJ,EAAUxD,GAAWwD,EAAUxD,GAASniE,QAAQ,UAAW,KAAKsT,QAElE68C,EAAE0C,EAAM9pD,QAAQu6D,UAAU/qE,KAAKotE,IAE1BxV,CAEX,CACD,CApBQ,CAoBNp4D,MACHA,KAAK4sE,UAAUG,OAASA,EACjB/sE,KAAK4sE,UAAUiB,QACb,SAASxgE,GACd,IAAI+qD,EAEJ,GADAA,EAAI2U,EAAO1/D,GAET,OAAO+qD,EAAE8H,OAAQ,CAErB,CAEJ,EAEArL,EAAOr1D,UAAU6sE,YAAc,SAASpuD,EAAKsT,GAC3C,IAAIrT,EACO,MAANqT,GAA6B,mBAAPA,IACzBvxB,KAAK2C,GAAG,OAAO,SAASoF,GAEtB,OADA/H,KAAK0sC,QACEnb,EAAG,KAAMxpB,EAClB,IACA/H,KAAK2C,GAAG,SAAS,SAASub,GAExB,OADAle,KAAK0sC,QACEnb,EAAGrT,EACZ,KAEF,IAEE,MAAmB,MADnBD,EAAMA,EAAIza,YACF+X,QACNvb,KAAK8B,KAAK,MAAO,OACV,IAETmc,EAAM7W,EAAIqiE,SAASxrD,GACfje,KAAKgR,QAAQhF,OACfhM,KAAK2sE,UAAY1uD,EACjB0nD,EAAa3lE,KAAKusE,cACXvsE,KAAK4sE,WAEP5sE,KAAK4sE,UAAUtO,MAAMrgD,GAAK+jB,QACnC,CAAE,MAAO6qC,GAEP,GADA3uD,EAAM2uD,GACA7sE,KAAK4sE,UAAUE,YAAa9sE,KAAK4sE,UAAUI,MAE/C,OADAhtE,KAAK8B,KAAK,QAASoc,GACZle,KAAK4sE,UAAUE,WAAY,EAC7B,GAAI9sE,KAAK4sE,UAAUI,MACxB,MAAM9uD,CAEV,CACF,EAEA22C,EAAOr1D,UAAUu1D,mBAAqB,SAAS92C,GAC7C,OAAO,IAAInR,SAAkBguD,EAU1B96D,KATM,SAAS+M,EAASC,GACvB,OAAO8tD,EAAMuR,YAAYpuD,GAAK,SAASC,EAAK9U,GAC1C,OAAI8U,EACKlR,EAAOkR,GAEPnR,EAAQ3D,EAEnB,GACF,IATiB,IAAU0xD,CAW/B,EAEOjG,CAER,CAjUgB,CAiUd9zD,GAEHiC,EAAQqpE,YAAc,SAASpuD,EAAK9X,EAAG6U,GACrC,IAAIuW,EAAIvgB,EAeR,OAdS,MAALgK,GACe,mBAANA,IACTuW,EAAKvW,GAEU,iBAAN7U,IACT6K,EAAU7K,KAGK,mBAANA,IACTorB,EAAKprB,GAEP6K,EAAU,CAAC,GAEJ,IAAIhO,EAAQ6xD,OAAO7jD,GACdq7D,YAAYpuD,EAAKsT,EACjC,EAEAvuB,EAAQ+xD,mBAAqB,SAAS92C,EAAK9X,GACzC,IAAI6K,EAKJ,MAJiB,iBAAN7K,IACT6K,EAAU7K,GAEH,IAAInD,EAAQ6xD,OAAO7jD,GACd+jD,mBAAmB92C,EACnC,CAED,GAAE/c,KAAKlB,4BCzYR,WACE,aACA,IAAI8tE,EAEJA,EAAc,IAAIt1D,OAAO,iBAEzBxV,EAAQwhE,UAAY,SAASvmD,GAC3B,OAAOA,EAAIpV,aACb,EAEA7F,EAAQ+qE,mBAAqB,SAAS9vD,GACpC,OAAOA,EAAIuF,OAAO,GAAG3a,cAAgBoV,EAAI9c,MAAM,EACjD,EAEA6B,EAAQgrE,YAAc,SAAS/vD,GAC7B,OAAOA,EAAIhW,QAAQ6lE,EAAa,GAClC,EAEA9qE,EAAQqY,aAAe,SAAS4C,GAI9B,OAHK3C,MAAM2C,KACTA,EAAMA,EAAM,GAAM,EAAIm9B,SAASn9B,EAAK,IAAMgwD,WAAWhwD,IAEhDA,CACT,EAEAjb,EAAQwY,cAAgB,SAASyC,GAI/B,MAHI,oBAAoBjY,KAAKiY,KAC3BA,EAA4B,SAAtBA,EAAIpV,eAELoV,CACT,CAED,GAAE/c,KAAKlB,8BChCR,WACE,aACA,IAAI0pE,EAASC,EAAU/U,EAAQuX,EAE7BpC,EAAU,CAAC,EAAEtqE,eAEfkqE,EAAW,EAAQ,OAEnBD,EAAU,EAAQ,OAElB9U,EAAS,EAAQ,OAEjBuX,EAAa,EAAQ,OAErBnpE,EAAQ2mE,SAAWA,EAASA,SAE5B3mE,EAAQmpE,WAAaA,EAErBnpE,EAAQkrE,gBAAkB,SAAU7S,GAGlC,SAAS6S,EAAgB7lE,GACvBrI,KAAKqI,QAAUA,CACjB,CAEA,OAtBS,SAASuiB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAgBzRoe,CAAOswD,EAQNlmE,OAFMkmE,CAER,CATyB,GAW1BlrE,EAAQgnE,QAAUN,EAAQM,QAE1BhnE,EAAQ6xD,OAASD,EAAOC,OAExB7xD,EAAQqpE,YAAczX,EAAOyX,YAE7BrpE,EAAQ+xD,mBAAqBH,EAAOG,kBAErC,GAAE7zD,KAAKlB,0BCrCR,WACE+C,EAAOC,QAAU,CACfmrE,aAAc,EACdC,UAAW,EACXC,UAAW,EACXC,SAAU,EACVC,YAAa,GACbC,uBAAwB,GAG3B,GAAEttE,KAAKlB,0BCVR,WACE+C,EAAOC,QAAU,CACfyrE,QAAS,EACTC,UAAW,EACXC,KAAM,EACNC,MAAO,EACPC,gBAAiB,EACjBC,kBAAmB,EACnBC,sBAAuB,EACvBC,QAAS,EACTC,SAAU,EACVC,QAAS,GACTC,iBAAkB,GAClBC,oBAAqB,GACrBC,YAAa,IACbC,IAAK,IACLC,qBAAsB,IACtBC,mBAAoB,IACpBC,MAAO,IAGV,GAAEvuE,KAAKlB,0BCrBR,WACE,IAAIkI,EAAQwnE,EAAU1lE,EAASiiE,EAAS1lC,EAAY9W,EAAUnsB,EAC5DnC,EAAQ,GAAGA,MACX4oE,EAAU,CAAC,EAAEtqE,eAEfyI,EAAS,WACP,IAAI1G,EAAG0H,EAAK7G,EAAK8hB,EAAQwrD,EAASlpE,EAElC,GADAA,EAASnE,UAAU,GAAIqtE,EAAU,GAAKrtE,UAAUZ,OAASP,EAAMD,KAAKoB,UAAW,GAAK,GAChFikC,EAAWhnC,OAAO2I,QACpB3I,OAAO2I,OAAOzF,MAAM,KAAMH,gBAE1B,IAAKd,EAAI,EAAGa,EAAMstE,EAAQjuE,OAAQF,EAAIa,EAAKb,IAEzC,GAAc,OADd2iB,EAASwrD,EAAQnuE,IAEf,IAAK0H,KAAOib,EACL4lD,EAAQ7oE,KAAKijB,EAAQjb,KAC1BzC,EAAOyC,GAAOib,EAAOjb,IAK7B,OAAOzC,CACT,EAEA8/B,EAAa,SAAS9nB,GACpB,QAASA,GAA+C,sBAAxClf,OAAOC,UAAUgE,SAAStC,KAAKud,EACjD,EAEAgR,EAAW,SAAShR,GAClB,IAAImB,EACJ,QAASnB,IAA+B,aAAtBmB,SAAanB,IAA+B,WAARmB,EACxD,EAEA5V,EAAU,SAASyU,GACjB,OAAI8nB,EAAW3kC,MAAMoI,SACZpI,MAAMoI,QAAQyU,GAE0B,mBAAxClf,OAAOC,UAAUgE,SAAStC,KAAKud,EAE1C,EAEAwtD,EAAU,SAASxtD,GACjB,IAAIvV,EACJ,GAAIc,EAAQyU,GACV,OAAQA,EAAI/c,OAEZ,IAAKwH,KAAOuV,EACV,GAAKsrD,EAAQ7oE,KAAKud,EAAKvV,GACvB,OAAO,EAET,OAAO,CAEX,EAEA5F,EAAgB,SAASmb,GACvB,IAAIguD,EAAMmD,EACV,OAAOngD,EAAShR,KAASmxD,EAAQrwE,OAAOq4D,eAAen5C,MAAUguD,EAAOmD,EAAMl6C,cAAiC,mBAAT+2C,GAAyBA,aAAgBA,GAAU1sC,SAASvgC,UAAUgE,SAAStC,KAAKurE,KAAU1sC,SAASvgC,UAAUgE,SAAStC,KAAK3B,OACvO,EAEAmwE,EAAW,SAASj5D,GAClB,OAAI8vB,EAAW9vB,EAAI+vB,SACV/vB,EAAI+vB,UAEJ/vB,CAEX,EAEA1T,EAAOC,QAAQkF,OAASA,EAExBnF,EAAOC,QAAQujC,WAAaA,EAE5BxjC,EAAOC,QAAQysB,SAAWA,EAE1B1sB,EAAOC,QAAQgH,QAAUA,EAEzBjH,EAAOC,QAAQipE,QAAUA,EAEzBlpE,EAAOC,QAAQM,cAAgBA,EAE/BP,EAAOC,QAAQ0sE,SAAWA,CAE3B,GAAExuE,KAAKlB,0BCjFR,WACE+C,EAAOC,QAAU,CACf6sE,KAAM,EACNC,QAAS,EACTC,UAAW,EACXC,SAAU,EAGb,GAAE9uE,KAAKlB,8BCRR,WACE,IAAIiwE,EAEJA,EAAW,EAAQ,OAET,EAAQ,OAElBltE,EAAOC,QAAyB,WAC9B,SAASktE,EAAavwD,EAAQ3e,EAAMoI,GAMlC,GALApJ,KAAK2f,OAASA,EACV3f,KAAK2f,SACP3f,KAAKgR,QAAUhR,KAAK2f,OAAO3O,QAC3BhR,KAAKoM,UAAYpM,KAAK2f,OAAOvT,WAEnB,MAARpL,EACF,MAAM,IAAIgH,MAAM,2BAA6BhI,KAAKmwE,UAAUnvE,IAE9DhB,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKoJ,MAAQpJ,KAAKoM,UAAUgkE,SAAShnE,GACrCpJ,KAAKgH,KAAOipE,EAASvB,UACrB1uE,KAAKqwE,MAAO,EACZrwE,KAAKswE,eAAiB,IACxB,CAgFA,OA9EA/wE,OAAOoX,eAAeu5D,EAAa1wE,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKgH,IACd,IAGFzH,OAAOoX,eAAeu5D,EAAa1wE,UAAW,eAAgB,CAC5DmO,IAAK,WACH,OAAO3N,KAAK2f,MACd,IAGFpgB,OAAOoX,eAAeu5D,EAAa1wE,UAAW,cAAe,CAC3DmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGF7J,OAAOoX,eAAeu5D,EAAa1wE,UAAW,eAAgB,CAC5DmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAeu5D,EAAa1wE,UAAW,SAAU,CACtDmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAeu5D,EAAa1wE,UAAW,YAAa,CACzDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAeu5D,EAAa1wE,UAAW,YAAa,CACzDmO,IAAK,WACH,OAAO,CACT,IAGFuiE,EAAa1wE,UAAUyf,MAAQ,WAC7B,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAkwE,EAAa1wE,UAAUgE,SAAW,SAASwN,GACzC,OAAOhR,KAAKgR,QAAQu/D,OAAOzgC,UAAU9vC,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC/E,EAEAk/D,EAAa1wE,UAAU2wE,UAAY,SAASnvE,GAE1C,OAAY,OADZA,EAAOA,GAAQhB,KAAKgB,MAEX,YAAchB,KAAK2f,OAAO3e,KAAO,IAEjC,eAAiBA,EAAO,eAAiBhB,KAAK2f,OAAO3e,KAAO,GAEvE,EAEAkvE,EAAa1wE,UAAUixE,YAAc,SAASnrE,GAC5C,OAAIA,EAAKorE,eAAiB1wE,KAAK0wE,cAG3BprE,EAAK5F,SAAWM,KAAKN,QAGrB4F,EAAKqrE,YAAc3wE,KAAK2wE,WAGxBrrE,EAAK8D,QAAUpJ,KAAKoJ,KAI1B,EAEO8mE,CAER,CAjG+B,EAmGjC,GAAEhvE,KAAKlB,8BC1GR,WACE,IAAIiwE,EAAoBW,EAEtB7G,EAAU,CAAC,EAAEtqE,eAEfwwE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B7tE,EAAOC,QAAqB,SAAUq4D,GAGpC,SAASwV,EAASlxD,EAAQtS,GAExB,GADAwjE,EAASnE,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC9B,MAARtS,EACF,MAAM,IAAIrF,MAAM,uBAAyBhI,KAAKmwE,aAEhDnwE,KAAKgB,KAAO,iBACZhB,KAAKgH,KAAOipE,EAASrB,MACrB5uE,KAAKoJ,MAAQpJ,KAAKoM,UAAU8zD,MAAM7yD,EACpC,CAUA,OA5BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAOizD,EAAUxV,GAYjBwV,EAASrxE,UAAUyf,MAAQ,WACzB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA6wE,EAASrxE,UAAUgE,SAAW,SAASwN,GACrC,OAAOhR,KAAKgR,QAAQu/D,OAAOrQ,MAAMlgE,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC3E,EAEO6/D,CAER,CAvB2B,CAuBzBD,EAEJ,GAAE1vE,KAAKlB,8BClCR,WACE,IAAsB8wE,EAEpB/G,EAAU,CAAC,EAAEtqE,eAEfqxE,EAAU,EAAQ,OAElB/tE,EAAOC,QAA6B,SAAUq4D,GAG5C,SAASuV,EAAiBjxD,GACxBixD,EAAiBlE,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAClD3f,KAAKoJ,MAAQ,EACf,CA4DA,OAvES,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAMzRoe,CAAOgzD,EAAkBvV,GAOzB97D,OAAOoX,eAAei6D,EAAiBpxE,UAAW,OAAQ,CACxDmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGF7J,OAAOoX,eAAei6D,EAAiBpxE,UAAW,SAAU,CAC1DmO,IAAK,WACH,OAAO3N,KAAKoJ,MAAM1H,MACpB,IAGFnC,OAAOoX,eAAei6D,EAAiBpxE,UAAW,cAAe,CAC/DmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGFwnE,EAAiBpxE,UAAUyf,MAAQ,WACjC,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA4wE,EAAiBpxE,UAAUuxE,cAAgB,SAASvrD,EAAQwrD,GAC1D,MAAM,IAAIhpE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAS,EAAiBpxE,UAAUyxE,WAAa,SAASnV,GAC/C,MAAM,IAAI9zD,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAS,EAAiBpxE,UAAU0xE,WAAa,SAAS1rD,EAAQs2C,GACvD,MAAM,IAAI9zD,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAS,EAAiBpxE,UAAU2xE,WAAa,SAAS3rD,EAAQwrD,GACvD,MAAM,IAAIhpE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAS,EAAiBpxE,UAAU4xE,YAAc,SAAS5rD,EAAQwrD,EAAOlV,GAC/D,MAAM,IAAI9zD,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAS,EAAiBpxE,UAAUixE,YAAc,SAASnrE,GAChD,QAAKsrE,EAAiBlE,UAAU+D,YAAYhuE,MAAMzC,KAAMsC,WAAWmuE,YAAYnrE,IAG3EA,EAAK4E,OAASlK,KAAKkK,IAIzB,EAEO0mE,CAER,CApEmC,CAoEjCE,EAEJ,GAAE5vE,KAAKlB,8BC7ER,WACE,IAAIiwE,EAAUW,EAEZ7G,EAAU,CAAC,EAAEtqE,eAEfwwE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B7tE,EAAOC,QAAuB,SAAUq4D,GAGtC,SAASgW,EAAW1xD,EAAQtS,GAE1B,GADAgkE,EAAW3E,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAChC,MAARtS,EACF,MAAM,IAAIrF,MAAM,yBAA2BhI,KAAKmwE,aAElDnwE,KAAKgB,KAAO,WACZhB,KAAKgH,KAAOipE,EAASjB,QACrBhvE,KAAKoJ,MAAQpJ,KAAKoM,UAAUg0D,QAAQ/yD,EACtC,CAUA,OA5BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAOyzD,EAAYhW,GAYnBgW,EAAW7xE,UAAUyf,MAAQ,WAC3B,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAqxE,EAAW7xE,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQu/D,OAAOnQ,QAAQpgE,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC7E,EAEOqgE,CAER,CAvB6B,CAuB3BT,EAEJ,GAAE1vE,KAAKlB,8BClCR,WACE,IAAyBsxE,EAAoBC,EAE7CD,EAAqB,EAAQ,OAE7BC,EAAmB,EAAQ,OAE3BxuE,EAAOC,QAAgC,WACrC,SAASwuE,IAEPxxE,KAAKyxE,cAAgB,CACnB,kBAAkB,EAClB,kBAAkB,EAClB,UAAY,EACZ,0BAA0B,EAC1B,8BAA8B,EAC9B,UAAY,EACZ,gBAAiB,IAAIH,EACrB,SAAW,EACX,sBAAsB,EACtB,YAAc,EACd,0BAA0B,EAC1B,wBAAwB,EACxB,kBAAmB,GACnB,cAAe,GACf,wBAAwB,EACxB,UAAY,EACZ,eAAe,GAEjBtxE,KAAKof,OAAsB7f,OAAOqB,OAAOZ,KAAKyxE,cAChD,CA4BA,OA1BAlyE,OAAOoX,eAAe66D,EAAoBhyE,UAAW,iBAAkB,CACrEmO,IAAK,WACH,OAAO,IAAI4jE,EAAiBhyE,OAAO4K,KAAKnK,KAAKyxE,eAC/C,IAGFD,EAAoBhyE,UAAUkyE,aAAe,SAAS1wE,GACpD,OAAIhB,KAAKof,OAAO3f,eAAeuB,GACtBhB,KAAKof,OAAOpe,GAEZ,IAEX,EAEAwwE,EAAoBhyE,UAAUmyE,gBAAkB,SAAS3wE,EAAMoI,GAC7D,OAAO,CACT,EAEAooE,EAAoBhyE,UAAUoyE,aAAe,SAAS5wE,EAAMoI,GAC1D,OAAa,MAATA,EACKpJ,KAAKof,OAAOpe,GAAQoI,SAEbpJ,KAAKof,OAAOpe,EAE9B,EAEOwwE,CAER,CArDsC,EAuDxC,GAAEtwE,KAAKlB,0BC9DR,WAGE+C,EAAOC,QAA+B,WACpC,SAASsuE,IAAsB,CAM/B,OAJAA,EAAmB9xE,UAAUqyE,YAAc,SAAS7sE,GAClD,MAAM,IAAIgD,MAAMhD,EAClB,EAEOssE,CAER,CATqC,EAWvC,GAAEpwE,KAAKlB,0BCdR,WAGE+C,EAAOC,QAAiC,WACtC,SAAS8uE,IAAwB,CAsBjC,OApBAA,EAAqBtyE,UAAUuyE,WAAa,SAASC,EAASx4C,GAC5D,OAAO,CACT,EAEAs4C,EAAqBtyE,UAAUyyE,mBAAqB,SAASC,EAAeC,EAAUC,GACpF,MAAM,IAAIpqE,MAAM,sCAClB,EAEA8pE,EAAqBtyE,UAAU6yE,eAAiB,SAAS3B,EAAcwB,EAAe5R,GACpF,MAAM,IAAIt4D,MAAM,sCAClB,EAEA8pE,EAAqBtyE,UAAU8yE,mBAAqB,SAAShrE,GAC3D,MAAM,IAAIU,MAAM,sCAClB,EAEA8pE,EAAqBtyE,UAAU+yE,WAAa,SAASP,EAASx4C,GAC5D,MAAM,IAAIxxB,MAAM,sCAClB,EAEO8pE,CAER,CAzBuC,EA2BzC,GAAE5wE,KAAKlB,0BC9BR,WAGE+C,EAAOC,QAA6B,WAClC,SAASuuE,EAAiBxtD,GACxB/jB,KAAK+jB,IAAMA,GAAO,EACpB,CAgBA,OAdAxkB,OAAOoX,eAAe46D,EAAiB/xE,UAAW,SAAU,CAC1DmO,IAAK,WACH,OAAO3N,KAAK+jB,IAAIriB,MAClB,IAGF6vE,EAAiB/xE,UAAU4N,KAAO,SAASyP,GACzC,OAAO7c,KAAK+jB,IAAIlH,IAAU,IAC5B,EAEA00D,EAAiB/xE,UAAUg/C,SAAW,SAASvgC,GAC7C,OAAkC,IAA3Bje,KAAK+jB,IAAI1Q,QAAQ4K,EAC1B,EAEOszD,CAER,CArBmC,EAuBrC,GAAErwE,KAAKlB,8BC1BR,WACE,IAAIiwE,EAAyBa,EAE3B/G,EAAU,CAAC,EAAEtqE,eAEfqxE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBltE,EAAOC,QAA0B,SAAUq4D,GAGzC,SAASmX,EAAc7yD,EAAQ8yD,EAAaC,EAAeC,EAAeC,EAAkBrhE,GAE1F,GADAihE,EAAc9F,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC5B,MAAf8yD,EACF,MAAM,IAAIzqE,MAAM,6BAA+BhI,KAAKmwE,aAEtD,GAAqB,MAAjBuC,EACF,MAAM,IAAI1qE,MAAM,+BAAiChI,KAAKmwE,UAAUsC,IAElE,IAAKE,EACH,MAAM,IAAI3qE,MAAM,+BAAiChI,KAAKmwE,UAAUsC,IAElE,IAAKG,EACH,MAAM,IAAI5qE,MAAM,kCAAoChI,KAAKmwE,UAAUsC,IAKrE,GAHsC,IAAlCG,EAAiBv/D,QAAQ,OAC3Bu/D,EAAmB,IAAMA,IAEtBA,EAAiBx5D,MAAM,0CAC1B,MAAM,IAAIpR,MAAM,kFAAoFhI,KAAKmwE,UAAUsC,IAErH,GAAIlhE,IAAiBqhE,EAAiBx5D,MAAM,uBAC1C,MAAM,IAAIpR,MAAM,qDAAuDhI,KAAKmwE,UAAUsC,IAExFzyE,KAAKyyE,YAAczyE,KAAKoM,UAAUpL,KAAKyxE,GACvCzyE,KAAKgH,KAAOipE,EAASV,qBACrBvvE,KAAK0yE,cAAgB1yE,KAAKoM,UAAUpL,KAAK0xE,GACzC1yE,KAAK2yE,cAAgB3yE,KAAKoM,UAAUymE,WAAWF,GAC3CphE,IACFvR,KAAKuR,aAAevR,KAAKoM,UAAU0mE,cAAcvhE,IAEnDvR,KAAK4yE,iBAAmBA,CAC1B,CAMA,OA/CS,SAAShoD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAO40D,EAAenX,GAmCtBmX,EAAchzE,UAAUgE,SAAW,SAASwN,GAC1C,OAAOhR,KAAKgR,QAAQu/D,OAAOwC,WAAW/yE,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAChF,EAEOwhE,CAER,CA1CgC,CA0C9B1B,EAEJ,GAAE5vE,KAAKlB,8BCrDR,WACE,IAAIiwE,EAAyBa,EAE3B/G,EAAU,CAAC,EAAEtqE,eAEfqxE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBltE,EAAOC,QAA0B,SAAUq4D,GAGzC,SAAS2X,EAAcrzD,EAAQ3e,EAAMoI,GAEnC,GADA4pE,EAActG,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GACnC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,6BAA+BhI,KAAKmwE,aAEjD/mE,IACHA,EAAQ,aAENxH,MAAMoI,QAAQZ,KAChBA,EAAQ,IAAMA,EAAM0P,KAAK,KAAO,KAElC9Y,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOipE,EAAST,mBACrBxvE,KAAKoJ,MAAQpJ,KAAKoM,UAAU6mE,gBAAgB7pE,EAC9C,CAMA,OA9BS,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAOo1D,EAAe3X,GAkBtB2X,EAAcxzE,UAAUgE,SAAW,SAASwN,GAC1C,OAAOhR,KAAKgR,QAAQu/D,OAAO2C,WAAWlzE,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAChF,EAEOgiE,CAER,CAzBgC,CAyB9BlC,EAEJ,GAAE5vE,KAAKlB,6BCpCR,WACE,IAAIiwE,EAAwBa,EAASrhD,EAEnCs6C,EAAU,CAAC,EAAEtqE,eAEfgwB,EAAW,kBAEXqhD,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBltE,EAAOC,QAAyB,SAAUq4D,GAGxC,SAAS8X,EAAaxzD,EAAQyzD,EAAIpyE,EAAMoI,GAEtC,GADA+pE,EAAazG,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAClC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,4BAA8BhI,KAAKmwE,UAAUnvE,IAE/D,GAAa,MAAToI,EACF,MAAM,IAAIpB,MAAM,6BAA+BhI,KAAKmwE,UAAUnvE,IAKhE,GAHAhB,KAAKozE,KAAOA,EACZpzE,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOipE,EAASnB,kBAChBr/C,EAASrmB,GAGP,CACL,IAAKA,EAAMiqE,QAAUjqE,EAAMkqE,MACzB,MAAM,IAAItrE,MAAM,yEAA2EhI,KAAKmwE,UAAUnvE,IAE5G,GAAIoI,EAAMiqE,QAAUjqE,EAAMkqE,MACxB,MAAM,IAAItrE,MAAM,+DAAiEhI,KAAKmwE,UAAUnvE,IAYlG,GAVAhB,KAAKuzE,UAAW,EACG,MAAfnqE,EAAMiqE,QACRrzE,KAAKqzE,MAAQrzE,KAAKoM,UAAUonE,SAASpqE,EAAMiqE,QAE1B,MAAfjqE,EAAMkqE,QACRtzE,KAAKszE,MAAQtzE,KAAKoM,UAAUqnE,SAASrqE,EAAMkqE,QAE1B,MAAflqE,EAAMsqE,QACR1zE,KAAK0zE,MAAQ1zE,KAAKoM,UAAUunE,SAASvqE,EAAMsqE,QAEzC1zE,KAAKozE,IAAMpzE,KAAK0zE,MAClB,MAAM,IAAI1rE,MAAM,8DAAgEhI,KAAKmwE,UAAUnvE,GAEnG,MAtBEhB,KAAKoJ,MAAQpJ,KAAKoM,UAAUwnE,eAAexqE,GAC3CpJ,KAAKuzE,UAAW,CAsBpB,CA0CA,OAzFS,SAAS3oD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAUzRoe,CAAOu1D,EAAc9X,GAuCrB97D,OAAOoX,eAAew8D,EAAa3zE,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKqzE,KACd,IAGF9zE,OAAOoX,eAAew8D,EAAa3zE,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKszE,KACd,IAGF/zE,OAAOoX,eAAew8D,EAAa3zE,UAAW,eAAgB,CAC5DmO,IAAK,WACH,OAAO3N,KAAK0zE,OAAS,IACvB,IAGFn0E,OAAOoX,eAAew8D,EAAa3zE,UAAW,gBAAiB,CAC7DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAew8D,EAAa3zE,UAAW,cAAe,CAC3DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAew8D,EAAa3zE,UAAW,aAAc,CAC1DmO,IAAK,WACH,OAAO,IACT,IAGFwlE,EAAa3zE,UAAUgE,SAAW,SAASwN,GACzC,OAAOhR,KAAKgR,QAAQu/D,OAAOsD,UAAU7zE,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC/E,EAEOmiE,CAER,CAlF+B,CAkF7BrC,EAEJ,GAAE5vE,KAAKlB,8BC/FR,WACE,IAAIiwE,EAA0Ba,EAE5B/G,EAAU,CAAC,EAAEtqE,eAEfqxE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBltE,EAAOC,QAA2B,SAAUq4D,GAG1C,SAASyY,EAAen0D,EAAQ3e,EAAMoI,GAEpC,GADA0qE,EAAepH,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GACpC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,8BAAgChI,KAAKmwE,UAAUnvE,IAEjE,IAAKoI,EAAMiqE,QAAUjqE,EAAMkqE,MACzB,MAAM,IAAItrE,MAAM,qEAAuEhI,KAAKmwE,UAAUnvE,IAExGhB,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOipE,EAASb,oBACF,MAAfhmE,EAAMiqE,QACRrzE,KAAKqzE,MAAQrzE,KAAKoM,UAAUonE,SAASpqE,EAAMiqE,QAE1B,MAAfjqE,EAAMkqE,QACRtzE,KAAKszE,MAAQtzE,KAAKoM,UAAUqnE,SAASrqE,EAAMkqE,OAE/C,CAkBA,OA5CS,SAAS1oD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAOk2D,EAAgBzY,GAoBvB97D,OAAOoX,eAAem9D,EAAet0E,UAAW,WAAY,CAC1DmO,IAAK,WACH,OAAO3N,KAAKqzE,KACd,IAGF9zE,OAAOoX,eAAem9D,EAAet0E,UAAW,WAAY,CAC1DmO,IAAK,WACH,OAAO3N,KAAKszE,KACd,IAGFQ,EAAet0E,UAAUgE,SAAW,SAASwN,GAC3C,OAAOhR,KAAKgR,QAAQu/D,OAAOwD,YAAY/zE,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GACjF,EAEO8iE,CAER,CAvCiC,CAuC/BhD,EAEJ,GAAE5vE,KAAKlB,8BClDR,WACE,IAAIiwE,EAA0Ba,EAASrhD,EAErCs6C,EAAU,CAAC,EAAEtqE,eAEfgwB,EAAW,kBAEXqhD,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBltE,EAAOC,QAA2B,SAAUq4D,GAG1C,SAAS2Y,EAAer0D,EAAQ6Z,EAASy6C,EAAUC,GACjD,IAAIt0D,EACJo0D,EAAetH,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC5C8P,EAAS+J,KACIA,GAAf5Z,EAAM4Z,GAAuBA,QAASy6C,EAAWr0D,EAAIq0D,SAAUC,EAAat0D,EAAIs0D,YAE7E16C,IACHA,EAAU,OAEZx5B,KAAKgH,KAAOipE,EAASZ,YACrBrvE,KAAKw5B,QAAUx5B,KAAKoM,UAAU+nE,WAAW36C,GACzB,MAAZy6C,IACFj0E,KAAKi0E,SAAWj0E,KAAKoM,UAAUgoE,YAAYH,IAE3B,MAAdC,IACFl0E,KAAKk0E,WAAal0E,KAAKoM,UAAUioE,cAAcH,GAEnD,CAMA,OAnCS,SAAStpD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAUzRoe,CAAOo2D,EAAgB3Y,GAqBvB2Y,EAAex0E,UAAUgE,SAAW,SAASwN,GAC3C,OAAOhR,KAAKgR,QAAQu/D,OAAO+D,YAAYt0E,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GACjF,EAEOgjE,CAER,CA5BiC,CA4B/BlD,EAEJ,GAAE5vE,KAAKlB,8BCzCR,WACE,IAAIiwE,EAAUuC,EAAeQ,EAAeG,EAAcW,EAA4BS,EAAiBzD,EAASrhD,EAE9Gs6C,EAAU,CAAC,EAAEtqE,eAEfgwB,EAAW,kBAEXqhD,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBuC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,MAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzBS,EAAkB,EAAQ,OAE1BxxE,EAAOC,QAAuB,SAAUq4D,GAGtC,SAASmZ,EAAW70D,EAAQ0zD,EAAOC,GACjC,IAAI1oD,EAAOppB,EAAGa,EAAKud,EAAK60D,EAAMC,EAG9B,GAFAF,EAAW9H,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC5C3f,KAAKgH,KAAOipE,EAASf,QACjBvvD,EAAOwB,SAET,IAAK3f,EAAI,EAAGa,GADZud,EAAMD,EAAOwB,UACSzf,OAAQF,EAAIa,EAAKb,IAErC,IADAopB,EAAQhL,EAAIpe,IACFwF,OAASipE,EAASxB,QAAS,CACnCzuE,KAAKgB,KAAO4pB,EAAM5pB,KAClB,KACF,CAGJhB,KAAK20E,eAAiBh1D,EAClB8P,EAAS4jD,KACGA,GAAdoB,EAAOpB,GAAoBA,MAAOC,EAAQmB,EAAKnB,OAEpC,MAATA,IACqBA,GAAvBoB,EAAO,CAACrB,EAAOC,IAAqB,GAAID,EAAQqB,EAAK,IAE1C,MAATrB,IACFrzE,KAAKqzE,MAAQrzE,KAAKoM,UAAUonE,SAASH,IAE1B,MAATC,IACFtzE,KAAKszE,MAAQtzE,KAAKoM,UAAUqnE,SAASH,GAEzC,CAiIA,OAlLS,SAAS1oD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAoBzRoe,CAAO42D,EAAYnZ,GA+BnB97D,OAAOoX,eAAe69D,EAAWh1E,UAAW,WAAY,CACtDmO,IAAK,WACH,IAAIid,EAAOppB,EAAGa,EAAKynC,EAAOlqB,EAG1B,IAFAkqB,EAAQ,CAAC,EAEJtoC,EAAI,EAAGa,GADZud,EAAM5f,KAAKmhB,UACWzf,OAAQF,EAAIa,EAAKb,KACrCopB,EAAQhL,EAAIpe,IACDwF,OAASipE,EAASnB,mBAAuBlkD,EAAMwoD,KACxDtpC,EAAMlf,EAAM5pB,MAAQ4pB,GAGxB,OAAO,IAAI2pD,EAAgBzqC,EAC7B,IAGFvqC,OAAOoX,eAAe69D,EAAWh1E,UAAW,YAAa,CACvDmO,IAAK,WACH,IAAIid,EAAOppB,EAAGa,EAAKynC,EAAOlqB,EAG1B,IAFAkqB,EAAQ,CAAC,EAEJtoC,EAAI,EAAGa,GADZud,EAAM5f,KAAKmhB,UACWzf,OAAQF,EAAIa,EAAKb,KACrCopB,EAAQhL,EAAIpe,IACFwF,OAASipE,EAASb,sBAC1BtlC,EAAMlf,EAAM5pB,MAAQ4pB,GAGxB,OAAO,IAAI2pD,EAAgBzqC,EAC7B,IAGFvqC,OAAOoX,eAAe69D,EAAWh1E,UAAW,WAAY,CACtDmO,IAAK,WACH,OAAO3N,KAAKqzE,KACd,IAGF9zE,OAAOoX,eAAe69D,EAAWh1E,UAAW,WAAY,CACtDmO,IAAK,WACH,OAAO3N,KAAKszE,KACd,IAGF/zE,OAAOoX,eAAe69D,EAAWh1E,UAAW,iBAAkB,CAC5DmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKmwE,YAC/D,IAGFqE,EAAWh1E,UAAU2oC,QAAU,SAASnnC,EAAMoI,GAC5C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIooD,EAAchzE,KAAMgB,EAAMoI,GACtCpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAw0E,EAAWh1E,UAAUo1E,QAAU,SAASnC,EAAaC,EAAeC,EAAeC,EAAkBrhE,GACnG,IAAIqZ,EAGJ,OAFAA,EAAQ,IAAI4nD,EAAcxyE,KAAMyyE,EAAaC,EAAeC,EAAeC,EAAkBrhE,GAC7FvR,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAw0E,EAAWh1E,UAAUojE,OAAS,SAAS5hE,EAAMoI,GAC3C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIuoD,EAAanzE,MAAM,EAAOgB,EAAMoI,GAC5CpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAw0E,EAAWh1E,UAAUq1E,QAAU,SAAS7zE,EAAMoI,GAC5C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIuoD,EAAanzE,MAAM,EAAMgB,EAAMoI,GAC3CpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAw0E,EAAWh1E,UAAUs1E,SAAW,SAAS9zE,EAAMoI,GAC7C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIkpD,EAAe9zE,KAAMgB,EAAMoI,GACvCpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAw0E,EAAWh1E,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQu/D,OAAOwE,QAAQ/0E,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC7E,EAEAwjE,EAAWh1E,UAAUirE,IAAM,SAASzpE,EAAMoI,GACxC,OAAOpJ,KAAKmoC,QAAQnnC,EAAMoI,EAC5B,EAEAorE,EAAWh1E,UAAUmrE,IAAM,SAAS8H,EAAaC,EAAeC,EAAeC,EAAkBrhE,GAC/F,OAAOvR,KAAK40E,QAAQnC,EAAaC,EAAeC,EAAeC,EAAkBrhE,EACnF,EAEAijE,EAAWh1E,UAAUw1E,IAAM,SAASh0E,EAAMoI,GACxC,OAAOpJ,KAAK4iE,OAAO5hE,EAAMoI,EAC3B,EAEAorE,EAAWh1E,UAAUy1E,KAAO,SAASj0E,EAAMoI,GACzC,OAAOpJ,KAAK60E,QAAQ7zE,EAAMoI,EAC5B,EAEAorE,EAAWh1E,UAAU01E,IAAM,SAASl0E,EAAMoI,GACxC,OAAOpJ,KAAK80E,SAAS9zE,EAAMoI,EAC7B,EAEAorE,EAAWh1E,UAAUkrE,GAAK,WACxB,OAAO1qE,KAAKgqC,QAAUhqC,KAAK20E,cAC7B,EAEAH,EAAWh1E,UAAUixE,YAAc,SAASnrE,GAC1C,QAAKkvE,EAAW9H,UAAU+D,YAAYhuE,MAAMzC,KAAMsC,WAAWmuE,YAAYnrE,IAGrEA,EAAKtE,OAAShB,KAAKgB,MAGnBsE,EAAK6sE,WAAanyE,KAAKmyE,UAGvB7sE,EAAK8sE,WAAapyE,KAAKoyE,QAI7B,EAEOoC,CAER,CAjK6B,CAiK3B1D,EAEJ,GAAE5vE,KAAKlB,8BCxLR,WACE,IAAIiwE,EAAUuB,EAAqBM,EAAmChB,EAASqE,EAAiBC,EAAgB9xE,EAE9GymE,EAAU,CAAC,EAAEtqE,eAEf6D,EAAgB,uBAEhBwuE,EAAuB,EAAQ,OAE/BN,EAAsB,EAAQ,OAE9BV,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBmF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1BpyE,EAAOC,QAAwB,SAAUq4D,GAGvC,SAASga,EAAYrkE,GACnBqkE,EAAY3I,UAAUh3C,YAAYx0B,KAAKlB,KAAM,MAC7CA,KAAKgB,KAAO,YACZhB,KAAKgH,KAAOipE,EAAShB,SACrBjvE,KAAKs1E,YAAc,KACnBt1E,KAAKu1E,UAAY,IAAI/D,EACrBxgE,IAAYA,EAAU,CAAC,GAClBA,EAAQu/D,SACXv/D,EAAQu/D,OAAS,IAAI4E,GAEvBn1E,KAAKgR,QAAUA,EACfhR,KAAKoM,UAAY,IAAIgpE,EAAepkE,EACtC,CA0MA,OA1OS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAkBzRoe,CAAOy3D,EAAaha,GAgBpB97D,OAAOoX,eAAe0+D,EAAY71E,UAAW,iBAAkB,CAC7D4J,MAAO,IAAI0oE,IAGbvyE,OAAOoX,eAAe0+D,EAAY71E,UAAW,UAAW,CACtDmO,IAAK,WACH,IAAIid,EAAOppB,EAAGa,EAAKud,EAEnB,IAAKpe,EAAI,EAAGa,GADZud,EAAM5f,KAAKmhB,UACWzf,OAAQF,EAAIa,EAAKb,IAErC,IADAopB,EAAQhL,EAAIpe,IACFwF,OAASipE,EAASf,QAC1B,OAAOtkD,EAGX,OAAO,IACT,IAGFrrB,OAAOoX,eAAe0+D,EAAY71E,UAAW,kBAAmB,CAC9DmO,IAAK,WACH,OAAO3N,KAAKw1E,YAAc,IAC5B,IAGFj2E,OAAOoX,eAAe0+D,EAAY71E,UAAW,gBAAiB,CAC5DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAe0+D,EAAY71E,UAAW,sBAAuB,CAClEmO,IAAK,WACH,OAAO,CACT,IAGFpO,OAAOoX,eAAe0+D,EAAY71E,UAAW,cAAe,CAC1DmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAASipE,EAASZ,YAC5DrvE,KAAKmhB,SAAS,GAAG8yD,SAEjB,IAEX,IAGF10E,OAAOoX,eAAe0+D,EAAY71E,UAAW,gBAAiB,CAC5DmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAASipE,EAASZ,aAC5B,QAAhCrvE,KAAKmhB,SAAS,GAAG+yD,UAI5B,IAGF30E,OAAOoX,eAAe0+D,EAAY71E,UAAW,aAAc,CACzDmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAASipE,EAASZ,YAC5DrvE,KAAKmhB,SAAS,GAAGqY,QAEjB,KAEX,IAGFj6B,OAAOoX,eAAe0+D,EAAY71E,UAAW,MAAO,CAClDmO,IAAK,WACH,OAAO3N,KAAKs1E,WACd,IAGF/1E,OAAOoX,eAAe0+D,EAAY71E,UAAW,SAAU,CACrDmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAe0+D,EAAY71E,UAAW,aAAc,CACzDmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAe0+D,EAAY71E,UAAW,eAAgB,CAC3DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAe0+D,EAAY71E,UAAW,cAAe,CAC1DmO,IAAK,WACH,OAAO,IACT,IAGF0nE,EAAY71E,UAAU8mB,IAAM,SAASiqD,GACnC,IAAIkF,EAQJ,OAPAA,EAAgB,CAAC,EACZlF,EAEMjtE,EAAcitE,KACvBkF,EAAgBlF,EAChBA,EAASvwE,KAAKgR,QAAQu/D,QAHtBA,EAASvwE,KAAKgR,QAAQu/D,OAKjBA,EAAO9qE,SAASzF,KAAMuwE,EAAOC,cAAciF,GACpD,EAEAJ,EAAY71E,UAAUgE,SAAW,SAASwN,GACxC,OAAOhR,KAAKgR,QAAQu/D,OAAO9qE,SAASzF,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC9E,EAEAqkE,EAAY71E,UAAU4G,cAAgB,SAASu5D,GAC7C,MAAM,IAAI33D,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUk2E,uBAAyB,WAC7C,MAAM,IAAI1tE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUm2E,eAAiB,SAASzrE,GAC9C,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUo2E,cAAgB,SAAS1rE,GAC7C,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUq2E,mBAAqB,SAAS3rE,GAClD,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUs2E,4BAA8B,SAASrvE,EAAQyD,GACnE,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUu2E,gBAAkB,SAAS/0E,GAC/C,MAAM,IAAIgH,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUw2E,sBAAwB,SAASh1E,GACrD,MAAM,IAAIgH,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUy2E,qBAAuB,SAASC,GACpD,MAAM,IAAIluE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAU22E,WAAa,SAASC,EAAchkE,GACxD,MAAM,IAAIpK,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAU62E,gBAAkB,SAAS3F,EAAcwB,GAC7D,MAAM,IAAIlqE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAU82E,kBAAoB,SAAS5F,EAAcwB,GAC/D,MAAM,IAAIlqE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAU+2E,uBAAyB,SAAS7F,EAAcC,GACpE,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUowB,eAAiB,SAAS4mD,GAC9C,MAAM,IAAIxuE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUi3E,UAAY,SAAStyD,GACzC,MAAM,IAAInc,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUk3E,kBAAoB,WACxC,MAAM,IAAI1uE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUm3E,WAAa,SAASrxE,EAAMorE,EAAcwB,GAC9D,MAAM,IAAIlqE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUo3E,uBAAyB,SAASC,GACtD,MAAM,IAAI7uE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUkG,YAAc,SAASoxE,GAC3C,MAAM,IAAI9uE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUu3E,YAAc,WAClC,MAAM,IAAI/uE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAUw3E,mBAAqB,SAAShtC,EAAMitC,EAAYhoE,GACpE,MAAM,IAAIjH,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAkF,EAAY71E,UAAU03E,iBAAmB,SAASltC,EAAMitC,EAAYhoE,GAClE,MAAM,IAAIjH,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEOkF,CAER,CA3N8B,CA2N5BvE,EAEJ,GAAE5vE,KAAKlB,8BChPR,WACE,IAAIiwE,EAAUkH,EAAajH,EAAcW,EAAUQ,EAAYmB,EAAeQ,EAAeG,EAAcW,EAAgBE,EAAgBQ,EAAYa,EAA4B+B,EAAYC,EAA0BC,EAAQnC,EAAiBC,EAAgBmC,EAAS7H,EAAUnpC,EAAY9W,EAAUnsB,EAAesc,EACxTmqD,EAAU,CAAC,EAAEtqE,eAEfmgB,EAAM,EAAQ,OAAc6P,EAAW7P,EAAI6P,SAAU8W,EAAa3mB,EAAI2mB,WAAYjjC,EAAgBsc,EAAItc,cAAeosE,EAAW9vD,EAAI8vD,SAEpIO,EAAW,EAAQ,OAEnBoF,EAAc,EAAQ,OAEtB+B,EAAa,EAAQ,OAErBvG,EAAW,EAAQ,OAEnBQ,EAAa,EAAQ,OAErBiG,EAAS,EAAQ,MAEjBC,EAAU,EAAQ,OAElBF,EAA2B,EAAQ,OAEnCrD,EAAiB,EAAQ,OAEzBQ,EAAa,EAAQ,OAErBhC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,MAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzB5D,EAAe,EAAQ,OAEvBkF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1BgC,EAAc,EAAQ,OAEtBp0E,EAAOC,QAA0B,WAC/B,SAASw0E,EAAcxmE,EAASymE,EAAQC,GACtC,IAAIjC,EACJz1E,KAAKgB,KAAO,OACZhB,KAAKgH,KAAOipE,EAAShB,SACrBj+D,IAAYA,EAAU,CAAC,GACvBykE,EAAgB,CAAC,EACZzkE,EAAQu/D,OAEFjtE,EAAc0N,EAAQu/D,UAC/BkF,EAAgBzkE,EAAQu/D,OACxBv/D,EAAQu/D,OAAS,IAAI4E,GAHrBnkE,EAAQu/D,OAAS,IAAI4E,EAKvBn1E,KAAKgR,QAAUA,EACfhR,KAAKuwE,OAASv/D,EAAQu/D,OACtBvwE,KAAKy1E,cAAgBz1E,KAAKuwE,OAAOC,cAAciF,GAC/Cz1E,KAAKoM,UAAY,IAAIgpE,EAAepkE,GACpChR,KAAK23E,eAAiBF,GAAU,WAAY,EAC5Cz3E,KAAK43E,cAAgBF,GAAS,WAAY,EAC1C13E,KAAK63E,YAAc,KACnB73E,KAAK83E,cAAgB,EACrB93E,KAAK+3E,SAAW,CAAC,EACjB/3E,KAAKg4E,iBAAkB,EACvBh4E,KAAKi4E,mBAAoB,EACzBj4E,KAAKgqC,KAAO,IACd,CAucA,OArcAwtC,EAAch4E,UAAU04E,gBAAkB,SAAS5yE,GACjD,IAAIqlE,EAAKwN,EAAStoC,EAAYjlB,EAAOppB,EAAGa,EAAKoyE,EAAMC,EACnD,OAAQpvE,EAAK0B,MACX,KAAKipE,EAASrB,MACZ5uE,KAAKkgE,MAAM56D,EAAK8D,OAChB,MACF,KAAK6mE,EAASjB,QACZhvE,KAAKogE,QAAQ96D,EAAK8D,OAClB,MACF,KAAK6mE,EAASxB,QAGZ,IAAK0J,KAFLtoC,EAAa,CAAC,EACd4kC,EAAOnvE,EAAK8yE,QAELrO,EAAQ7oE,KAAKuzE,EAAM0D,KACxBxN,EAAM8J,EAAK0D,GACXtoC,EAAWsoC,GAAWxN,EAAIvhE,OAE5BpJ,KAAKsF,KAAKA,EAAKtE,KAAM6uC,GACrB,MACF,KAAKogC,EAASR,MACZzvE,KAAKq4E,QACL,MACF,KAAKpI,EAASX,IACZtvE,KAAK+mB,IAAIzhB,EAAK8D,OACd,MACF,KAAK6mE,EAAStB,KACZ3uE,KAAKqN,KAAK/H,EAAK8D,OACf,MACF,KAAK6mE,EAASlB,sBACZ/uE,KAAKs4E,YAAYhzE,EAAKmB,OAAQnB,EAAK8D,OACnC,MACF,QACE,MAAM,IAAIpB,MAAM,uDAAyD1C,EAAKowB,YAAY10B,MAG9F,IAAKQ,EAAI,EAAGa,GADZqyE,EAAOpvE,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IACtCopB,EAAQ8pD,EAAKlzE,GACbxB,KAAKk4E,gBAAgBttD,GACjBA,EAAM5jB,OAASipE,EAASxB,SAC1BzuE,KAAK0qE,KAGT,OAAO1qE,IACT,EAEAw3E,EAAch4E,UAAU64E,MAAQ,WAC9B,OAAOr4E,IACT,EAEAw3E,EAAch4E,UAAU8F,KAAO,SAAStE,EAAM6uC,EAAYxiC,GACxD,IAAIonE,EACJ,GAAY,MAARzzE,EACF,MAAM,IAAIgH,MAAM,sBAElB,GAAIhI,KAAKgqC,OAA+B,IAAvBhqC,KAAK83E,aACpB,MAAM,IAAI9vE,MAAM,yCAA2ChI,KAAKmwE,UAAUnvE,IAkB5E,OAhBAhB,KAAKu4E,cACLv3E,EAAO0uE,EAAS1uE,GACE,MAAd6uC,IACFA,EAAa,CAAC,GAEhBA,EAAa6/B,EAAS7/B,GACjBpgB,EAASogB,KACexiC,GAA3BonE,EAAO,CAAC5kC,EAAYxiC,IAAmB,GAAIwiC,EAAa4kC,EAAK,IAE/Dz0E,KAAK63E,YAAc,IAAIT,EAAWp3E,KAAMgB,EAAM6uC,GAC9C7vC,KAAK63E,YAAY12D,UAAW,EAC5BnhB,KAAK83E,eACL93E,KAAK+3E,SAAS/3E,KAAK83E,cAAgB93E,KAAK63E,YAC5B,MAARxqE,GACFrN,KAAKqN,KAAKA,GAELrN,IACT,EAEAw3E,EAAch4E,UAAU2oC,QAAU,SAASnnC,EAAM6uC,EAAYxiC,GAC3D,IAAIud,EAAOppB,EAAGa,EAAKm2E,EAAmB/D,EAAMzqC,EAC5C,GAAIhqC,KAAK63E,aAAe73E,KAAK63E,YAAY7wE,OAASipE,EAASf,QACzDlvE,KAAKkzE,WAAWzwE,MAAMzC,KAAMsC,gBAE5B,GAAIV,MAAMoI,QAAQhJ,IAASyuB,EAASzuB,IAASulC,EAAWvlC,GAOtD,IANAw3E,EAAoBx4E,KAAKgR,QAAQynE,aACjCz4E,KAAKgR,QAAQynE,cAAe,GAC5BzuC,EAAO,IAAIqrC,EAAYr1E,KAAKgR,SAASm3B,QAAQ,cACxCA,QAAQnnC,GACbhB,KAAKgR,QAAQynE,aAAeD,EAEvBh3E,EAAI,EAAGa,GADZoyE,EAAOzqC,EAAK7oB,UACWzf,OAAQF,EAAIa,EAAKb,IACtCopB,EAAQ6pD,EAAKjzE,GACbxB,KAAKk4E,gBAAgBttD,GACjBA,EAAM5jB,OAASipE,EAASxB,SAC1BzuE,KAAK0qE,UAIT1qE,KAAKsF,KAAKtE,EAAM6uC,EAAYxiC,GAGhC,OAAOrN,IACT,EAEAw3E,EAAch4E,UAAUswC,UAAY,SAAS9uC,EAAMoI,GACjD,IAAI+uE,EAAS/H,EACb,IAAKpwE,KAAK63E,aAAe73E,KAAK63E,YAAY12D,SACxC,MAAM,IAAInZ,MAAM,4EAA8EhI,KAAKmwE,UAAUnvE,IAK/G,GAHY,MAARA,IACFA,EAAO0uE,EAAS1uE,IAEdyuB,EAASzuB,GACX,IAAKm3E,KAAWn3E,EACT+oE,EAAQ7oE,KAAKF,EAAMm3E,KACxB/H,EAAWpvE,EAAKm3E,GAChBn4E,KAAK8vC,UAAUqoC,EAAS/H,SAGtB7pC,EAAWn9B,KACbA,EAAQA,EAAM3G,SAEZzC,KAAKgR,QAAQ0nE,oBAAgC,MAATtvE,EACtCpJ,KAAK63E,YAAYO,QAAQp3E,GAAQ,IAAIkvE,EAAalwE,KAAMgB,EAAM,IAC5C,MAAToI,IACTpJ,KAAK63E,YAAYO,QAAQp3E,GAAQ,IAAIkvE,EAAalwE,KAAMgB,EAAMoI,IAGlE,OAAOpJ,IACT,EAEAw3E,EAAch4E,UAAU6N,KAAO,SAASjE,GACtC,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAIiyE,EAAQv3E,KAAMoJ,GACzBpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOljE,KAAK/H,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAC5F93E,IACT,EAEAw3E,EAAch4E,UAAU0gE,MAAQ,SAAS92D,GACvC,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAIurE,EAAS7wE,KAAMoJ,GAC1BpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOrQ,MAAM56D,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAC7F93E,IACT,EAEAw3E,EAAch4E,UAAU4gE,QAAU,SAASh3D,GACzC,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAI+rE,EAAWrxE,KAAMoJ,GAC5BpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOnQ,QAAQ96D,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAC/F93E,IACT,EAEAw3E,EAAch4E,UAAUunB,IAAM,SAAS3d,GACrC,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAIgyE,EAAOt3E,KAAMoJ,GACxBpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOxpD,IAAIzhB,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAC3F93E,IACT,EAEAw3E,EAAch4E,UAAU84E,YAAc,SAAS7xE,EAAQ2C,GACrD,IAAI5H,EAAGm3E,EAAWC,EAAUv2E,EAAKiD,EAQjC,GAPAtF,KAAKu4E,cACS,MAAV9xE,IACFA,EAASipE,EAASjpE,IAEP,MAAT2C,IACFA,EAAQsmE,EAAStmE,IAEfxH,MAAMoI,QAAQvD,GAChB,IAAKjF,EAAI,EAAGa,EAAMoE,EAAO/E,OAAQF,EAAIa,EAAKb,IACxCm3E,EAAYlyE,EAAOjF,GACnBxB,KAAKs4E,YAAYK,QAEd,GAAIlpD,EAAShpB,GAClB,IAAKkyE,KAAalyE,EACXsjE,EAAQ7oE,KAAKuF,EAAQkyE,KAC1BC,EAAWnyE,EAAOkyE,GAClB34E,KAAKs4E,YAAYK,EAAWC,SAG1BryC,EAAWn9B,KACbA,EAAQA,EAAM3G,SAEhB6C,EAAO,IAAI+xE,EAAyBr3E,KAAMyG,EAAQ2C,GAClDpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOsI,sBAAsBvzE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAEtH,OAAO93E,IACT,EAEAw3E,EAAch4E,UAAU80E,YAAc,SAAS96C,EAASy6C,EAAUC,GAChE,IAAI5uE,EAEJ,GADAtF,KAAKu4E,cACDv4E,KAAKg4E,gBACP,MAAM,IAAIhwE,MAAM,yCAIlB,OAFA1C,EAAO,IAAI0uE,EAAeh0E,KAAMw5B,EAASy6C,EAAUC,GACnDl0E,KAAKy3E,OAAOz3E,KAAKuwE,OAAO+D,YAAYhvE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GACnG93E,IACT,EAEAw3E,EAAch4E,UAAU8gE,QAAU,SAASt2B,EAAMqpC,EAAOC,GAEtD,GADAtzE,KAAKu4E,cACO,MAARvuC,EACF,MAAM,IAAIhiC,MAAM,2BAElB,GAAIhI,KAAKgqC,KACP,MAAM,IAAIhiC,MAAM,yCAOlB,OALAhI,KAAK63E,YAAc,IAAIrD,EAAWx0E,KAAMqzE,EAAOC,GAC/CtzE,KAAK63E,YAAYiB,aAAe9uC,EAChChqC,KAAK63E,YAAY12D,UAAW,EAC5BnhB,KAAK83E,eACL93E,KAAK+3E,SAAS/3E,KAAK83E,cAAgB93E,KAAK63E,YACjC73E,IACT,EAEAw3E,EAAch4E,UAAU0zE,WAAa,SAASlyE,EAAMoI,GAClD,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAI0tE,EAAchzE,KAAMgB,EAAMoI,GACrCpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAO2C,WAAW5tE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAClG93E,IACT,EAEAw3E,EAAch4E,UAAUo1E,QAAU,SAASnC,EAAaC,EAAeC,EAAeC,EAAkBrhE,GACtG,IAAIjM,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAIktE,EAAcxyE,KAAMyyE,EAAaC,EAAeC,EAAeC,EAAkBrhE,GAC5FvR,KAAKy3E,OAAOz3E,KAAKuwE,OAAOwC,WAAWztE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GAClG93E,IACT,EAEAw3E,EAAch4E,UAAUojE,OAAS,SAAS5hE,EAAMoI,GAC9C,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAI6tE,EAAanzE,MAAM,EAAOgB,EAAMoI,GAC3CpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOsD,UAAUvuE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GACjG93E,IACT,EAEAw3E,EAAch4E,UAAUq1E,QAAU,SAAS7zE,EAAMoI,GAC/C,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAI6tE,EAAanzE,MAAM,EAAMgB,EAAMoI,GAC1CpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOsD,UAAUvuE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GACjG93E,IACT,EAEAw3E,EAAch4E,UAAUs1E,SAAW,SAAS9zE,EAAMoI,GAChD,IAAI9D,EAIJ,OAHAtF,KAAKu4E,cACLjzE,EAAO,IAAIwuE,EAAe9zE,KAAMgB,EAAMoI,GACtCpJ,KAAKy3E,OAAOz3E,KAAKuwE,OAAOwD,YAAYzuE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,aAAe,GAAI93E,KAAK83E,aAAe,GACnG93E,IACT,EAEAw3E,EAAch4E,UAAUkrE,GAAK,WAC3B,GAAI1qE,KAAK83E,aAAe,EACtB,MAAM,IAAI9vE,MAAM,oCAclB,OAZIhI,KAAK63E,aACH73E,KAAK63E,YAAY12D,SACnBnhB,KAAK+4E,UAAU/4E,KAAK63E,aAEpB73E,KAAKg5E,SAASh5E,KAAK63E,aAErB73E,KAAK63E,YAAc,MAEnB73E,KAAK+4E,UAAU/4E,KAAK+3E,SAAS/3E,KAAK83E,sBAE7B93E,KAAK+3E,SAAS/3E,KAAK83E,cAC1B93E,KAAK83E,eACE93E,IACT,EAEAw3E,EAAch4E,UAAU8mB,IAAM,WAC5B,KAAOtmB,KAAK83E,cAAgB,GAC1B93E,KAAK0qE,KAEP,OAAO1qE,KAAK03E,OACd,EAEAF,EAAch4E,UAAU+4E,YAAc,WACpC,GAAIv4E,KAAK63E,YAEP,OADA73E,KAAK63E,YAAY12D,UAAW,EACrBnhB,KAAKg5E,SAASh5E,KAAK63E,YAE9B,EAEAL,EAAch4E,UAAUw5E,SAAW,SAAS1zE,GAC1C,IAAIqlE,EAAK9kC,EAAO7kC,EAAMyzE,EACtB,IAAKnvE,EAAK2zE,OAAQ,CAKhB,GAJKj5E,KAAKgqC,MAA8B,IAAtBhqC,KAAK83E,cAAsBxyE,EAAK0B,OAASipE,EAASxB,UAClEzuE,KAAKgqC,KAAO1kC,GAEdugC,EAAQ,GACJvgC,EAAK0B,OAASipE,EAASxB,QAAS,CAIlC,IAAKztE,KAHLhB,KAAKy1E,cAAcxsE,MAAQkuE,EAAYrH,QACvCjqC,EAAQ7lC,KAAKuwE,OAAO2I,OAAO5zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAAgB,IAAMxyE,EAAKtE,KACrFyzE,EAAOnvE,EAAK8yE,QAELrO,EAAQ7oE,KAAKuzE,EAAMzzE,KACxB2pE,EAAM8J,EAAKzzE,GACX6kC,GAAS7lC,KAAKuwE,OAAOzgC,UAAU66B,EAAK3qE,KAAKy1E,cAAez1E,KAAK83E,eAE/DjyC,IAAUvgC,EAAK6b,SAAW,IAAM,MAAQnhB,KAAKuwE,OAAO4I,QAAQ7zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAC3F93E,KAAKy1E,cAAcxsE,MAAQkuE,EAAYpH,SACzC,MACE/vE,KAAKy1E,cAAcxsE,MAAQkuE,EAAYrH,QACvCjqC,EAAQ7lC,KAAKuwE,OAAO2I,OAAO5zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAAgB,aAAexyE,EAAKwzE,aAC1FxzE,EAAK+tE,OAAS/tE,EAAKguE,MACrBztC,GAAS,YAAcvgC,EAAK+tE,MAAQ,MAAQ/tE,EAAKguE,MAAQ,IAChDhuE,EAAKguE,QACdztC,GAAS,YAAcvgC,EAAKguE,MAAQ,KAElChuE,EAAK6b,UACP0kB,GAAS,KACT7lC,KAAKy1E,cAAcxsE,MAAQkuE,EAAYpH,YAEvC/vE,KAAKy1E,cAAcxsE,MAAQkuE,EAAYnH,SACvCnqC,GAAS,KAEXA,GAAS7lC,KAAKuwE,OAAO4I,QAAQ7zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAG9D,OADA93E,KAAKy3E,OAAO5xC,EAAO7lC,KAAK83E,cACjBxyE,EAAK2zE,QAAS,CACvB,CACF,EAEAzB,EAAch4E,UAAUu5E,UAAY,SAASzzE,GAC3C,IAAIugC,EACJ,IAAKvgC,EAAK8zE,SAUR,MATQ,GACRp5E,KAAKy1E,cAAcxsE,MAAQkuE,EAAYnH,SAErCnqC,EADEvgC,EAAK0B,OAASipE,EAASxB,QACjBzuE,KAAKuwE,OAAO2I,OAAO5zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAAgB,KAAOxyE,EAAKtE,KAAO,IAAMhB,KAAKuwE,OAAO4I,QAAQ7zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAE9I93E,KAAKuwE,OAAO2I,OAAO5zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAAgB,KAAO93E,KAAKuwE,OAAO4I,QAAQ7zE,EAAMtF,KAAKy1E,cAAez1E,KAAK83E,cAEtI93E,KAAKy1E,cAAcxsE,MAAQkuE,EAAYtH,KACvC7vE,KAAKy3E,OAAO5xC,EAAO7lC,KAAK83E,cACjBxyE,EAAK8zE,UAAW,CAE3B,EAEA5B,EAAch4E,UAAUi4E,OAAS,SAAS5xC,EAAOwzC,GAE/C,OADAr5E,KAAKg4E,iBAAkB,EAChBh4E,KAAK23E,eAAe9xC,EAAOwzC,EAAQ,EAC5C,EAEA7B,EAAch4E,UAAUk4E,MAAQ,WAE9B,OADA13E,KAAKi4E,mBAAoB,EAClBj4E,KAAK43E,eACd,EAEAJ,EAAch4E,UAAU2wE,UAAY,SAASnvE,GAC3C,OAAY,MAARA,EACK,GAEA,UAAYA,EAAO,GAE9B,EAEAw2E,EAAch4E,UAAUirE,IAAM,WAC5B,OAAOzqE,KAAKmoC,QAAQ1lC,MAAMzC,KAAMsC,UAClC,EAEAk1E,EAAch4E,UAAU85E,IAAM,SAASt4E,EAAM6uC,EAAYxiC,GACvD,OAAOrN,KAAKsF,KAAKtE,EAAM6uC,EAAYxiC,EACrC,EAEAmqE,EAAch4E,UAAUgrE,IAAM,SAASphE,GACrC,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEAouE,EAAch4E,UAAU+5E,IAAM,SAASnwE,GACrC,OAAOpJ,KAAKkgE,MAAM92D,EACpB,EAEAouE,EAAch4E,UAAUg6E,IAAM,SAASpwE,GACrC,OAAOpJ,KAAKogE,QAAQh3D,EACtB,EAEAouE,EAAch4E,UAAUi6E,IAAM,SAAShzE,EAAQ2C,GAC7C,OAAOpJ,KAAKs4E,YAAY7xE,EAAQ2C,EAClC,EAEAouE,EAAch4E,UAAUk6E,IAAM,SAASlgD,EAASy6C,EAAUC,GACxD,OAAOl0E,KAAKs0E,YAAY96C,EAASy6C,EAAUC,EAC7C,EAEAsD,EAAch4E,UAAUm6E,IAAM,SAAS3vC,EAAMqpC,EAAOC,GAClD,OAAOtzE,KAAKsgE,QAAQt2B,EAAMqpC,EAAOC,EACnC,EAEAkE,EAAch4E,UAAU2F,EAAI,SAASnE,EAAM6uC,EAAYxiC,GACrD,OAAOrN,KAAKmoC,QAAQnnC,EAAM6uC,EAAYxiC,EACxC,EAEAmqE,EAAch4E,UAAUu2B,EAAI,SAAS/0B,EAAM6uC,EAAYxiC,GACrD,OAAOrN,KAAKsF,KAAKtE,EAAM6uC,EAAYxiC,EACrC,EAEAmqE,EAAch4E,UAAUw+B,EAAI,SAAS50B,GACnC,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEAouE,EAAch4E,UAAUioE,EAAI,SAASr+D,GACnC,OAAOpJ,KAAKkgE,MAAM92D,EACpB,EAEAouE,EAAch4E,UAAUue,EAAI,SAAS3U,GACnC,OAAOpJ,KAAKogE,QAAQh3D,EACtB,EAEAouE,EAAch4E,UAAUo6E,EAAI,SAASxwE,GACnC,OAAOpJ,KAAK+mB,IAAI3d,EAClB,EAEAouE,EAAch4E,UAAUgC,EAAI,SAASiF,EAAQ2C,GAC3C,OAAOpJ,KAAKs4E,YAAY7xE,EAAQ2C,EAClC,EAEAouE,EAAch4E,UAAUmrE,IAAM,WAC5B,OAAI3qE,KAAK63E,aAAe73E,KAAK63E,YAAY7wE,OAASipE,EAASf,QAClDlvE,KAAK40E,QAAQnyE,MAAMzC,KAAMsC,WAEzBtC,KAAK8vC,UAAUrtC,MAAMzC,KAAMsC,UAEtC,EAEAk1E,EAAch4E,UAAU2G,EAAI,WAC1B,OAAInG,KAAK63E,aAAe73E,KAAK63E,YAAY7wE,OAASipE,EAASf,QAClDlvE,KAAK40E,QAAQnyE,MAAMzC,KAAMsC,WAEzBtC,KAAK8vC,UAAUrtC,MAAMzC,KAAMsC,UAEtC,EAEAk1E,EAAch4E,UAAUw1E,IAAM,SAASh0E,EAAMoI,GAC3C,OAAOpJ,KAAK4iE,OAAO5hE,EAAMoI,EAC3B,EAEAouE,EAAch4E,UAAUy1E,KAAO,SAASj0E,EAAMoI,GAC5C,OAAOpJ,KAAK60E,QAAQ7zE,EAAMoI,EAC5B,EAEAouE,EAAch4E,UAAU01E,IAAM,SAASl0E,EAAMoI,GAC3C,OAAOpJ,KAAK80E,SAAS9zE,EAAMoI,EAC7B,EAEOouE,CAER,CAlegC,EAoelC,GAAEt2E,KAAKlB,8BC9gBR,WACE,IAAIiwE,EAAoBa,EAEtB/G,EAAU,CAAC,EAAEtqE,eAEfqxE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBltE,EAAOC,QAAqB,SAAUq4D,GAGpC,SAASwe,EAASl6D,GAChBk6D,EAASnN,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC1C3f,KAAKgH,KAAOipE,EAASR,KACvB,CAUA,OAvBS,SAAS7kD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAOi8D,EAAUxe,GAOjBwe,EAASr6E,UAAUyf,MAAQ,WACzB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA65E,EAASr6E,UAAUgE,SAAW,SAASwN,GACrC,MAAO,EACT,EAEO6oE,CAER,CAlB2B,CAkBzB/I,EAEJ,GAAE5vE,KAAKlB,8BC7BR,WACE,IAAIiwE,EAAUC,EAA0BqE,EAAiBzD,EAASpB,EAAUnpC,EAAY9W,EAAU7P,EAEhGmqD,EAAU,CAAC,EAAEtqE,eAEfmgB,EAAM,EAAQ,OAAc6P,EAAW7P,EAAI6P,SAAU8W,EAAa3mB,EAAI2mB,WAAYmpC,EAAW9vD,EAAI8vD,SAEjGoB,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBC,EAAe,EAAQ,OAEvBqE,EAAkB,EAAQ,OAE1BxxE,EAAOC,QAAuB,SAAUq4D,GAGtC,SAAS+b,EAAWz3D,EAAQ3e,EAAM6uC,GAChC,IAAIjlB,EAAOloB,EAAGL,EAAKoyE,EAEnB,GADA2C,EAAW1K,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAChC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,yBAA2BhI,KAAKmwE,aASlD,GAPAnwE,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOipE,EAASxB,QACrBzuE,KAAKo4E,QAAU,CAAC,EAChBp4E,KAAKswE,eAAiB,KACJ,MAAdzgC,GACF7vC,KAAK8vC,UAAUD,GAEblwB,EAAO3Y,OAASipE,EAAShB,WAC3BjvE,KAAK85E,QAAS,EACd95E,KAAK20E,eAAiBh1D,EACtBA,EAAO61D,WAAax1E,KAChB2f,EAAOwB,UAET,IAAKze,EAAI,EAAGL,GADZoyE,EAAO90D,EAAOwB,UACSzf,OAAQgB,EAAIL,EAAKK,IAEtC,IADAkoB,EAAQ6pD,EAAK/xE,IACHsE,OAASipE,EAASf,QAAS,CACnCtkD,EAAM5pB,KAAOhB,KAAKgB,KAClB,KACF,CAIR,CAsPA,OAlSS,SAAS4pB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAczRoe,CAAOw5D,EAAY/b,GAgCnB97D,OAAOoX,eAAeygE,EAAW53E,UAAW,UAAW,CACrDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAeygE,EAAW53E,UAAW,eAAgB,CAC1DmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAeygE,EAAW53E,UAAW,SAAU,CACpDmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAeygE,EAAW53E,UAAW,YAAa,CACvDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAeygE,EAAW53E,UAAW,KAAM,CAChDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKmwE,YAC/D,IAGF5wE,OAAOoX,eAAeygE,EAAW53E,UAAW,YAAa,CACvDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKmwE,YAC/D,IAGF5wE,OAAOoX,eAAeygE,EAAW53E,UAAW,YAAa,CACvDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKmwE,YAC/D,IAGF5wE,OAAOoX,eAAeygE,EAAW53E,UAAW,aAAc,CACxDmO,IAAK,WAIH,OAHK3N,KAAK+5E,cAAiB/5E,KAAK+5E,aAAajwC,QAC3C9pC,KAAK+5E,aAAe,IAAIxF,EAAgBv0E,KAAKo4E,UAExCp4E,KAAK+5E,YACd,IAGF3C,EAAW53E,UAAUyf,MAAQ,WAC3B,IAAI0rD,EAAKwN,EAAS6B,EAAYvF,EAO9B,IAAK0D,KANL6B,EAAaz6E,OAAOqB,OAAOZ,OACZ85E,SACbE,EAAWrF,eAAiB,MAE9BqF,EAAW5B,QAAU,CAAC,EACtB3D,EAAOz0E,KAAKo4E,QAELrO,EAAQ7oE,KAAKuzE,EAAM0D,KACxBxN,EAAM8J,EAAK0D,GACX6B,EAAW5B,QAAQD,GAAWxN,EAAI1rD,SASpC,OAPA+6D,EAAW74D,SAAW,GACtBnhB,KAAKmhB,SAAS9S,SAAQ,SAASuc,GAC7B,IAAIqvD,EAGJ,OAFAA,EAAcrvD,EAAM3L,SACRU,OAASq6D,EACdA,EAAW74D,SAAS3gB,KAAKy5E,EAClC,IACOD,CACT,EAEA5C,EAAW53E,UAAUswC,UAAY,SAAS9uC,EAAMoI,GAC9C,IAAI+uE,EAAS/H,EAIb,GAHY,MAARpvE,IACFA,EAAO0uE,EAAS1uE,IAEdyuB,EAASzuB,GACX,IAAKm3E,KAAWn3E,EACT+oE,EAAQ7oE,KAAKF,EAAMm3E,KACxB/H,EAAWpvE,EAAKm3E,GAChBn4E,KAAK8vC,UAAUqoC,EAAS/H,SAGtB7pC,EAAWn9B,KACbA,EAAQA,EAAM3G,SAEZzC,KAAKgR,QAAQ0nE,oBAAgC,MAATtvE,EACtCpJ,KAAKo4E,QAAQp3E,GAAQ,IAAIkvE,EAAalwE,KAAMgB,EAAM,IAChC,MAAToI,IACTpJ,KAAKo4E,QAAQp3E,GAAQ,IAAIkvE,EAAalwE,KAAMgB,EAAMoI,IAGtD,OAAOpJ,IACT,EAEAo3E,EAAW53E,UAAU06E,gBAAkB,SAASl5E,GAC9C,IAAIm3E,EAASz1E,EAAGL,EAChB,GAAY,MAARrB,EACF,MAAM,IAAIgH,MAAM,2BAA6BhI,KAAKmwE,aAGpD,GADAnvE,EAAO0uE,EAAS1uE,GACZY,MAAMoI,QAAQhJ,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtCy1E,EAAUn3E,EAAK0B,UACR1C,KAAKo4E,QAAQD,eAGfn4E,KAAKo4E,QAAQp3E,GAEtB,OAAOhB,IACT,EAEAo3E,EAAW53E,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQu/D,OAAOpoC,QAAQnoC,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC7E,EAEAomE,EAAW53E,UAAUmrE,IAAM,SAAS3pE,EAAMoI,GACxC,OAAOpJ,KAAK8vC,UAAU9uC,EAAMoI,EAC9B,EAEAguE,EAAW53E,UAAU2G,EAAI,SAASnF,EAAMoI,GACtC,OAAOpJ,KAAK8vC,UAAU9uC,EAAMoI,EAC9B,EAEAguE,EAAW53E,UAAUkrB,aAAe,SAAS1pB,GAC3C,OAAIhB,KAAKo4E,QAAQ34E,eAAeuB,GACvBhB,KAAKo4E,QAAQp3E,GAAMoI,MAEnB,IAEX,EAEAguE,EAAW53E,UAAU+lD,aAAe,SAASvkD,EAAMoI,GACjD,MAAM,IAAIpB,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAU26E,iBAAmB,SAASn5E,GAC/C,OAAIhB,KAAKo4E,QAAQ34E,eAAeuB,GACvBhB,KAAKo4E,QAAQp3E,GAEb,IAEX,EAEAo2E,EAAW53E,UAAU46E,iBAAmB,SAASC,GAC/C,MAAM,IAAIryE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAU86E,oBAAsB,SAASC,GAClD,MAAM,IAAIvyE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUy2E,qBAAuB,SAASj1E,GACnD,MAAM,IAAIgH,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUg7E,eAAiB,SAAS9J,EAAcC,GAC3D,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUi7E,eAAiB,SAAS/J,EAAcwB,EAAe9oE,GAC1E,MAAM,IAAIpB,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUk7E,kBAAoB,SAAShK,EAAcC,GAC9D,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUm7E,mBAAqB,SAASjK,EAAcC,GAC/D,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUo7E,mBAAqB,SAASP,GACjD,MAAM,IAAIryE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAU+2E,uBAAyB,SAAS7F,EAAcC,GACnE,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUq7E,aAAe,SAAS75E,GAC3C,OAAOhB,KAAKo4E,QAAQ34E,eAAeuB,EACrC,EAEAo2E,EAAW53E,UAAUs7E,eAAiB,SAASpK,EAAcC,GAC3D,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUu7E,eAAiB,SAAS/5E,EAAMqvE,GACnD,OAAIrwE,KAAKo4E,QAAQ34E,eAAeuB,GACvBhB,KAAKo4E,QAAQp3E,GAAMqvE,KAEnBA,CAEX,EAEA+G,EAAW53E,UAAUw7E,iBAAmB,SAAStK,EAAcC,EAAWN,GACxE,MAAM,IAAIroE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUy7E,mBAAqB,SAASC,EAAQ7K,GACzD,MAAM,IAAIroE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUy2E,qBAAuB,SAASC,GACnD,MAAM,IAAIluE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAU+2E,uBAAyB,SAAS7F,EAAcC,GACnE,MAAM,IAAI3oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUo3E,uBAAyB,SAASC,GACrD,MAAM,IAAI7uE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAiH,EAAW53E,UAAUixE,YAAc,SAASnrE,GAC1C,IAAI9D,EAAGkB,EAAG+xE,EACV,IAAK2C,EAAW1K,UAAU+D,YAAYhuE,MAAMzC,KAAMsC,WAAWmuE,YAAYnrE,GACvE,OAAO,EAET,GAAIA,EAAKorE,eAAiB1wE,KAAK0wE,aAC7B,OAAO,EAET,GAAIprE,EAAK5F,SAAWM,KAAKN,OACvB,OAAO,EAET,GAAI4F,EAAKqrE,YAAc3wE,KAAK2wE,UAC1B,OAAO,EAET,GAAIrrE,EAAK8yE,QAAQ12E,SAAW1B,KAAKo4E,QAAQ12E,OACvC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAG+xE,EAAOz0E,KAAKo4E,QAAQ12E,OAAS,EAAG,GAAK+yE,EAAO/xE,GAAK+xE,EAAO/xE,GAAK+xE,EAAMjzE,EAAI,GAAKizE,IAAS/xE,IAAMA,EACzG,IAAK1C,KAAKo4E,QAAQ52E,GAAGivE,YAAYnrE,EAAK8yE,QAAQ52E,IAC5C,OAAO,EAGX,OAAO,CACT,EAEO41E,CAER,CAvR6B,CAuR3BtG,EAEJ,GAAE5vE,KAAKlB,0BCxSR,WAGE+C,EAAOC,QAA4B,WACjC,SAASuxE,EAAgBzqC,GACvB9pC,KAAK8pC,MAAQA,CACf,CA8CA,OA5CAvqC,OAAOoX,eAAe49D,EAAgB/0E,UAAW,SAAU,CACzDmO,IAAK,WACH,OAAOpO,OAAO4K,KAAKnK,KAAK8pC,OAAOpoC,QAAU,CAC3C,IAGF6yE,EAAgB/0E,UAAUyf,MAAQ,WAChC,OAAOjf,KAAK8pC,MAAQ,IACtB,EAEAyqC,EAAgB/0E,UAAU27E,aAAe,SAASn6E,GAChD,OAAOhB,KAAK8pC,MAAM9oC,EACpB,EAEAuzE,EAAgB/0E,UAAU47E,aAAe,SAAS91E,GAChD,IAAI+1E,EAGJ,OAFAA,EAAUr7E,KAAK8pC,MAAMxkC,EAAKioE,UAC1BvtE,KAAK8pC,MAAMxkC,EAAKioE,UAAYjoE,EACrB+1E,GAAW,IACpB,EAEA9G,EAAgB/0E,UAAU87E,gBAAkB,SAASt6E,GACnD,IAAIq6E,EAGJ,OAFAA,EAAUr7E,KAAK8pC,MAAM9oC,UACdhB,KAAK8pC,MAAM9oC,GACXq6E,GAAW,IACpB,EAEA9G,EAAgB/0E,UAAU4N,KAAO,SAASyP,GACxC,OAAO7c,KAAK8pC,MAAMvqC,OAAO4K,KAAKnK,KAAK8pC,OAAOjtB,KAAW,IACvD,EAEA03D,EAAgB/0E,UAAU+7E,eAAiB,SAAS7K,EAAcC,GAChE,MAAM,IAAI3oE,MAAM,sCAClB,EAEAusE,EAAgB/0E,UAAUg8E,eAAiB,SAASl2E,GAClD,MAAM,IAAI0C,MAAM,sCAClB,EAEAusE,EAAgB/0E,UAAUi8E,kBAAoB,SAAS/K,EAAcC,GACnE,MAAM,IAAI3oE,MAAM,sCAClB,EAEOusE,CAER,CAnDkC,EAqDpC,GAAErzE,KAAKlB,8BCxDR,WACE,IAAI07E,EAAkBzL,EAAUY,EAAUQ,EAAY2C,EAAgBQ,EAAYqF,EAAUzC,EAAsCuE,EAAatE,EAA0BC,EAAQC,EAAS7H,EAAUzD,EAAS1lC,EAAY9W,EAAUglD,EACjO1K,EAAU,CAAC,EAAEtqE,eAEfg1E,EAAO,EAAQ,OAAchlD,EAAWglD,EAAKhlD,SAAU8W,EAAakuC,EAAKluC,WAAY0lC,EAAUwI,EAAKxI,QAASyD,EAAW+E,EAAK/E,SAE7H0H,EAAa,KAEbvG,EAAW,KAEXQ,EAAa,KAEb2C,EAAiB,KAEjBQ,EAAa,KAEb8C,EAAS,KAETC,EAAU,KAEVF,EAA2B,KAE3BwC,EAAW,KAEX5J,EAAW,KAEX0L,EAAc,KAIdD,EAAmB,KAEnB34E,EAAOC,QAAoB,WACzB,SAAS8tE,EAAQ8K,GACf57E,KAAK2f,OAASi8D,EACV57E,KAAK2f,SACP3f,KAAKgR,QAAUhR,KAAK2f,OAAO3O,QAC3BhR,KAAKoM,UAAYpM,KAAK2f,OAAOvT,WAE/BpM,KAAKoJ,MAAQ,KACbpJ,KAAKmhB,SAAW,GAChBnhB,KAAK67E,QAAU,KACVzE,IACHA,EAAa,EAAQ,OACrBvG,EAAW,EAAQ,OACnBQ,EAAa,EAAQ,OACrB2C,EAAiB,EAAQ,OACzBQ,EAAa,EAAQ,OACrB8C,EAAS,EAAQ,MACjBC,EAAU,EAAQ,OAClBF,EAA2B,EAAQ,OACnCwC,EAAW,EAAQ,OACnB5J,EAAW,EAAQ,OACnB0L,EAAc,EAAQ,OACJ,EAAQ,OAC1BD,EAAmB,EAAQ,OAE/B,CAktBA,OAhtBAn8E,OAAOoX,eAAem6D,EAAQtxE,UAAW,WAAY,CACnDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAem6D,EAAQtxE,UAAW,WAAY,CACnDmO,IAAK,WACH,OAAO3N,KAAKgH,IACd,IAGFzH,OAAOoX,eAAem6D,EAAQtxE,UAAW,YAAa,CACpDmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,IAGF7J,OAAOoX,eAAem6D,EAAQtxE,UAAW,aAAc,CACrDmO,IAAK,WACH,OAAO3N,KAAK2f,MACd,IAGFpgB,OAAOoX,eAAem6D,EAAQtxE,UAAW,aAAc,CACrDmO,IAAK,WAIH,OAHK3N,KAAK87E,eAAkB97E,KAAK87E,cAAchyC,QAC7C9pC,KAAK87E,cAAgB,IAAIH,EAAY37E,KAAKmhB,WAErCnhB,KAAK87E,aACd,IAGFv8E,OAAOoX,eAAem6D,EAAQtxE,UAAW,aAAc,CACrDmO,IAAK,WACH,OAAO3N,KAAKmhB,SAAS,IAAM,IAC7B,IAGF5hB,OAAOoX,eAAem6D,EAAQtxE,UAAW,YAAa,CACpDmO,IAAK,WACH,OAAO3N,KAAKmhB,SAASnhB,KAAKmhB,SAASzf,OAAS,IAAM,IACpD,IAGFnC,OAAOoX,eAAem6D,EAAQtxE,UAAW,kBAAmB,CAC1DmO,IAAK,WACH,IAAInM,EAEJ,OADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MAC1BA,KAAK2f,OAAOwB,SAAS3f,EAAI,IAAM,IACxC,IAGFjC,OAAOoX,eAAem6D,EAAQtxE,UAAW,cAAe,CACtDmO,IAAK,WACH,IAAInM,EAEJ,OADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MAC1BA,KAAK2f,OAAOwB,SAAS3f,EAAI,IAAM,IACxC,IAGFjC,OAAOoX,eAAem6D,EAAQtxE,UAAW,gBAAiB,CACxDmO,IAAK,WACH,OAAO3N,KAAKyF,YAAc,IAC5B,IAGFlG,OAAOoX,eAAem6D,EAAQtxE,UAAW,cAAe,CACtDmO,IAAK,WACH,IAAIid,EAAOloB,EAAGL,EAAKqyE,EAAMz2D,EACzB,GAAIje,KAAKukE,WAAa0L,EAASxB,SAAWzuE,KAAKukE,WAAa0L,EAASd,iBAAkB,CAGrF,IAFAlxD,EAAM,GAEDvb,EAAI,EAAGL,GADZqyE,EAAO10E,KAAKmhB,UACWzf,OAAQgB,EAAIL,EAAKK,KACtCkoB,EAAQ8pD,EAAKhyE,IACHq5E,cACR99D,GAAO2M,EAAMmxD,aAGjB,OAAO99D,CACT,CACE,OAAO,IAEX,EACAjO,IAAK,SAAS5G,GACZ,MAAM,IAAIpB,MAAM,sCAAwChI,KAAKmwE,YAC/D,IAGFW,EAAQtxE,UAAUw8E,UAAY,SAASr8D,GACrC,IAAIiL,EAAOloB,EAAGL,EAAKqyE,EAAM1mC,EAQzB,IAPAhuC,KAAK2f,OAASA,EACVA,IACF3f,KAAKgR,QAAU2O,EAAO3O,QACtBhR,KAAKoM,UAAYuT,EAAOvT,WAG1B4hC,EAAU,GACLtrC,EAAI,EAAGL,GAFZqyE,EAAO10E,KAAKmhB,UAEWzf,OAAQgB,EAAIL,EAAKK,IACtCkoB,EAAQ8pD,EAAKhyE,GACbsrC,EAAQxtC,KAAKoqB,EAAMoxD,UAAUh8E,OAE/B,OAAOguC,CACT,EAEA8iC,EAAQtxE,UAAU2oC,QAAU,SAASnnC,EAAM6uC,EAAYxiC,GACrD,IAAI4uE,EAAW7uE,EAAM1K,EAAGw5E,EAAGhzE,EAAKizE,EAAW95E,EAAK+5E,EAAM1H,EAAM2H,EAAM59D,EAelE,GAdA09D,EAAY,KACO,OAAftsC,GAAgC,MAARxiC,IACPwiC,GAAnB6kC,EAAO,CAAC,CAAC,EAAG,OAAyB,GAAIrnE,EAAOqnE,EAAK,IAErC,MAAd7kC,IACFA,EAAa,CAAC,GAEhBA,EAAa6/B,EAAS7/B,GACjBpgB,EAASogB,KACexiC,GAA3BgvE,EAAO,CAACxsC,EAAYxiC,IAAmB,GAAIwiC,EAAawsC,EAAK,IAEnD,MAARr7E,IACFA,EAAO0uE,EAAS1uE,IAEdY,MAAMoI,QAAQhJ,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtC0K,EAAOpM,EAAK0B,GACZy5E,EAAYn8E,KAAKmoC,QAAQ/6B,QAEtB,GAAIm5B,EAAWvlC,GACpBm7E,EAAYn8E,KAAKmoC,QAAQnnC,EAAKyB,cACzB,GAAIgtB,EAASzuB,IAClB,IAAKkI,KAAOlI,EACV,GAAK+oE,EAAQ7oE,KAAKF,EAAMkI,GAKxB,GAJAuV,EAAMzd,EAAKkI,GACPq9B,EAAW9nB,KACbA,EAAMA,EAAIhc,UAEPzC,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAUmwE,eAA+D,IAA9CrzE,EAAImK,QAAQrT,KAAKoM,UAAUmwE,eAC/FJ,EAAYn8E,KAAK8vC,UAAU5mC,EAAI6c,OAAO/lB,KAAKoM,UAAUmwE,cAAc76E,QAAS+c,QACvE,IAAKze,KAAKgR,QAAQwrE,oBAAsB56E,MAAMoI,QAAQyU,IAAQwtD,EAAQxtD,GAC3E09D,EAAYn8E,KAAKq4E,aACZ,GAAI5oD,EAAShR,IAAQwtD,EAAQxtD,GAClC09D,EAAYn8E,KAAKmoC,QAAQj/B,QACpB,GAAKlJ,KAAKgR,QAAQyrE,eAAyB,MAAPh+D,EAEpC,IAAKze,KAAKgR,QAAQwrE,oBAAsB56E,MAAMoI,QAAQyU,GAC3D,IAAKy9D,EAAI,EAAGE,EAAO39D,EAAI/c,OAAQw6E,EAAIE,EAAMF,IACvC9uE,EAAOqR,EAAIy9D,IACXD,EAAY,CAAC,GACH/yE,GAAOkE,EACjB+uE,EAAYn8E,KAAKmoC,QAAQ8zC,QAElBxsD,EAAShR,IACbze,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAUswE,gBAAiE,IAA/CxzE,EAAImK,QAAQrT,KAAKoM,UAAUswE,gBAChGP,EAAYn8E,KAAKmoC,QAAQ1pB,IAEzB09D,EAAYn8E,KAAKmoC,QAAQj/B,IACfi/B,QAAQ1pB,GAGpB09D,EAAYn8E,KAAKmoC,QAAQj/B,EAAKuV,QAhB9B09D,EAAYn8E,KAAKq4E,aAuBnB8D,EAJQn8E,KAAKgR,QAAQyrE,eAA0B,OAATpvE,GAGnCrN,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAUswE,gBAAkE,IAAhD17E,EAAKqS,QAAQrT,KAAKoM,UAAUswE,gBACrF18E,KAAKqN,KAAKA,IACZrN,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAUuwE,iBAAoE,IAAjD37E,EAAKqS,QAAQrT,KAAKoM,UAAUuwE,iBAC7F38E,KAAKkgE,MAAM7yD,IACbrN,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAUwwE,mBAAwE,IAAnD57E,EAAKqS,QAAQrT,KAAKoM,UAAUwwE,mBAC/F58E,KAAKogE,QAAQ/yD,IACfrN,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAUywE,eAAgE,IAA/C77E,EAAKqS,QAAQrT,KAAKoM,UAAUywE,eAC3F78E,KAAK+mB,IAAI1Z,IACXrN,KAAKgR,QAAQsrE,kBAAoBt8E,KAAKoM,UAAU0wE,cAA8D,IAA9C97E,EAAKqS,QAAQrT,KAAKoM,UAAU0wE,cAC1F98E,KAAKs4E,YAAYt3E,EAAK+kB,OAAO/lB,KAAKoM,UAAU0wE,aAAap7E,QAAS2L,GAElErN,KAAKsF,KAAKtE,EAAM6uC,EAAYxiC,GAb9BrN,KAAKq4E,QAgBnB,GAAiB,MAAb8D,EACF,MAAM,IAAIn0E,MAAM,uCAAyChH,EAAO,KAAOhB,KAAKmwE,aAE9E,OAAOgM,CACT,EAEArL,EAAQtxE,UAAUu9E,aAAe,SAAS/7E,EAAM6uC,EAAYxiC,GAC1D,IAAIud,EAAOppB,EAAGw7E,EAAUC,EAAUC,EAClC,GAAY,MAARl8E,EAAeA,EAAKgG,UAAO,EAY7B,OAVAi2E,EAAWptC,GADXmtC,EAAWh8E,GAEFg7E,UAAUh8E,MACfi9E,GACFz7E,EAAI2f,SAAS9N,QAAQ4pE,GACrBC,EAAU/7D,SAAS7N,OAAO9R,GAC1B2f,SAAS3gB,KAAKw8E,GACdp7E,MAAMpC,UAAUgB,KAAKiC,MAAM0e,SAAU+7D,IAErC/7D,SAAS3gB,KAAKw8E,GAETA,EAEP,GAAIh9E,KAAK85E,OACP,MAAM,IAAI9xE,MAAM,yCAA2ChI,KAAKmwE,UAAUnvE,IAM5E,OAJAQ,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCk9E,EAAUl9E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GACtCopB,EAAQ5qB,KAAK2f,OAAOwoB,QAAQnnC,EAAM6uC,EAAYxiC,GAC9CzL,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU+7D,GAC1CtyD,CAEX,EAEAkmD,EAAQtxE,UAAU29E,YAAc,SAASn8E,EAAM6uC,EAAYxiC,GACzD,IAAIud,EAAOppB,EAAG07E,EACd,GAAIl9E,KAAK85E,OACP,MAAM,IAAI9xE,MAAM,yCAA2ChI,KAAKmwE,UAAUnvE,IAM5E,OAJAQ,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCk9E,EAAUl9E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAC1CopB,EAAQ5qB,KAAK2f,OAAOwoB,QAAQnnC,EAAM6uC,EAAYxiC,GAC9CzL,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU+7D,GAC1CtyD,CACT,EAEAkmD,EAAQtxE,UAAU49E,OAAS,WACzB,IAAI57E,EACJ,GAAIxB,KAAK85E,OACP,MAAM,IAAI9xE,MAAM,mCAAqChI,KAAKmwE,aAI5D,OAFA3uE,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC,GAAGsT,OAAO7Q,MAAMzC,KAAK2f,OAAOwB,SAAU,CAAC3f,EAAGA,EAAIA,EAAI,GAAGH,OAAc,KAC5DrB,KAAK2f,MACd,EAEAmxD,EAAQtxE,UAAU8F,KAAO,SAAStE,EAAM6uC,EAAYxiC,GAClD,IAAIud,EAAO8pD,EAcX,OAbY,MAAR1zE,IACFA,EAAO0uE,EAAS1uE,IAElB6uC,IAAeA,EAAa,CAAC,GAC7BA,EAAa6/B,EAAS7/B,GACjBpgB,EAASogB,KACexiC,GAA3BqnE,EAAO,CAAC7kC,EAAYxiC,IAAmB,GAAIwiC,EAAa6kC,EAAK,IAE/D9pD,EAAQ,IAAIwsD,EAAWp3E,KAAMgB,EAAM6uC,GACvB,MAARxiC,GACFud,EAAMvd,KAAKA,GAEbrN,KAAKmhB,SAAS3gB,KAAKoqB,GACZA,CACT,EAEAkmD,EAAQtxE,UAAU6N,KAAO,SAASjE,GAChC,IAAIwhB,EAMJ,OALI6E,EAASrmB,IACXpJ,KAAKmoC,QAAQ/+B,GAEfwhB,EAAQ,IAAI2sD,EAAQv3E,KAAMoJ,GAC1BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA8wE,EAAQtxE,UAAU0gE,MAAQ,SAAS92D,GACjC,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIimD,EAAS7wE,KAAMoJ,GAC3BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA8wE,EAAQtxE,UAAU4gE,QAAU,SAASh3D,GACnC,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIymD,EAAWrxE,KAAMoJ,GAC7BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA8wE,EAAQtxE,UAAU69E,cAAgB,SAASj0E,GACzC,IAAW5H,EAAG07E,EAKd,OAJA17E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCk9E,EAAUl9E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GAC9BxB,KAAK2f,OAAOygD,QAAQh3D,GAC5BxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU+7D,GAC1Cl9E,IACT,EAEA8wE,EAAQtxE,UAAU89E,aAAe,SAASl0E,GACxC,IAAW5H,EAAG07E,EAKd,OAJA17E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCk9E,EAAUl9E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAClCxB,KAAK2f,OAAOygD,QAAQh3D,GAC5BxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU+7D,GAC1Cl9E,IACT,EAEA8wE,EAAQtxE,UAAUunB,IAAM,SAAS3d,GAC/B,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAI0sD,EAAOt3E,KAAMoJ,GACzBpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA8wE,EAAQtxE,UAAU64E,MAAQ,WAGxB,OADQ,IAAIwB,EAAS75E,KAEvB,EAEA8wE,EAAQtxE,UAAU84E,YAAc,SAAS7xE,EAAQ2C,GAC/C,IAAIuvE,EAAWC,EAAUN,EAAa51E,EAAGL,EAOzC,GANc,MAAVoE,IACFA,EAASipE,EAASjpE,IAEP,MAAT2C,IACFA,EAAQsmE,EAAStmE,IAEfxH,MAAMoI,QAAQvD,GAChB,IAAK/D,EAAI,EAAGL,EAAMoE,EAAO/E,OAAQgB,EAAIL,EAAKK,IACxCi2E,EAAYlyE,EAAO/D,GACnB1C,KAAKs4E,YAAYK,QAEd,GAAIlpD,EAAShpB,GAClB,IAAKkyE,KAAalyE,EACXsjE,EAAQ7oE,KAAKuF,EAAQkyE,KAC1BC,EAAWnyE,EAAOkyE,GAClB34E,KAAKs4E,YAAYK,EAAWC,SAG1BryC,EAAWn9B,KACbA,EAAQA,EAAM3G,SAEhB61E,EAAc,IAAIjB,EAAyBr3E,KAAMyG,EAAQ2C,GACzDpJ,KAAKmhB,SAAS3gB,KAAK83E,GAErB,OAAOt4E,IACT,EAEA8wE,EAAQtxE,UAAU+9E,kBAAoB,SAAS92E,EAAQ2C,GACrD,IAAW5H,EAAG07E,EAKd,OAJA17E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCk9E,EAAUl9E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GAC9BxB,KAAK2f,OAAO24D,YAAY7xE,EAAQ2C,GACxCxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU+7D,GAC1Cl9E,IACT,EAEA8wE,EAAQtxE,UAAUg+E,iBAAmB,SAAS/2E,EAAQ2C,GACpD,IAAW5H,EAAG07E,EAKd,OAJA17E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCk9E,EAAUl9E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAClCxB,KAAK2f,OAAO24D,YAAY7xE,EAAQ2C,GACxCxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU+7D,GAC1Cl9E,IACT,EAEA8wE,EAAQtxE,UAAU80E,YAAc,SAAS96C,EAASy6C,EAAUC,GAC1D,IAAI9N,EAAKwE,EAUT,OATAxE,EAAMpmE,KAAKyF,WACXmlE,EAAS,IAAIoJ,EAAe5N,EAAK5sC,EAASy6C,EAAUC,GACxB,IAAxB9N,EAAIjlD,SAASzf,OACf0kE,EAAIjlD,SAASpR,QAAQ66D,GACZxE,EAAIjlD,SAAS,GAAGna,OAASipE,EAASZ,YAC3CjJ,EAAIjlD,SAAS,GAAKypD,EAElBxE,EAAIjlD,SAASpR,QAAQ66D,GAEhBxE,EAAIp8B,QAAUo8B,CACvB,EAEA0K,EAAQtxE,UAAUm6E,IAAM,SAAStG,EAAOC,GACtC,IAAWlN,EAAK9F,EAAS9+D,EAAGkB,EAAGw5E,EAAG75E,EAAK+5E,EAAM1H,EAAM2H,EAInD,IAHAjW,EAAMpmE,KAAKyF,WACX66D,EAAU,IAAIkU,EAAWpO,EAAKiN,EAAOC,GAEhC9xE,EAAIkB,EAAI,EAAGL,GADhBqyE,EAAOtO,EAAIjlD,UACgBzf,OAAQgB,EAAIL,EAAKb,IAAMkB,EAEhD,GADQgyE,EAAKlzE,GACHwF,OAASipE,EAASf,QAE1B,OADA9I,EAAIjlD,SAAS3f,GAAK8+D,EACXA,EAIX,IAAK9+D,EAAI06E,EAAI,EAAGE,GADhBC,EAAOjW,EAAIjlD,UACiBzf,OAAQw6E,EAAIE,EAAM56E,IAAM06E,EAElD,GADQG,EAAK76E,GACHs4E,OAER,OADA1T,EAAIjlD,SAAS7N,OAAO9R,EAAG,EAAG8+D,GACnBA,EAIX,OADA8F,EAAIjlD,SAAS3gB,KAAK8/D,GACXA,CACT,EAEAwQ,EAAQtxE,UAAUkrE,GAAK,WACrB,GAAI1qE,KAAK85E,OACP,MAAM,IAAI9xE,MAAM,kFAElB,OAAOhI,KAAK2f,MACd,EAEAmxD,EAAQtxE,UAAUwqC,KAAO,WACvB,IAAI1kC,EAEJ,IADAA,EAAOtF,KACAsF,GAAM,CACX,GAAIA,EAAK0B,OAASipE,EAAShB,SACzB,OAAO3pE,EAAKkwE,WACP,GAAIlwE,EAAKw0E,OACd,OAAOx0E,EAEPA,EAAOA,EAAKqa,MAEhB,CACF,EAEAmxD,EAAQtxE,UAAUiG,SAAW,WAC3B,IAAIH,EAEJ,IADAA,EAAOtF,KACAsF,GAAM,CACX,GAAIA,EAAK0B,OAASipE,EAAShB,SACzB,OAAO3pE,EAEPA,EAAOA,EAAKqa,MAEhB,CACF,EAEAmxD,EAAQtxE,UAAU8mB,IAAM,SAAStV,GAC/B,OAAOhR,KAAKyF,WAAW6gB,IAAItV,EAC7B,EAEA8/D,EAAQtxE,UAAU4zB,KAAO,WACvB,IAAI5xB,EAEJ,IADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,OACzB,EACN,MAAM,IAAIgI,MAAM,8BAAgChI,KAAKmwE,aAEvD,OAAOnwE,KAAK2f,OAAOwB,SAAS3f,EAAI,EAClC,EAEAsvE,EAAQtxE,UAAUimB,KAAO,WACvB,IAAIjkB,EAEJ,IAAW,KADXA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,QACjBwB,IAAMxB,KAAK2f,OAAOwB,SAASzf,OAAS,EAClD,MAAM,IAAIsG,MAAM,6BAA+BhI,KAAKmwE,aAEtD,OAAOnwE,KAAK2f,OAAOwB,SAAS3f,EAAI,EAClC,EAEAsvE,EAAQtxE,UAAUi+E,eAAiB,SAASrX,GAC1C,IAAIsX,EAKJ,OAJAA,EAAatX,EAAIp8B,OAAO/qB,SACbU,OAAS3f,KACpB09E,EAAW5D,QAAS,EACpB95E,KAAKmhB,SAAS3gB,KAAKk9E,GACZ19E,IACT,EAEA8wE,EAAQtxE,UAAU2wE,UAAY,SAASnvE,GACrC,IAAI0zE,EAAM2H,EAEV,OAAa,OADbr7E,EAAOA,GAAQhB,KAAKgB,QAC4B,OAAvB0zE,EAAO10E,KAAK2f,QAAkB+0D,EAAK1zE,UAAO,GAEhD,MAARA,EACF,YAAchB,KAAK2f,OAAO3e,KAAO,KACL,OAAvBq7E,EAAOr8E,KAAK2f,QAAkB08D,EAAKr7E,UAAO,GAG/C,UAAYA,EAAO,eAAiBhB,KAAK2f,OAAO3e,KAAO,IAFvD,UAAYA,EAAO,IAJnB,EAQX,EAEA8vE,EAAQtxE,UAAUirE,IAAM,SAASzpE,EAAM6uC,EAAYxiC,GACjD,OAAOrN,KAAKmoC,QAAQnnC,EAAM6uC,EAAYxiC,EACxC,EAEAyjE,EAAQtxE,UAAU85E,IAAM,SAASt4E,EAAM6uC,EAAYxiC,GACjD,OAAOrN,KAAKsF,KAAKtE,EAAM6uC,EAAYxiC,EACrC,EAEAyjE,EAAQtxE,UAAUgrE,IAAM,SAASphE,GAC/B,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEA0nE,EAAQtxE,UAAU+5E,IAAM,SAASnwE,GAC/B,OAAOpJ,KAAKkgE,MAAM92D,EACpB,EAEA0nE,EAAQtxE,UAAUg6E,IAAM,SAASpwE,GAC/B,OAAOpJ,KAAKogE,QAAQh3D,EACtB,EAEA0nE,EAAQtxE,UAAUi6E,IAAM,SAAShzE,EAAQ2C,GACvC,OAAOpJ,KAAKs4E,YAAY7xE,EAAQ2C,EAClC,EAEA0nE,EAAQtxE,UAAU4mE,IAAM,WACtB,OAAOpmE,KAAKyF,UACd,EAEAqrE,EAAQtxE,UAAUk6E,IAAM,SAASlgD,EAASy6C,EAAUC,GAClD,OAAOl0E,KAAKs0E,YAAY96C,EAASy6C,EAAUC,EAC7C,EAEApD,EAAQtxE,UAAU2F,EAAI,SAASnE,EAAM6uC,EAAYxiC,GAC/C,OAAOrN,KAAKmoC,QAAQnnC,EAAM6uC,EAAYxiC,EACxC,EAEAyjE,EAAQtxE,UAAUu2B,EAAI,SAAS/0B,EAAM6uC,EAAYxiC,GAC/C,OAAOrN,KAAKsF,KAAKtE,EAAM6uC,EAAYxiC,EACrC,EAEAyjE,EAAQtxE,UAAUw+B,EAAI,SAAS50B,GAC7B,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEA0nE,EAAQtxE,UAAUioE,EAAI,SAASr+D,GAC7B,OAAOpJ,KAAKkgE,MAAM92D,EACpB,EAEA0nE,EAAQtxE,UAAUue,EAAI,SAAS3U,GAC7B,OAAOpJ,KAAKogE,QAAQh3D,EACtB,EAEA0nE,EAAQtxE,UAAUo6E,EAAI,SAASxwE,GAC7B,OAAOpJ,KAAK+mB,IAAI3d,EAClB,EAEA0nE,EAAQtxE,UAAUgC,EAAI,SAASiF,EAAQ2C,GACrC,OAAOpJ,KAAKs4E,YAAY7xE,EAAQ2C,EAClC,EAEA0nE,EAAQtxE,UAAUm+E,EAAI,WACpB,OAAO39E,KAAK0qE,IACd,EAEAoG,EAAQtxE,UAAUo+E,iBAAmB,SAASxX,GAC5C,OAAOpmE,KAAKy9E,eAAerX,EAC7B,EAEA0K,EAAQtxE,UAAUq+E,aAAe,SAASb,EAAUc,GAClD,MAAM,IAAI91E,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAU6nE,YAAc,SAASyW,GACvC,MAAM,IAAI91E,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUygC,YAAc,SAAS+8C,GACvC,MAAM,IAAIh1E,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUu+E,cAAgB,WAChC,OAAgC,IAAzB/9E,KAAKmhB,SAASzf,MACvB,EAEAovE,EAAQtxE,UAAUk8C,UAAY,SAAStpC,GACrC,MAAM,IAAIpK,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUglE,UAAY,WAC5B,MAAM,IAAIx8D,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUw+E,YAAc,SAAShM,EAASx4C,GAChD,OAAO,CACT,EAEAs3C,EAAQtxE,UAAUy+E,cAAgB,WAChC,OAA+B,IAAxBj+E,KAAKo4E,QAAQ12E,MACtB,EAEAovE,EAAQtxE,UAAU0+E,wBAA0B,SAASC,GACnD,IAAIv+D,EAAKvB,EAET,OADAuB,EAAM5f,QACMm+E,EACH,EACEn+E,KAAKyF,aAAe04E,EAAM14E,YACnC4Y,EAAMq9D,EAAiBvN,aAAeuN,EAAiBlN,uBACnD36C,KAAKg5B,SAAW,GAClBxuC,GAAOq9D,EAAiBtN,UAExB/vD,GAAOq9D,EAAiBrN,UAEnBhwD,GACEuB,EAAIw+D,WAAWD,GACjBzC,EAAiBpN,SAAWoN,EAAiBtN,UAC3CxuD,EAAIy+D,aAAaF,GACnBzC,EAAiBpN,SAAWoN,EAAiBrN,UAC3CzuD,EAAI0+D,YAAYH,GAClBzC,EAAiBtN,UAEjBsN,EAAiBrN,SAE5B,EAEAyC,EAAQtxE,UAAU++E,WAAa,SAASJ,GACtC,MAAM,IAAIn2E,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUg/E,aAAe,SAAS9N,GACxC,MAAM,IAAI1oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUi/E,mBAAqB,SAAS/N,GAC9C,MAAM,IAAI1oE,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUk/E,mBAAqB,SAASh/E,GAC9C,MAAM,IAAIsI,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUixE,YAAc,SAASnrE,GACvC,IAAI9D,EAAGkB,EAAGgyE,EACV,GAAIpvE,EAAKi/D,WAAavkE,KAAKukE,SACzB,OAAO,EAET,GAAIj/D,EAAK6b,SAASzf,SAAW1B,KAAKmhB,SAASzf,OACzC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAGgyE,EAAO10E,KAAKmhB,SAASzf,OAAS,EAAG,GAAKgzE,EAAOhyE,GAAKgyE,EAAOhyE,GAAKgyE,EAAMlzE,EAAI,GAAKkzE,IAAShyE,IAAMA,EAC1G,IAAK1C,KAAKmhB,SAAS3f,GAAGivE,YAAYnrE,EAAK6b,SAAS3f,IAC9C,OAAO,EAGX,OAAO,CACT,EAEAsvE,EAAQtxE,UAAU+yE,WAAa,SAASP,EAASx4C,GAC/C,MAAM,IAAIxxB,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUm/E,YAAc,SAASz1E,EAAKgB,EAAMif,GAClD,MAAM,IAAInhB,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUo/E,YAAc,SAAS11E,GACvC,MAAM,IAAIlB,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAW,EAAQtxE,UAAUg/C,SAAW,SAAS2/B,GACpC,QAAKA,IAGEA,IAAUn+E,MAAQA,KAAKq+E,aAAaF,GAC7C,EAEArN,EAAQtxE,UAAU6+E,aAAe,SAAS/4E,GACxC,IAAIslB,EAA0BloB,EAAGL,EAAKqyE,EAEtC,IAAKhyE,EAAI,EAAGL,GADZqyE,EAAO10E,KAAKmhB,UACWzf,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI4C,KADJslB,EAAQ8pD,EAAKhyE,IAEX,OAAO,EAGT,GADoBkoB,EAAMyzD,aAAa/4E,GAErC,OAAO,CAEX,CACA,OAAO,CACT,EAEAwrE,EAAQtxE,UAAU4+E,WAAa,SAAS94E,GACtC,OAAOA,EAAK+4E,aAAar+E,KAC3B,EAEA8wE,EAAQtxE,UAAU8+E,YAAc,SAASh5E,GACvC,IAAIu5E,EAASC,EAGb,OAFAD,EAAU7+E,KAAK++E,aAAaz5E,GAC5Bw5E,EAAU9+E,KAAK++E,aAAa/+E,OACX,IAAb6+E,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEAhO,EAAQtxE,UAAUw/E,YAAc,SAAS15E,GACvC,IAAIu5E,EAASC,EAGb,OAFAD,EAAU7+E,KAAK++E,aAAaz5E,GAC5Bw5E,EAAU9+E,KAAK++E,aAAa/+E,OACX,IAAb6+E,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEAhO,EAAQtxE,UAAUu/E,aAAe,SAASz5E,GACxC,IAAI25E,EAAOC,EASX,OARAA,EAAM,EACND,GAAQ,EACRj/E,KAAKm/E,gBAAgBn/E,KAAKyF,YAAY,SAASw2E,GAE7C,GADAiD,KACKD,GAAShD,IAAc32E,EAC1B,OAAO25E,GAAQ,CAEnB,IACIA,EACKC,GAEC,CAEZ,EAEApO,EAAQtxE,UAAU2/E,gBAAkB,SAAS75E,EAAM85E,GACjD,IAAIx0D,EAAOloB,EAAGL,EAAKqyE,EAAMr2D,EAGzB,IAFA/Y,IAASA,EAAOtF,KAAKyF,YAEhB/C,EAAI,EAAGL,GADZqyE,EAAOpvE,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI2b,EAAM+gE,EADVx0D,EAAQ8pD,EAAKhyE,IAEX,OAAO2b,EAGP,GADAA,EAAMre,KAAKm/E,gBAAgBv0D,EAAOw0D,GAEhC,OAAO/gE,CAGb,CACF,EAEOyyD,CAER,CA7uB0B,EA+uB5B,GAAE5vE,KAAKlB,0BC/wBR,WAGE+C,EAAOC,QAAwB,WAC7B,SAAS24E,EAAY7xC,GACnB9pC,KAAK8pC,MAAQA,CACf,CAgBA,OAdAvqC,OAAOoX,eAAeglE,EAAYn8E,UAAW,SAAU,CACrDmO,IAAK,WACH,OAAO3N,KAAK8pC,MAAMpoC,QAAU,CAC9B,IAGFi6E,EAAYn8E,UAAUyf,MAAQ,WAC5B,OAAOjf,KAAK8pC,MAAQ,IACtB,EAEA6xC,EAAYn8E,UAAU4N,KAAO,SAASyP,GACpC,OAAO7c,KAAK8pC,MAAMjtB,IAAU,IAC9B,EAEO8+D,CAER,CArB8B,EAuBhC,GAAEz6E,KAAKlB,8BC1BR,WACE,IAAIiwE,EAAUW,EAEZ7G,EAAU,CAAC,EAAEtqE,eAEfwwE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B7tE,EAAOC,QAAqC,SAAUq4D,GAGpD,SAASgc,EAAyB13D,EAAQlZ,EAAQ2C,GAEhD,GADAiuE,EAAyB3K,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC5C,MAAVlZ,EACF,MAAM,IAAIuB,MAAM,+BAAiChI,KAAKmwE,aAExDnwE,KAAKgH,KAAOipE,EAASlB,sBACrB/uE,KAAKyG,OAASzG,KAAKoM,UAAUusE,UAAUlyE,GACvCzG,KAAKgB,KAAOhB,KAAKyG,OACb2C,IACFpJ,KAAKoJ,MAAQpJ,KAAKoM,UAAUwsE,SAASxvE,GAEzC,CAoBA,OAzCS,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAOy5D,EAA0Bhc,GAejCgc,EAAyB73E,UAAUyf,MAAQ,WACzC,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAq3E,EAAyB73E,UAAUgE,SAAW,SAASwN,GACrD,OAAOhR,KAAKgR,QAAQu/D,OAAOsI,sBAAsB74E,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC3F,EAEAqmE,EAAyB73E,UAAUixE,YAAc,SAASnrE,GACxD,QAAK+xE,EAAyB3K,UAAU+D,YAAYhuE,MAAMzC,KAAMsC,WAAWmuE,YAAYnrE,IAGnFA,EAAKmB,SAAWzG,KAAKyG,MAI3B,EAEO4wE,CAER,CApC2C,CAoCzCzG,EAEJ,GAAE1vE,KAAKlB,6BC/CR,WACE,IAAIiwE,EAAUa,EAEZ/G,EAAU,CAAC,EAAEtqE,eAEfwwE,EAAW,EAAQ,OAEnBa,EAAU,EAAQ,OAElB/tE,EAAOC,QAAmB,SAAUq4D,GAGlC,SAASic,EAAO33D,EAAQtS,GAEtB,GADAiqE,EAAO5K,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC5B,MAARtS,EACF,MAAM,IAAIrF,MAAM,qBAAuBhI,KAAKmwE,aAE9CnwE,KAAKgH,KAAOipE,EAASX,IACrBtvE,KAAKoJ,MAAQpJ,KAAKoM,UAAU2a,IAAI1Z,EAClC,CAUA,OA3BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAO05D,EAAQjc,GAWfic,EAAO93E,UAAUyf,MAAQ,WACvB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAs3E,EAAO93E,UAAUgE,SAAW,SAASwN,GACnC,OAAOhR,KAAKgR,QAAQu/D,OAAOxpD,IAAI/mB,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GACzE,EAEOsmE,CAER,CAtByB,CAsBvBxG,EAEJ,GAAE5vE,KAAKlB,8BCjCR,WACE,IAAIiwE,EAAUkH,EAA8BkI,EAE1CtV,EAAU,CAAC,EAAEtqE,eAEfwwE,EAAW,EAAQ,OAEnBoP,EAAgB,EAAQ,MAExBlI,EAAc,EAAQ,OAEtBp0E,EAAOC,QAA4B,SAAUq4D,GAG3C,SAASikB,EAAgBC,EAAQvuE,GAC/BhR,KAAKu/E,OAASA,EACdD,EAAgB5S,UAAUh3C,YAAYx0B,KAAKlB,KAAMgR,EACnD,CAyJA,OAxKS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAUzRoe,CAAO0hE,EAAiBjkB,GAOxBikB,EAAgB9/E,UAAU25E,QAAU,SAAS7zE,EAAM0L,EAASqoE,GAC1D,OAAI/zE,EAAKk6E,gBAAkBxuE,EAAQ/H,QAAUkuE,EAAYnH,SAChD,GAEAsP,EAAgB5S,UAAUyM,QAAQj4E,KAAKlB,KAAMsF,EAAM0L,EAASqoE,EAEvE,EAEAiG,EAAgB9/E,UAAUiG,SAAW,SAAS2gE,EAAKp1D,GACjD,IAAI4Z,EAAOppB,EAAGkB,EAAGw5E,EAAG75E,EAAK+5E,EAAMx8D,EAAK60D,EAAMzmC,EAE1C,IAAKxsC,EAAIkB,EAAI,EAAGL,GADhBud,EAAMwmD,EAAIjlD,UACgBzf,OAAQgB,EAAIL,EAAKb,IAAMkB,GAC/CkoB,EAAQhL,EAAIpe,IACNg+E,eAAiBh+E,IAAM4kE,EAAIjlD,SAASzf,OAAS,EAKrD,IAHAsP,EAAUhR,KAAKwwE,cAAcx/D,GAE7Bg9B,EAAU,GACLkuC,EAAI,EAAGE,GAFZ3H,EAAOrO,EAAIjlD,UAEazf,OAAQw6E,EAAIE,EAAMF,IACxCtxD,EAAQ6pD,EAAKyH,GACbluC,EAAQxtC,KAAKR,KAAKy/E,eAAe70D,EAAO5Z,EAAS,IAEnD,OAAOg9B,CACT,EAEAsxC,EAAgB9/E,UAAUswC,UAAY,SAAS66B,EAAK35D,EAASqoE,GAC3D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAU58B,UAAU5uC,KAAKlB,KAAM2qE,EAAK35D,EAASqoE,GACxF,EAEAiG,EAAgB9/E,UAAU0gE,MAAQ,SAAS56D,EAAM0L,EAASqoE,GACxD,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUxM,MAAMh/D,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GACrF,EAEAiG,EAAgB9/E,UAAU4gE,QAAU,SAAS96D,EAAM0L,EAASqoE,GAC1D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUtM,QAAQl/D,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GACvF,EAEAiG,EAAgB9/E,UAAU80E,YAAc,SAAShvE,EAAM0L,EAASqoE,GAC9D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAU4H,YAAYpzE,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GAC3F,EAEAiG,EAAgB9/E,UAAUu1E,QAAU,SAASzvE,EAAM0L,EAASqoE,GAC1D,IAAIzuD,EAAOloB,EAAGL,EAAKud,EAWnB,GAVAy5D,IAAUA,EAAQ,GAClBr5E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B9vE,KAAKu/E,OAAOjhB,MAAMt+D,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,IAC7Cr5E,KAAKu/E,OAAOjhB,MAAM,aAAeh5D,EAAK0kC,OAAOhpC,MACzCsE,EAAK+tE,OAAS/tE,EAAKguE,MACrBtzE,KAAKu/E,OAAOjhB,MAAM,YAAch5D,EAAK+tE,MAAQ,MAAQ/tE,EAAKguE,MAAQ,KACzDhuE,EAAKguE,OACdtzE,KAAKu/E,OAAOjhB,MAAM,YAAch5D,EAAKguE,MAAQ,KAE3ChuE,EAAK6b,SAASzf,OAAS,EAAG,CAK5B,IAJA1B,KAAKu/E,OAAOjhB,MAAM,MAClBt+D,KAAKu/E,OAAOjhB,MAAMt+D,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,IAC9CroE,EAAQ/H,MAAQkuE,EAAYpH,UAEvBrtE,EAAI,EAAGL,GADZud,EAAMta,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IACrCkoB,EAAQhL,EAAIld,GACZ1C,KAAKy/E,eAAe70D,EAAO5Z,EAASqoE,EAAQ,GAE9CroE,EAAQ/H,MAAQkuE,EAAYnH,SAC5BhwE,KAAKu/E,OAAOjhB,MAAM,IACpB,CAKA,OAJAttD,EAAQ/H,MAAQkuE,EAAYnH,SAC5BhwE,KAAKu/E,OAAOjhB,MAAMttD,EAAQ0uE,iBAAmB,KAC7C1/E,KAAKu/E,OAAOjhB,MAAMt+D,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,IAC9CroE,EAAQ/H,MAAQkuE,EAAYtH,KACrB7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,EACvC,EAEAiG,EAAgB9/E,UAAU2oC,QAAU,SAAS7iC,EAAM0L,EAASqoE,GAC1D,IAAI1O,EAAK//C,EAAO+0D,EAAgBC,EAAgBl9E,EAAGL,EAAKrB,EAAwB4e,EAAK60D,EAMrF,IAAKzzE,KALLq4E,IAAUA,EAAQ,GAClBr5E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B9vE,KAAKu/E,OAAOjhB,MAAMt+D,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,IAAM/zE,EAAKtE,MACjE4e,EAAMta,EAAK8yE,QAEJrO,EAAQ7oE,KAAK0e,EAAK5e,KACvB2pE,EAAM/qD,EAAI5e,GACVhB,KAAK8vC,UAAU66B,EAAK35D,EAASqoE,IAI/B,GADAuG,EAAoC,KADpCD,EAAiBr6E,EAAK6b,SAASzf,QACS,KAAO4D,EAAK6b,SAAS,GACtC,IAAnBw+D,GAAwBr6E,EAAK6b,SAAShB,OAAM,SAAShb,GACvD,OAAQA,EAAE6B,OAASipE,EAAStB,MAAQxpE,EAAE6B,OAASipE,EAASX,MAAoB,KAAZnqE,EAAEiE,KACpE,IACM4H,EAAQ6uE,YACV7/E,KAAKu/E,OAAOjhB,MAAM,KAClBttD,EAAQ/H,MAAQkuE,EAAYnH,SAC5BhwE,KAAKu/E,OAAOjhB,MAAM,KAAOh5D,EAAKtE,KAAO,OAErCgQ,EAAQ/H,MAAQkuE,EAAYnH,SAC5BhwE,KAAKu/E,OAAOjhB,MAAMttD,EAAQ0uE,iBAAmB,YAE1C,IAAI1uE,EAAQmV,QAA6B,IAAnBw5D,GAAyBC,EAAe54E,OAASipE,EAAStB,MAAQiR,EAAe54E,OAASipE,EAASX,KAAiC,MAAxBsQ,EAAex2E,MAUjJ,CAIL,IAHApJ,KAAKu/E,OAAOjhB,MAAM,IAAMt+D,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,IACpDroE,EAAQ/H,MAAQkuE,EAAYpH,UAEvBrtE,EAAI,EAAGL,GADZoyE,EAAOnvE,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IACtCkoB,EAAQ6pD,EAAK/xE,GACb1C,KAAKy/E,eAAe70D,EAAO5Z,EAASqoE,EAAQ,GAE9CroE,EAAQ/H,MAAQkuE,EAAYnH,SAC5BhwE,KAAKu/E,OAAOjhB,MAAMt+D,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,KAAO/zE,EAAKtE,KAAO,IAC3E,MAnBEhB,KAAKu/E,OAAOjhB,MAAM,KAClBttD,EAAQ/H,MAAQkuE,EAAYpH,UAC5B/+D,EAAQ8uE,sBAER9/E,KAAKy/E,eAAeG,EAAgB5uE,EAASqoE,EAAQ,GACrDroE,EAAQ8uE,sBAER9uE,EAAQ/H,MAAQkuE,EAAYnH,SAC5BhwE,KAAKu/E,OAAOjhB,MAAM,KAAOh5D,EAAKtE,KAAO,KAcvC,OAFAhB,KAAKu/E,OAAOjhB,MAAMt+D,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,IAC9CroE,EAAQ/H,MAAQkuE,EAAYtH,KACrB7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,EACvC,EAEAiG,EAAgB9/E,UAAUq5E,sBAAwB,SAASvzE,EAAM0L,EAASqoE,GACxE,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUmM,sBAAsB33E,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GACrG,EAEAiG,EAAgB9/E,UAAUunB,IAAM,SAASzhB,EAAM0L,EAASqoE,GACtD,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAU3lD,IAAI7lB,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GACnF,EAEAiG,EAAgB9/E,UAAU6N,KAAO,SAAS/H,EAAM0L,EAASqoE,GACvD,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUr/D,KAAKnM,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GACpF,EAEAiG,EAAgB9/E,UAAUuzE,WAAa,SAASztE,EAAM0L,EAASqoE,GAC7D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUqG,WAAW7xE,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GAC1F,EAEAiG,EAAgB9/E,UAAU0zE,WAAa,SAAS5tE,EAAM0L,EAASqoE,GAC7D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUwG,WAAWhyE,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GAC1F,EAEAiG,EAAgB9/E,UAAUq0E,UAAY,SAASvuE,EAAM0L,EAASqoE,GAC5D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUmH,UAAU3yE,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GACzF,EAEAiG,EAAgB9/E,UAAUu0E,YAAc,SAASzuE,EAAM0L,EAASqoE,GAC9D,OAAOr5E,KAAKu/E,OAAOjhB,MAAMghB,EAAgB5S,UAAUqH,YAAY7yE,KAAKlB,KAAMsF,EAAM0L,EAASqoE,GAC3F,EAEOiG,CAER,CAjKkC,CAiKhCD,EAEJ,GAAEn+E,KAAKlB,8BC9KR,WACE,IAAqBq/E,EAEnBtV,EAAU,CAAC,EAAEtqE,eAEf4/E,EAAgB,EAAQ,MAExBt8E,EAAOC,QAA4B,SAAUq4D,GAG3C,SAAS8Z,EAAgBnkE,GACvBmkE,EAAgBzI,UAAUh3C,YAAYx0B,KAAKlB,KAAMgR,EACnD,CAiBA,OA3BS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAMzRoe,CAAOu3D,EAAiB9Z,GAMxB8Z,EAAgB31E,UAAUiG,SAAW,SAAS2gE,EAAKp1D,GACjD,IAAI4Z,EAAOppB,EAAGa,EAAKu3E,EAAGh6D,EAItB,IAHA5O,EAAUhR,KAAKwwE,cAAcx/D,GAC7B4oE,EAAI,GAECp4E,EAAI,EAAGa,GADZud,EAAMwmD,EAAIjlD,UACYzf,OAAQF,EAAIa,EAAKb,IACrCopB,EAAQhL,EAAIpe,GACZo4E,GAAK55E,KAAKy/E,eAAe70D,EAAO5Z,EAAS,GAK3C,OAHIA,EAAQmV,QAAUyzD,EAAEz4E,OAAO6P,EAAQ+uE,QAAQr+E,UAAYsP,EAAQ+uE,UACjEnG,EAAIA,EAAEz4E,MAAM,GAAI6P,EAAQ+uE,QAAQr+E,SAE3Bk4E,CACT,EAEOzE,CAER,CAxBkC,CAwBhCkK,EAEJ,GAAEn+E,KAAKlB,0BCjCR,WACE,IACEwR,EAAO,SAAS3R,EAAI4jE,GAAK,OAAO,WAAY,OAAO5jE,EAAG4C,MAAMghE,EAAInhE,UAAY,CAAG,EAC/EynE,EAAU,CAAC,EAAEtqE,eAEfsD,EAAOC,QAA2B,WAChC,SAASoyE,EAAepkE,GAGtB,IAAI9H,EAAK0W,EAAKxW,EAOd,IAAKF,KATLlJ,KAAKggF,gBAAkBxuE,EAAKxR,KAAKggF,gBAAiBhgF,MAClDA,KAAKigF,gBAAkBzuE,EAAKxR,KAAKigF,gBAAiBjgF,MAElDgR,IAAYA,EAAU,CAAC,GACvBhR,KAAKgR,QAAUA,EACVhR,KAAKgR,QAAQwoB,UAChBx5B,KAAKgR,QAAQwoB,QAAU,OAEzB5Z,EAAM5O,EAAQ5E,WAAa,CAAC,EAErB29D,EAAQ7oE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKkJ,GAAOE,EAEhB,CAqNA,OAnNAgsE,EAAe51E,UAAUwB,KAAO,SAASyd,GACvC,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKggF,gBAAgB,GAAKvhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAU6N,KAAO,SAASoR,GACvC,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgBjgF,KAAKkgF,WAAW,GAAKzhE,GAAO,IAC1D,EAEA22D,EAAe51E,UAAU0gE,MAAQ,SAASzhD,GACxC,OAAIze,KAAKgR,QAAQynE,aACRh6D,GAGTA,GADAA,EAAM,GAAKA,GAAO,IACRxW,QAAQ,MAAO,mBAClBjI,KAAKigF,gBAAgBxhE,GAC9B,EAEA22D,EAAe51E,UAAU4gE,QAAU,SAAS3hD,GAC1C,GAAIze,KAAKgR,QAAQynE,aACf,OAAOh6D,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVrF,MAAM,MACZ,MAAM,IAAIpR,MAAM,6CAA+CyW,GAEjE,OAAOze,KAAKigF,gBAAgBxhE,EAC9B,EAEA22D,EAAe51E,UAAUunB,IAAM,SAAStI,GACtC,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEF,GAAKA,GAAO,EACrB,EAEA22D,EAAe51E,UAAU4wE,SAAW,SAAS3xD,GAC3C,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgBjgF,KAAKmgF,UAAU1hE,EAAM,GAAKA,GAAO,IAC/D,EAEA22D,EAAe51E,UAAUm5E,UAAY,SAASl6D,GAC5C,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUo5E,SAAW,SAASn6D,GAC3C,GAAIze,KAAKgR,QAAQynE,aACf,OAAOh6D,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVrF,MAAM,OACZ,MAAM,IAAIpR,MAAM,yCAA2CyW,GAE7D,OAAOze,KAAKigF,gBAAgBxhE,EAC9B,EAEA22D,EAAe51E,UAAU20E,WAAa,SAAS11D,GAC7C,GAAIze,KAAKgR,QAAQynE,aACf,OAAOh6D,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTrF,MAAM,aACb,MAAM,IAAIpR,MAAM,2BAA6ByW,GAE/C,OAAOA,CACT,EAEA22D,EAAe51E,UAAU40E,YAAc,SAAS31D,GAC9C,GAAIze,KAAKgR,QAAQynE,aACf,OAAOh6D,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTrF,MAAM,iCACb,MAAM,IAAIpR,MAAM,qBAAuByW,GAEzC,OAAOze,KAAKigF,gBAAgBxhE,EAC9B,EAEA22D,EAAe51E,UAAU60E,cAAgB,SAAS51D,GAChD,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAELA,EACK,MAEA,IAEX,EAEA22D,EAAe51E,UAAUg0E,SAAW,SAAS/0D,GAC3C,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUi0E,SAAW,SAASh1D,GAC3C,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUyzE,gBAAkB,SAASx0D,GAClD,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUqzE,WAAa,SAASp0D,GAC7C,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUszE,cAAgB,SAASr0D,GAChD,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUo0E,eAAiB,SAASn1D,GACjD,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAUm0E,SAAW,SAASl1D,GAC3C,OAAIze,KAAKgR,QAAQynE,aACRh6D,EAEFze,KAAKigF,gBAAgB,GAAKxhE,GAAO,GAC1C,EAEA22D,EAAe51E,UAAU+8E,cAAgB,IAEzCnH,EAAe51E,UAAUs9E,aAAe,IAExC1H,EAAe51E,UAAUk9E,eAAiB,QAE1CtH,EAAe51E,UAAUm9E,gBAAkB,SAE3CvH,EAAe51E,UAAUo9E,kBAAoB,WAE7CxH,EAAe51E,UAAUq9E,cAAgB,OAEzCzH,EAAe51E,UAAUygF,gBAAkB,SAAShiE,GAClD,IAAI4N,EAAOxN,EACX,GAAIre,KAAKgR,QAAQynE,aACf,OAAOx6D,EAGT,GADA4N,EAAQ,GACqB,QAAzB7rB,KAAKgR,QAAQwoB,SAEf,GADA3N,EAAQ,gHACJxN,EAAMJ,EAAI7E,MAAMyS,GAClB,MAAM,IAAI7jB,MAAM,gCAAkCiW,EAAM,aAAeI,EAAIxB,YAExE,GAA6B,QAAzB7c,KAAKgR,QAAQwoB,UACtB3N,EAAQ,4FACJxN,EAAMJ,EAAI7E,MAAMyS,IAClB,MAAM,IAAI7jB,MAAM,gCAAkCiW,EAAM,aAAeI,EAAIxB,OAG/E,OAAOoB,CACT,EAEAm3D,EAAe51E,UAAUwgF,gBAAkB,SAAS/hE,GAClD,IAAI4N,EACJ,GAAI7rB,KAAKgR,QAAQynE,aACf,OAAOx6D,EAIT,GAFAje,KAAKigF,gBAAgBhiE,GACrB4N,EAAQ,gXACH5N,EAAI7E,MAAMyS,GACb,MAAM,IAAI7jB,MAAM,6BAElB,OAAOiW,CACT,EAEAm3D,EAAe51E,UAAU0gF,WAAa,SAASjiE,GAC7C,IAAImiE,EACJ,OAAIpgF,KAAKgR,QAAQynE,aACRx6D,GAETmiE,EAAWpgF,KAAKgR,QAAQqvE,iBAAmB,cAAgB,KACpDpiE,EAAIhW,QAAQm4E,EAAU,SAASn4E,QAAQ,KAAM,QAAQA,QAAQ,KAAM,QAAQA,QAAQ,MAAO,SACnG,EAEAmtE,EAAe51E,UAAU2gF,UAAY,SAASliE,GAC5C,IAAImiE,EACJ,OAAIpgF,KAAKgR,QAAQynE,aACRx6D,GAETmiE,EAAWpgF,KAAKgR,QAAQqvE,iBAAmB,cAAgB,KACpDpiE,EAAIhW,QAAQm4E,EAAU,SAASn4E,QAAQ,KAAM,QAAQA,QAAQ,KAAM,UAAUA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SACrJ,EAEOmtE,CAER,CAvOiC,EAyOnC,GAAEl0E,KAAKlB,8BC9OR,WACE,IAAIiwE,EAAUW,EAEZ7G,EAAU,CAAC,EAAEtqE,eAEfwwE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B7tE,EAAOC,QAAoB,SAAUq4D,GAGnC,SAASkc,EAAQ53D,EAAQtS,GAEvB,GADAkqE,EAAQ7K,UAAUh3C,YAAYx0B,KAAKlB,KAAM2f,GAC7B,MAARtS,EACF,MAAM,IAAIrF,MAAM,yBAA2BhI,KAAKmwE,aAElDnwE,KAAKgB,KAAO,QACZhB,KAAKgH,KAAOipE,EAAStB,KACrB3uE,KAAKoJ,MAAQpJ,KAAKoM,UAAUiB,KAAKA,EACnC,CA2CA,OA7DS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcoqD,EAAQ7oE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASujE,IAASzsE,KAAK01B,YAAc9K,CAAO,CAAE6hD,EAAKjtE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIitE,EAAQ7hD,EAAM8hD,UAAY/sD,EAAOngB,SAAyB,CAQzRoe,CAAO25D,EAASlc,GAYhB97D,OAAOoX,eAAe4gE,EAAQ/3E,UAAW,6BAA8B,CACrEmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKmwE,YAC/D,IAGF5wE,OAAOoX,eAAe4gE,EAAQ/3E,UAAW,YAAa,CACpDmO,IAAK,WACH,IAAI8X,EAAM2N,EAAMnV,EAGhB,IAFAA,EAAM,GACNmV,EAAOpzB,KAAKsgF,gBACLltD,GACLnV,EAAMmV,EAAKlpB,KAAO+T,EAClBmV,EAAOA,EAAKktD,gBAId,IAFAriE,GAAOje,KAAKkK,KACZub,EAAOzlB,KAAKugF,YACL96D,GACLxH,GAAYwH,EAAKvb,KACjBub,EAAOA,EAAK86D,YAEd,OAAOtiE,CACT,IAGFs5D,EAAQ/3E,UAAUyf,MAAQ,WACxB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAu3E,EAAQ/3E,UAAUgE,SAAW,SAASwN,GACpC,OAAOhR,KAAKgR,QAAQu/D,OAAOljE,KAAKrN,KAAMA,KAAKgR,QAAQu/D,OAAOC,cAAcx/D,GAC1E,EAEAumE,EAAQ/3E,UAAUghF,UAAY,SAASh7D,GACrC,MAAM,IAAIxd,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEAoH,EAAQ/3E,UAAUihF,iBAAmB,SAASC,GAC5C,MAAM,IAAI14E,MAAM,sCAAwChI,KAAKmwE,YAC/D,EAEOoH,CAER,CAxD0B,CAwDxB3G,EAEJ,GAAE1vE,KAAKlB,6BCnER,WACE,IAAIiwE,EAAUkH,EAA2MjvE,EACvN6hE,EAAU,CAAC,EAAEtqE,eAEfyI,EAAS,gBAET+nE,EAAW,EAAQ,OAEF,EAAQ,OAEZ,EAAQ,OAEV,EAAQ,OAEN,EAAQ,OAER,EAAQ,OAEZ,EAAQ,MAEP,EAAQ,OAES,EAAQ,OAExB,EAAQ,OAEH,EAAQ,OAER,EAAQ,OAET,EAAQ,MAEN,EAAQ,OAEzBkH,EAAc,EAAQ,OAEtBp0E,EAAOC,QAA0B,WAC/B,SAASq8E,EAAcruE,GACrB,IAAI9H,EAAK0W,EAAKxW,EAId,IAAKF,KAHL8H,IAAYA,EAAU,CAAC,GACvBhR,KAAKgR,QAAUA,EACf4O,EAAM5O,EAAQu/D,QAAU,CAAC,EAElBxG,EAAQ7oE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAK,IAAMkJ,GAAOlJ,KAAKkJ,GACvBlJ,KAAKkJ,GAAOE,EAEhB,CAsXA,OApXAi2E,EAAc7/E,UAAUgxE,cAAgB,SAASx/D,GAC/C,IAAI2vE,EAAiB/gE,EAAK60D,EAAMC,EAAM2H,EAAMuE,EAAMC,EAAMC,EAmBxD,OAlBA9vE,IAAYA,EAAU,CAAC,GACvBA,EAAU9I,EAAO,CAAC,EAAGlI,KAAKgR,QAASA,IACnC2vE,EAAkB,CAChBpQ,OAAQvwE,OAEMmmB,OAASnV,EAAQmV,SAAU,EAC3Cw6D,EAAgBd,WAAa7uE,EAAQ6uE,aAAc,EACnDc,EAAgBzH,OAAmC,OAAzBt5D,EAAM5O,EAAQkoE,QAAkBt5D,EAAM,KAChE+gE,EAAgBZ,QAAsC,OAA3BtL,EAAOzjE,EAAQ+uE,SAAmBtL,EAAO,KACpEkM,EAAgBn7D,OAAoC,OAA1BkvD,EAAO1jE,EAAQwU,QAAkBkvD,EAAO,EAClEiM,EAAgBI,oBAAoH,OAA7F1E,EAA+C,OAAvCuE,EAAO5vE,EAAQ+vE,qBAA+BH,EAAO5vE,EAAQgwE,qBAA+B3E,EAAO,EAClJsE,EAAgBjB,iBAA2G,OAAvFmB,EAA4C,OAApCC,EAAO9vE,EAAQ0uE,kBAA4BoB,EAAO9vE,EAAQiwE,kBAA4BJ,EAAO,IAChG,IAArCF,EAAgBjB,mBAClBiB,EAAgBjB,iBAAmB,KAErCiB,EAAgBb,oBAAsB,EACtCa,EAAgBO,KAAO,CAAC,EACxBP,EAAgB13E,MAAQkuE,EAAYtH,KAC7B8Q,CACT,EAEAtB,EAAc7/E,UAAU05E,OAAS,SAAS5zE,EAAM0L,EAASqoE,GACvD,IAAI8H,EACJ,OAAKnwE,EAAQmV,QAAUnV,EAAQ8uE,oBACtB,GACE9uE,EAAQmV,SACjBg7D,GAAe9H,GAAS,GAAKroE,EAAQwU,OAAS,GAC5B,EACT,IAAI5jB,MAAMu/E,GAAaroE,KAAK9H,EAAQkoE,QAGxC,EACT,EAEAmG,EAAc7/E,UAAU25E,QAAU,SAAS7zE,EAAM0L,EAASqoE,GACxD,OAAKroE,EAAQmV,QAAUnV,EAAQ8uE,oBACtB,GAEA9uE,EAAQ+uE,OAEnB,EAEAV,EAAc7/E,UAAUswC,UAAY,SAAS66B,EAAK35D,EAASqoE,GACzD,IAAIO,EAIJ,OAHA55E,KAAKohF,cAAczW,EAAK35D,EAASqoE,GACjCO,EAAI,IAAMjP,EAAI3pE,KAAO,KAAO2pE,EAAIvhE,MAAQ,IACxCpJ,KAAKqhF,eAAe1W,EAAK35D,EAASqoE,GAC3BO,CACT,EAEAyF,EAAc7/E,UAAU0gE,MAAQ,SAAS56D,EAAM0L,EAASqoE,GACtD,IAAIO,EAUJ,OATA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,YACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAKt0E,EAAK8D,MACV4H,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK,MAAQ55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACzCroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAU4gE,QAAU,SAAS96D,EAAM0L,EAASqoE,GACxD,IAAIO,EAUJ,OATA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,WACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAKt0E,EAAK8D,MACV4H,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK,UAAS55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GAC1CroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAU80E,YAAc,SAAShvE,EAAM0L,EAASqoE,GAC5D,IAAIO,EAiBJ,OAhBA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,QACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAK,aAAet0E,EAAKk0B,QAAU,IACd,MAAjBl0B,EAAK2uE,WACP2F,GAAK,cAAgBt0E,EAAK2uE,SAAW,KAEhB,MAAnB3uE,EAAK4uE,aACP0F,GAAK,gBAAkBt0E,EAAK4uE,WAAa,KAE3CljE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,KAChC9F,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUu1E,QAAU,SAASzvE,EAAM0L,EAASqoE,GACxD,IAAIzuD,EAAOppB,EAAGa,EAAKu3E,EAAGh6D,EAWtB,GAVAy5D,IAAUA,EAAQ,GAClBr5E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAC/BO,GAAK,aAAet0E,EAAK0kC,OAAOhpC,KAC5BsE,EAAK+tE,OAAS/tE,EAAKguE,MACrBsG,GAAK,YAAct0E,EAAK+tE,MAAQ,MAAQ/tE,EAAKguE,MAAQ,IAC5ChuE,EAAKguE,QACdsG,GAAK,YAAct0E,EAAKguE,MAAQ,KAE9BhuE,EAAK6b,SAASzf,OAAS,EAAG,CAK5B,IAJAk4E,GAAK,KACLA,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYpH,UAEvBvuE,EAAI,EAAGa,GADZud,EAAMta,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IACrCopB,EAAQhL,EAAIpe,GACZo4E,GAAK55E,KAAKy/E,eAAe70D,EAAO5Z,EAASqoE,EAAQ,GAEnDroE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK,GACP,CAMA,OALA5oE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,IAChC9F,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAU2oC,QAAU,SAAS7iC,EAAM0L,EAASqoE,GACxD,IAAI1O,EAAK//C,EAAO+0D,EAAgBC,EAAgBp+E,EAAGkB,EAAGL,EAAK+5E,EAAMp7E,EAAMsgF,EAAkB1H,EAAGh6D,EAAK60D,EAAMC,EAQvG,IAAK1zE,KAPLq4E,IAAUA,EAAQ,GAClBiI,GAAmB,EACnB1H,EAAI,GACJ55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,GAAK55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,IAAM/zE,EAAKtE,KACpD4e,EAAMta,EAAK8yE,QAEJrO,EAAQ7oE,KAAK0e,EAAK5e,KACvB2pE,EAAM/qD,EAAI5e,GACV44E,GAAK55E,KAAK8vC,UAAU66B,EAAK35D,EAASqoE,IAIpC,GADAuG,EAAoC,KADpCD,EAAiBr6E,EAAK6b,SAASzf,QACS,KAAO4D,EAAK6b,SAAS,GACtC,IAAnBw+D,GAAwBr6E,EAAK6b,SAAShB,OAAM,SAAShb,GACvD,OAAQA,EAAE6B,OAASipE,EAAStB,MAAQxpE,EAAE6B,OAASipE,EAASX,MAAoB,KAAZnqE,EAAEiE,KACpE,IACM4H,EAAQ6uE,YACVjG,GAAK,IACL5oE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK,KAAOt0E,EAAKtE,KAAO,IAAMhB,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,KAE1DroE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,KAAO1/E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,SAEhE,IAAIroE,EAAQmV,QAA6B,IAAnBw5D,GAAyBC,EAAe54E,OAASipE,EAAStB,MAAQiR,EAAe54E,OAASipE,EAASX,KAAiC,MAAxBsQ,EAAex2E,MAUjJ,CACL,GAAI4H,EAAQ+vE,oBAEV,IAAKv/E,EAAI,EAAGa,GADZoyE,EAAOnvE,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IAEtC,KADAopB,EAAQ6pD,EAAKjzE,IACFwF,OAASipE,EAAStB,MAAQ/jD,EAAM5jB,OAASipE,EAASX,MAAwB,MAAf1kD,EAAMxhB,MAAgB,CAC1F4H,EAAQ8uE,sBACRwB,GAAmB,EACnB,KACF,CAMJ,IAHA1H,GAAK,IAAM55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACvCroE,EAAQ/H,MAAQkuE,EAAYpH,UAEvBrtE,EAAI,EAAG05E,GADZ1H,EAAOpvE,EAAK6b,UACYzf,OAAQgB,EAAI05E,EAAM15E,IACxCkoB,EAAQ8pD,EAAKhyE,GACbk3E,GAAK55E,KAAKy/E,eAAe70D,EAAO5Z,EAASqoE,EAAQ,GAEnDroE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,KAAO/zE,EAAKtE,KAAO,IACxDsgF,GACFtwE,EAAQ8uE,sBAEVlG,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYtH,IAC9B,MAnCE+J,GAAK,IACL5oE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B/+D,EAAQ8uE,sBACRwB,GAAmB,EACnB1H,GAAK55E,KAAKy/E,eAAeG,EAAgB5uE,EAASqoE,EAAQ,GAC1DroE,EAAQ8uE,sBACRwB,GAAmB,EACnBtwE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK,KAAOt0E,EAAKtE,KAAO,IAAMhB,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GA6B5D,OADAr5E,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUigF,eAAiB,SAASn6E,EAAM0L,EAASqoE,GAC/D,OAAQ/zE,EAAK0B,MACX,KAAKipE,EAASrB,MACZ,OAAO5uE,KAAKkgE,MAAM56D,EAAM0L,EAASqoE,GACnC,KAAKpJ,EAASjB,QACZ,OAAOhvE,KAAKogE,QAAQ96D,EAAM0L,EAASqoE,GACrC,KAAKpJ,EAASxB,QACZ,OAAOzuE,KAAKmoC,QAAQ7iC,EAAM0L,EAASqoE,GACrC,KAAKpJ,EAASX,IACZ,OAAOtvE,KAAK+mB,IAAIzhB,EAAM0L,EAASqoE,GACjC,KAAKpJ,EAAStB,KACZ,OAAO3uE,KAAKqN,KAAK/H,EAAM0L,EAASqoE,GAClC,KAAKpJ,EAASlB,sBACZ,OAAO/uE,KAAK64E,sBAAsBvzE,EAAM0L,EAASqoE,GACnD,KAAKpJ,EAASR,MACZ,MAAO,GACT,KAAKQ,EAASZ,YACZ,OAAOrvE,KAAKs0E,YAAYhvE,EAAM0L,EAASqoE,GACzC,KAAKpJ,EAASf,QACZ,OAAOlvE,KAAK+0E,QAAQzvE,EAAM0L,EAASqoE,GACrC,KAAKpJ,EAASV,qBACZ,OAAOvvE,KAAK+yE,WAAWztE,EAAM0L,EAASqoE,GACxC,KAAKpJ,EAAST,mBACZ,OAAOxvE,KAAKkzE,WAAW5tE,EAAM0L,EAASqoE,GACxC,KAAKpJ,EAASnB,kBACZ,OAAO9uE,KAAK6zE,UAAUvuE,EAAM0L,EAASqoE,GACvC,KAAKpJ,EAASb,oBACZ,OAAOpvE,KAAK+zE,YAAYzuE,EAAM0L,EAASqoE,GACzC,QACE,MAAM,IAAIrxE,MAAM,0BAA4B1C,EAAKowB,YAAY10B,MAEnE,EAEAq+E,EAAc7/E,UAAUq5E,sBAAwB,SAASvzE,EAAM0L,EAASqoE,GACtE,IAAIO,EAcJ,OAbA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,KACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAKt0E,EAAKmB,OACNnB,EAAK8D,QACPwwE,GAAK,IAAMt0E,EAAK8D,OAElB4H,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,KAChC9F,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUunB,IAAM,SAASzhB,EAAM0L,EAASqoE,GACpD,IAAIO,EAUJ,OATA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAC/BroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAKt0E,EAAK8D,MACV4H,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAU6N,KAAO,SAAS/H,EAAM0L,EAASqoE,GACrD,IAAIO,EAUJ,OATA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAC/BroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAKt0E,EAAK8D,MACV4H,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK55E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GACjCroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUuzE,WAAa,SAASztE,EAAM0L,EAASqoE,GAC3D,IAAIO,EAgBJ,OAfA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,YACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAK,IAAMt0E,EAAKmtE,YAAc,IAAMntE,EAAKotE,cAAgB,IAAMptE,EAAKqtE,cACtC,aAA1BrtE,EAAKstE,mBACPgH,GAAK,IAAMt0E,EAAKstE,kBAEdttE,EAAKiM,eACPqoE,GAAK,KAAOt0E,EAAKiM,aAAe,KAElCP,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,IAAM1/E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GAClEroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAU0zE,WAAa,SAAS5tE,EAAM0L,EAASqoE,GAC3D,IAAIO,EAUJ,OATA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,YACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAK,IAAMt0E,EAAKtE,KAAO,IAAMsE,EAAK8D,MAClC4H,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,IAAM1/E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GAClEroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUq0E,UAAY,SAASvuE,EAAM0L,EAASqoE,GAC1D,IAAIO,EAyBJ,OAxBA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,WACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UACxBzqE,EAAK8tE,KACPwG,GAAK,MAEPA,GAAK,IAAMt0E,EAAKtE,KACZsE,EAAK8D,MACPwwE,GAAK,KAAOt0E,EAAK8D,MAAQ,KAErB9D,EAAK+tE,OAAS/tE,EAAKguE,MACrBsG,GAAK,YAAct0E,EAAK+tE,MAAQ,MAAQ/tE,EAAKguE,MAAQ,IAC5ChuE,EAAKguE,QACdsG,GAAK,YAAct0E,EAAKguE,MAAQ,KAE9BhuE,EAAKouE,QACPkG,GAAK,UAAYt0E,EAAKouE,QAG1B1iE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,IAAM1/E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GAClEroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUu0E,YAAc,SAASzuE,EAAM0L,EAASqoE,GAC5D,IAAIO,EAiBJ,OAhBA55E,KAAKg5E,SAAS1zE,EAAM0L,EAASqoE,GAC7BroE,EAAQ/H,MAAQkuE,EAAYrH,QAC5B8J,EAAI55E,KAAKk5E,OAAO5zE,EAAM0L,EAASqoE,GAAS,aACxCroE,EAAQ/H,MAAQkuE,EAAYpH,UAC5B6J,GAAK,IAAMt0E,EAAKtE,KACZsE,EAAK+tE,OAAS/tE,EAAKguE,MACrBsG,GAAK,YAAct0E,EAAK+tE,MAAQ,MAAQ/tE,EAAKguE,MAAQ,IAC5ChuE,EAAK+tE,MACduG,GAAK,YAAct0E,EAAK+tE,MAAQ,IACvB/tE,EAAKguE,QACdsG,GAAK,YAAct0E,EAAKguE,MAAQ,KAElCtiE,EAAQ/H,MAAQkuE,EAAYnH,SAC5B4J,GAAK5oE,EAAQ0uE,iBAAmB,IAAM1/E,KAAKm5E,QAAQ7zE,EAAM0L,EAASqoE,GAClEroE,EAAQ/H,MAAQkuE,EAAYtH,KAC5B7vE,KAAK+4E,UAAUzzE,EAAM0L,EAASqoE,GACvBO,CACT,EAEAyF,EAAc7/E,UAAUw5E,SAAW,SAAS1zE,EAAM0L,EAASqoE,GAAQ,EAEnEgG,EAAc7/E,UAAUu5E,UAAY,SAASzzE,EAAM0L,EAASqoE,GAAQ,EAEpEgG,EAAc7/E,UAAU4hF,cAAgB,SAASzW,EAAK35D,EAASqoE,GAAQ,EAEvEgG,EAAc7/E,UAAU6hF,eAAiB,SAAS1W,EAAK35D,EAASqoE,GAAQ,EAEjEgG,CAER,CApYgC,EAsYlC,GAAEn+E,KAAKlB,8BC1aR,WACE,IAAIiwE,EAAUkH,EAAarF,EAAsBuD,EAAamC,EAAe8H,EAAiBnK,EAAiBjtE,EAAQq+B,EAAY3mB,EAEnIA,EAAM,EAAQ,OAAc1X,EAAS0X,EAAI1X,OAAQq+B,EAAa3mB,EAAI2mB,WAElEurC,EAAuB,EAAQ,OAE/BuD,EAAc,EAAQ,OAEtBmC,EAAgB,EAAQ,OAExBrC,EAAkB,EAAQ,OAE1BmK,EAAkB,EAAQ,OAE1BrP,EAAW,EAAQ,OAEnBkH,EAAc,EAAQ,OAEtBp0E,EAAOC,QAAQpC,OAAS,SAASI,EAAM4pE,EAAQtK,EAAStvD,GACtD,IAAIo1D,EAAKp8B,EACT,GAAY,MAARhpC,EACF,MAAM,IAAIgH,MAAM,8BAWlB,OATAgJ,EAAU9I,EAAO,CAAC,EAAG0iE,EAAQtK,EAAStvD,GAEtCg5B,GADAo8B,EAAM,IAAIiP,EAAYrkE,IACXm3B,QAAQnnC,GACdgQ,EAAQ65D,WACXzE,EAAIkO,YAAYtjE,GACM,MAAjBA,EAAQqiE,OAAoC,MAAjBriE,EAAQsiE,OACtClN,EAAIuT,IAAI3oE,IAGLg5B,CACT,EAEAjnC,EAAOC,QAAQu+E,MAAQ,SAASvwE,EAASymE,EAAQC,GAC/C,IAAIjD,EAKJ,OAJIluC,EAAWv1B,KACaymE,GAA1BhD,EAAO,CAACzjE,EAASymE,IAAuB,GAAIC,EAAQjD,EAAK,GACzDzjE,EAAU,CAAC,GAETymE,EACK,IAAID,EAAcxmE,EAASymE,EAAQC,GAEnC,IAAIrC,EAAYrkE,EAE3B,EAEAjO,EAAOC,QAAQw+E,aAAe,SAASxwE,GACrC,OAAO,IAAImkE,EAAgBnkE,EAC7B,EAEAjO,EAAOC,QAAQy+E,aAAe,SAASlC,EAAQvuE,GAC7C,OAAO,IAAIsuE,EAAgBC,EAAQvuE,EACrC,EAEAjO,EAAOC,QAAQ0+E,eAAiB,IAAI5P,EAEpC/uE,EAAOC,QAAQuhE,SAAW0L,EAE1BltE,EAAOC,QAAQ2+E,YAAcxK,CAE9B,GAAEj2E,KAAKlB,ugCCpCR,MAAwGslB,EAAhF,QAAZngB,GAAmG,YAAhF,UAAIu2B,OAAO,SAASE,SAAU,UAAIF,OAAO,SAASkmD,OAAOz8E,EAAEs8B,KAAK7F,QAApF,IAACz2B,EAsBZ,MAAM08E,EACJC,SAAW,GACX,aAAAC,CAAc/jD,GACZh+B,KAAKgiF,cAAchkD,GAAIh+B,KAAK8hF,SAASthF,KAAKw9B,EAC5C,CACA,eAAAikD,CAAgBjkD,GACd,MAAM47C,EAAgB,iBAAL57C,EAAgBh+B,KAAKkiF,cAAclkD,GAAKh+B,KAAKkiF,cAAclkD,EAAEp0B,KACnE,IAAPgwE,EAIJ55E,KAAK8hF,SAASxuE,OAAOsmE,EAAG,GAHtBt0D,EAAE9c,KAAK,mCAAoC,CAAE+kC,MAAOvP,EAAGpjB,QAAS5a,KAAK8tC,cAIzE,CAMA,UAAAA,CAAW9P,GACT,OAAOA,EAAIh+B,KAAK8hF,SAAS7yE,QAAQ2qE,GAA0B,mBAAbA,EAAE/vC,SAAwB+vC,EAAE/vC,QAAQ7L,KAAWh+B,KAAK8hF,QACpG,CACA,aAAAI,CAAclkD,GACZ,OAAOh+B,KAAK8hF,SAASrhC,WAAWm5B,GAAMA,EAAEhwE,KAAOo0B,GACjD,CACA,aAAAgkD,CAAchkD,GACZ,IAAKA,EAAEp0B,KAAOo0B,EAAE0L,cAAiB1L,EAAE2L,gBAAiB3L,EAAE0G,YAAe1G,EAAE7U,QACrE,MAAM,IAAInhB,MAAM,iBAClB,GAAmB,iBAARg2B,EAAEp0B,IAA0C,iBAAjBo0B,EAAE0L,YACtC,MAAM,IAAI1hC,MAAM,sCAClB,GAAIg2B,EAAE0G,WAAmC,iBAAf1G,EAAE0G,WAAyB1G,EAAE2L,eAA2C,iBAAnB3L,EAAE2L,cAC/E,MAAM,IAAI3hC,MAAM,yBAClB,QAAkB,IAAdg2B,EAAE6L,SAA0C,mBAAb7L,EAAE6L,QACnC,MAAM,IAAI7hC,MAAM,4BAClB,GAAwB,mBAAbg2B,EAAE7U,QACX,MAAM,IAAInhB,MAAM,4BAClB,GAAI,UAAWg2B,GAAuB,iBAAXA,EAAEsF,MAC3B,MAAM,IAAIt7B,MAAM,0BAClB,IAAkC,IAA9BhI,KAAKkiF,cAAclkD,EAAEp0B,IACvB,MAAM,IAAI5B,MAAM,kBACpB,EAEF,MAyBMm6E,EAAI,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAAOC,EAAI,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OACrF,SAASC,EAAGl9E,EAAG64B,GAAI,EAAI47C,GAAI,EAAIxhB,GAAI,GACjCwhB,EAAIA,IAAMxhB,EAAe,iBAALjzD,IAAkBA,EAAI8V,OAAO9V,IACjD,IAAI4wB,EAAI5wB,EAAI,EAAI0uB,KAAKy4B,MAAMz4B,KAAKprB,IAAItD,GAAK0uB,KAAKprB,IAAI2vD,EAAI,IAAM,OAAS,EACrEriC,EAAIlC,KAAKiM,KAAK85C,EAAIwI,EAAE1gF,OAASygF,EAAEzgF,QAAU,EAAGq0B,GAC5C,MAAMv0B,EAAIo4E,EAAIwI,EAAErsD,GAAKosD,EAAEpsD,GACvB,IAAI0xC,GAAKtiE,EAAI0uB,KAAK80B,IAAIyP,EAAI,IAAM,KAAMriC,IAAIzI,QAAQ,GAClD,OAAa,IAAN0Q,GAAkB,IAANjI,GAAiB,QAAN0xC,EAAc,OAAS,OAASmS,EAAIwI,EAAE,GAAKD,EAAE,KAAe1a,EAAR1xC,EAAI,EAAQk4C,WAAWxG,GAAGn6C,QAAQ,GAAS2gD,WAAWxG,GAAG6a,gBAAe,WAAO7a,EAAI,IAAMjmE,EAC7K,CA0CA,IAAI+gF,EAAoB,CAAEp9E,IAAOA,EAAEq9E,QAAU,UAAWr9E,EAAEq7C,OAAS,SAAUr7C,GAArD,CAAyDo9E,GAAK,CAAC,GACvF,MAAME,EACJC,QACA,WAAAhtD,CAAYsI,GACVh+B,KAAK2iF,eAAe3kD,GAAIh+B,KAAK0iF,QAAU1kD,CACzC,CACA,MAAIp0B,GACF,OAAO5J,KAAK0iF,QAAQ94E,EACtB,CACA,eAAI8/B,GACF,OAAO1pC,KAAK0iF,QAAQh5C,WACtB,CACA,SAAIpiC,GACF,OAAOtH,KAAK0iF,QAAQp7E,KACtB,CACA,iBAAIqiC,GACF,OAAO3pC,KAAK0iF,QAAQ/4C,aACtB,CACA,WAAIE,GACF,OAAO7pC,KAAK0iF,QAAQ74C,OACtB,CACA,QAAIlvB,GACF,OAAO3a,KAAK0iF,QAAQ/nE,IACtB,CACA,aAAI66B,GACF,OAAOx1C,KAAK0iF,QAAQltC,SACtB,CACA,SAAIlS,GACF,OAAOtjC,KAAK0iF,QAAQp/C,KACtB,CACA,UAAI3jB,GACF,OAAO3f,KAAK0iF,QAAQ/iE,MACtB,CACA,WAAI,GACF,OAAO3f,KAAK0iF,QAAQ1hE,OACtB,CACA,UAAIk/B,GACF,OAAOlgD,KAAK0iF,QAAQxiC,MACtB,CACA,gBAAIE,GACF,OAAOpgD,KAAK0iF,QAAQtiC,YACtB,CACA,cAAAuiC,CAAe3kD,GACb,IAAKA,EAAEp0B,IAAqB,iBAARo0B,EAAEp0B,GACpB,MAAM,IAAI5B,MAAM,cAClB,IAAKg2B,EAAE0L,aAAuC,mBAAjB1L,EAAE0L,YAC7B,MAAM,IAAI1hC,MAAM,gCAClB,GAAI,UAAWg2B,GAAuB,mBAAXA,EAAE12B,MAC3B,MAAM,IAAIU,MAAM,0BAClB,IAAKg2B,EAAE2L,eAA2C,mBAAnB3L,EAAE2L,cAC/B,MAAM,IAAI3hC,MAAM,kCAClB,IAAKg2B,EAAErjB,MAAyB,mBAAVqjB,EAAErjB,KACtB,MAAM,IAAI3S,MAAM,yBAClB,GAAI,YAAag2B,GAAyB,mBAAbA,EAAE6L,QAC7B,MAAM,IAAI7hC,MAAM,4BAClB,GAAI,cAAeg2B,GAA2B,mBAAfA,EAAEwX,UAC/B,MAAM,IAAIxtC,MAAM,8BAClB,GAAI,UAAWg2B,GAAuB,iBAAXA,EAAEsF,MAC3B,MAAM,IAAIt7B,MAAM,iBAClB,GAAI,WAAYg2B,GAAwB,iBAAZA,EAAEre,OAC5B,MAAM,IAAI3X,MAAM,kBAClB,GAAIg2B,EAAEhd,UAAYzhB,OAAO6O,OAAOm0E,GAAGz5E,SAASk1B,EAAEhd,SAC5C,MAAM,IAAIhZ,MAAM,mBAClB,GAAI,WAAYg2B,GAAwB,mBAAZA,EAAEkiB,OAC5B,MAAM,IAAIl4C,MAAM,2BAClB,GAAI,iBAAkBg2B,GAA8B,mBAAlBA,EAAEoiB,aAClC,MAAM,IAAIp4C,MAAM,gCACpB,EAEF,MAMG27D,EAAK,WACN,cAAc//D,OAAOg/E,gBAAkB,MAAQh/E,OAAOg/E,gBAAkB,GAAIt9D,EAAEqe,MAAM,4BAA6B//B,OAAOg/E,eAC1H,EA6DGC,EAAK,WACN,cAAcj/E,OAAOk/E,mBAAqB,MAAQl/E,OAAOk/E,mBAAqB,GAAIx9D,EAAEqe,MAAM,gCAAiC//B,OAAOk/E,kBACpI,EAsBA,IAAIC,EAAoB,CAAE59E,IAAOA,EAAEA,EAAEglC,KAAO,GAAK,OAAQhlC,EAAEA,EAAEuvC,OAAS,GAAK,SAAUvvC,EAAEA,EAAE+9C,KAAO,GAAK,OAAQ/9C,EAAEA,EAAEsqC,OAAS,GAAK,SAAUtqC,EAAEA,EAAE69E,OAAS,GAAK,SAAU79E,EAAEA,EAAEyuD,MAAQ,IAAM,QAASzuD,EAAEA,EAAEqqC,IAAM,IAAM,MAAOrqC,GAA/L,CAAmM49E,GAAK,CAAC,GAuBjO,MAAME,EAAI,CACR,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WACCvgF,EAAI,CACL+kE,EAAG,OACHyb,GAAI,0BACJC,GAAI,yBACJC,IAAK,6CAUJC,EAAI,WACL,cAAcz/E,OAAO0/E,mBAAqB,MAAQ1/E,OAAO0/E,mBAAqB,IAAIL,IAAKr/E,OAAO0/E,mBAAmBp0E,KAAK/J,GAAM,IAAIA,SAAQ2T,KAAK,IAC/I,EAAGyqE,EAAI,WACL,cAAc3/E,OAAO4/E,mBAAqB,MAAQ5/E,OAAO4/E,mBAAqB,IAAK9gF,IAAMnD,OAAO4K,KAAKvG,OAAO4/E,oBAAoBt0E,KAAK/J,GAAM,SAASA,MAAMvB,OAAO4/E,qBAAqBr+E,QAAO2T,KAAK,IACpM,EAAG2qE,EAAK,WACN,MAAO,0CACOF,iCAEVF,yCAGN,EAUGK,EAAK,SAASv+E,GACf,MAAO,4DACUo+E,8HAKbF,iGAKe,WAAK5hD,0nBA0BRt8B,yXAkBlB,EAuBMw+E,EAAK,SAASx+E,EAAI,IACtB,IAAI64B,EAAI+kD,EAAE54C,KACV,OAAOhlC,KAAOA,EAAE2D,SAAS,MAAQ3D,EAAE2D,SAAS,QAAUk1B,GAAK+kD,EAAEruC,QAASvvC,EAAE2D,SAAS,OAASk1B,GAAK+kD,EAAE7/B,OAAQ/9C,EAAE2D,SAAS,MAAQ3D,EAAE2D,SAAS,MAAQ3D,EAAE2D,SAAS,QAAUk1B,GAAK+kD,EAAEtzC,QAAStqC,EAAE2D,SAAS,OAASk1B,GAAK+kD,EAAEC,QAAS79E,EAAE2D,SAAS,OAASk1B,GAAK+kD,EAAEnvB,QAAS51B,CAC9P,EAsBA,IAAI0/B,EAAoB,CAAEv4D,IAAOA,EAAE4mC,OAAS,SAAU5mC,EAAE4nC,KAAO,OAAQ5nC,GAA/C,CAAmDu4D,GAAK,CAAC,GAsBjF,MAAMkmB,EAAI,SAASz+E,EAAG64B,GACpB,OAAsB,OAAf74B,EAAEiU,MAAM4kB,EACjB,EAAGg/B,EAAI,CAAC73D,EAAG64B,KACT,GAAI74B,EAAEyE,IAAqB,iBAARzE,EAAEyE,GACnB,MAAM,IAAI5B,MAAM,4BAClB,IAAK7C,EAAEgf,OACL,MAAM,IAAInc,MAAM,4BAClB,IACE,IAAItB,IAAIvB,EAAEgf,OACZ,CAAE,MACA,MAAM,IAAInc,MAAM,oDAClB,CACA,IAAK7C,EAAEgf,OAAOjU,WAAW,QACvB,MAAM,IAAIlI,MAAM,oDAClB,GAAI7C,EAAEksC,SAAWlsC,EAAEksC,iBAAiB5/B,MAClC,MAAM,IAAIzJ,MAAM,sBAClB,GAAI7C,EAAE0+E,UAAY1+E,EAAE0+E,kBAAkBpyE,MACpC,MAAM,IAAIzJ,MAAM,uBAClB,IAAK7C,EAAEosC,MAAyB,iBAAVpsC,EAAEosC,OAAqBpsC,EAAEosC,KAAKn4B,MAAM,yBACxD,MAAM,IAAIpR,MAAM,qCAClB,GAAI,SAAU7C,GAAsB,iBAAVA,EAAEuK,WAA+B,IAAXvK,EAAEuK,KAChD,MAAM,IAAI1H,MAAM,qBAClB,GAAI,gBAAiB7C,QAAuB,IAAlBA,EAAE8kC,eAAoD,iBAAjB9kC,EAAE8kC,aAA2B9kC,EAAE8kC,aAAe84C,EAAE54C,MAAQhlC,EAAE8kC,aAAe84C,EAAEvzC,KACxI,MAAM,IAAIxnC,MAAM,uBAClB,GAAI7C,EAAE+rC,OAAqB,OAAZ/rC,EAAE+rC,OAAoC,iBAAX/rC,EAAE+rC,MAC1C,MAAM,IAAIlpC,MAAM,sBAClB,GAAI7C,EAAE0qC,YAAqC,iBAAhB1qC,EAAE0qC,WAC3B,MAAM,IAAI7nC,MAAM,2BAClB,GAAI7C,EAAE6kC,MAAyB,iBAAV7kC,EAAE6kC,KACrB,MAAM,IAAIhiC,MAAM,qBAClB,GAAI7C,EAAE6kC,OAAS7kC,EAAE6kC,KAAK95B,WAAW,KAC/B,MAAM,IAAIlI,MAAM,wCAClB,GAAI7C,EAAE6kC,OAAS7kC,EAAEgf,OAAOrb,SAAS3D,EAAE6kC,MACjC,MAAM,IAAIhiC,MAAM,mCAClB,GAAI7C,EAAE6kC,MAAQ45C,EAAEz+E,EAAEgf,OAAQ6Z,GAAI,CAC5B,MAAM47C,EAAIz0E,EAAEgf,OAAO/K,MAAM4kB,GAAG,GAC5B,IAAK74B,EAAEgf,OAAOrb,UAAS,UAAG8wE,EAAGz0E,EAAE6kC,OAC7B,MAAM,IAAIhiC,MAAM,4DACpB,CACA,GAAI7C,EAAEC,SAAW7F,OAAO6O,OAAO01E,GAAGh7E,SAAS3D,EAAEC,QAC3C,MAAM,IAAI4C,MAAM,oCAAoC,EAuBxD,IAAI87E,EAAoB,CAAE3+E,IAAOA,EAAE4+E,IAAM,MAAO5+E,EAAE2rD,OAAS,SAAU3rD,EAAE4tC,QAAU,UAAW5tC,EAAE6+E,OAAS,SAAU7+E,GAAzF,CAA6F2+E,GAAK,CAAC,GAC3H,MAAMG,EACJC,MACApjC,YACAqjC,iBAAmB,mCACnB,WAAAzuD,CAAYsI,EAAG47C,GACb5c,EAAEh/B,EAAG47C,GAAK55E,KAAKmkF,kBAAmBnkF,KAAKkkF,MAAQlmD,EAC/C,MAAMo6B,EAAI,CAERpoD,IAAK,CAAC+lB,EAAGv0B,EAAGimE,KAAOznE,KAAKokF,cAAevzE,QAAQb,IAAI+lB,EAAGv0B,EAAGimE,IACzD4c,eAAgB,CAACtuD,EAAGv0B,KAAOxB,KAAKokF,cAAevzE,QAAQwzE,eAAetuD,EAAGv0B,KAG3ExB,KAAK8gD,YAAc,IAAIlwC,MAAMotB,EAAE6R,YAAc,CAAC,EAAGuoB,UAAWp4D,KAAKkkF,MAAMr0C,WAAY+pC,IAAM55E,KAAKmkF,iBAAmBvK,EACnH,CAIA,UAAIz1D,GACF,OAAOnkB,KAAKkkF,MAAM//D,OAAOlc,QAAQ,OAAQ,GAC3C,CAIA,iBAAI48C,GACF,MAAQt+C,OAAQy3B,GAAM,IAAIt3B,IAAI1G,KAAKmkB,QACnC,OAAO6Z,GAAI,QAAGh+B,KAAKmkB,OAAOhjB,MAAM68B,EAAEt8B,QACpC,CAIA,YAAIotC,GACF,OAAO,cAAG9uC,KAAKmkB,OACjB,CAIA,aAAIw4B,GACF,OAAO,aAAG38C,KAAKmkB,OACjB,CAKA,WAAI6nB,GACF,GAAIhsC,KAAKgqC,KAAM,CACb,IAAI4vC,EAAI55E,KAAKmkB,OACbnkB,KAAKskF,iBAAmB1K,EAAIA,EAAEhhE,MAAM5Y,KAAKmkF,kBAAkBzgE,OAC3D,MAAM00C,EAAIwhB,EAAEvmE,QAAQrT,KAAKgqC,MAAOjU,EAAI/1B,KAAKgqC,KAAK/hC,QAAQ,MAAO,IAC7D,OAAO,aAAE2xE,EAAEz4E,MAAMi3D,EAAIriC,EAAEr0B,SAAW,IACpC,CACA,MAAMs8B,EAAI,IAAIt3B,IAAI1G,KAAKmkB,QACvB,OAAO,aAAE6Z,EAAE9H,SACb,CAIA,QAAIqb,GACF,OAAOvxC,KAAKkkF,MAAM3yC,IACpB,CAIA,SAAIF,GACF,OAAOrxC,KAAKkkF,MAAM7yC,KACpB,CAIA,UAAIwyC,GACF,OAAO7jF,KAAKkkF,MAAML,MACpB,CAIA,QAAIn0E,GACF,OAAO1P,KAAKkkF,MAAMx0E,IACpB,CAIA,cAAImgC,GACF,OAAO7vC,KAAK8gD,WACd,CAIA,eAAI7W,GACF,OAAsB,OAAfjqC,KAAKkxC,OAAmBlxC,KAAKskF,oBAAqD,IAA3BtkF,KAAKkkF,MAAMj6C,YAAyBjqC,KAAKkkF,MAAMj6C,YAAc84C,EAAE54C,KAAxE44C,EAAE7/B,IACzD,CAIA,SAAIhS,GACF,OAAOlxC,KAAKskF,eAAiBtkF,KAAKkkF,MAAMhzC,MAAQ,IAClD,CAIA,kBAAIozC,GACF,OAAOV,EAAE5jF,KAAKmkB,OAAQnkB,KAAKmkF,iBAC7B,CAIA,QAAIn6C,GACF,OAAOhqC,KAAKkkF,MAAMl6C,KAAOhqC,KAAKkkF,MAAMl6C,KAAK/hC,QAAQ,WAAY,MAAQjI,KAAKskF,iBAAkB,aAAEtkF,KAAKmkB,QAAQvL,MAAM5Y,KAAKmkF,kBAAkBzgE,OAAS,IACnJ,CAIA,QAAI5T,GACF,GAAI9P,KAAKgqC,KAAM,CACb,IAAIhM,EAAIh+B,KAAKmkB,OACbnkB,KAAKskF,iBAAmBtmD,EAAIA,EAAEplB,MAAM5Y,KAAKmkF,kBAAkBzgE,OAC3D,MAAMk2D,EAAI57C,EAAE3qB,QAAQrT,KAAKgqC,MAAOouB,EAAIp4D,KAAKgqC,KAAK/hC,QAAQ,MAAO,IAC7D,OAAO+1B,EAAE78B,MAAMy4E,EAAIxhB,EAAE12D,SAAW,GAClC,CACA,OAAQ1B,KAAKgsC,QAAU,IAAMhsC,KAAK8uC,UAAU7mC,QAAQ,QAAS,IAC/D,CAKA,UAAIqiC,GACF,OAAOtqC,KAAKkkF,OAAOt6E,IAAM5J,KAAK6vC,YAAYvF,MAC5C,CAIA,UAAIllC,GACF,OAAOpF,KAAKkkF,OAAO9+E,MACrB,CAIA,UAAIA,CAAO44B,GACTh+B,KAAKkkF,MAAM9+E,OAAS44B,CACtB,CAOA,IAAAumD,CAAKvmD,GACHg/B,EAAE,IAAKh9D,KAAKkkF,MAAO//D,OAAQ6Z,GAAKh+B,KAAKmkF,kBAAmBnkF,KAAKkkF,MAAM//D,OAAS6Z,EAAGh+B,KAAKokF,aACtF,CAOA,MAAAt/B,CAAO9mB,GACL,GAAIA,EAAEl1B,SAAS,KACb,MAAM,IAAId,MAAM,oBAClBhI,KAAKukF,MAAK,aAAEvkF,KAAKmkB,QAAU,IAAM6Z,EACnC,CAIA,WAAAomD,GACEpkF,KAAKkkF,MAAM7yC,QAAUrxC,KAAKkkF,MAAM7yC,MAAwB,IAAI5/B,KAC9D,EAuBF,MAAM+yE,UAAWP,EACf,QAAIj9E,GACF,OAAO02D,EAAE3wB,IACX,EAuBF,MAAMz2B,UAAW2tE,EACf,WAAAvuD,CAAYsI,GACViP,MAAM,IACDjP,EACHuT,KAAM,wBAEV,CACA,QAAIvqC,GACF,OAAO02D,EAAE3xB,MACX,CACA,aAAI4Q,GACF,OAAO,IACT,CACA,QAAIpL,GACF,MAAO,sBACT,EAwBF,MAAMkzC,EAAI,WAAU,WAAKhjD,MAAO9/B,GAAK,QAAG,OAAQ+iF,EAAK,SAASv/E,EAAIxD,EAAIq8B,EAAI,CAAC,GACzE,MAAM47C,GAAI,QAAGz0E,EAAG,CAAEmrC,QAAStS,IAC3B,SAASo6B,EAAE52D,GACTo4E,EAAE+K,WAAW,IACR3mD,EAEH,mBAAoB,iBAEpBuS,aAAc/uC,GAAK,IAEvB,CACA,OAAO,QAAG42D,GAAIA,GAAE,YAAO,UAAK1nB,MAAM,SAAS,CAAClvC,EAAGimE,KAC7C,MAAMkW,EAAIlW,EAAEn3B,QACZ,OAAOqtC,GAAG/sC,SAAW62B,EAAE72B,OAAS+sC,EAAE/sC,cAAe+sC,EAAE/sC,QAASg0C,MAAMpjF,EAAGimE,EAAE,IACrEmS,CACN,EAAGiL,EAAK74E,MAAO7G,EAAG64B,EAAI,IAAK47C,EAAI6K,WAAat/E,EAAE8sC,qBAAqB,GAAG2nC,IAAI57C,IAAK,CAC7EwQ,SAAS,EACTtkC,KAndO,+CACYq5E,iCAEfF,wIAidJ/yC,QAAS,CAEPM,OAAQ,UAEVsB,aAAa,KACXhoC,KAAK+E,QAAQ8mB,GAAMA,EAAEob,WAAanT,IAAG9uB,KAAK6mB,GAAM+uD,EAAG/uD,EAAG6jD,KAAKkL,EAAK,SAAS3/E,EAAG64B,EAAIymD,EAAG7K,EAAIj4E,GACzF,MAAMy2D,GAAI,WAAK32B,IACf,IAAK22B,EACH,MAAM,IAAIpwD,MAAM,oBAClB,MAAM+tB,EAAI5wB,EAAE4b,MAAOvf,EAAImiF,EAAG5tD,GAAGkU,aAAcw9B,GAAK1xC,IAAI,aAAeqiC,GAAG50D,WAAYm6E,EAAI,CACpF/zE,GAAImsB,GAAGuU,QAAU,EACjBnmB,OAAQ,GAAGy1D,IAAIz0E,EAAEgsC,WACjBE,MAAO,IAAI5/B,KAAKA,KAAKlF,MAAMpH,EAAEmsC,UAC7BC,KAAMpsC,EAAEosC,MAAQ,2BAChB7hC,KAAMqmB,GAAGrmB,MAAQuL,OAAOmgC,SAASrlB,EAAEgvD,kBAAoB,KACvD96C,YAAazoC,EACb0vC,MAAOu2B,EACPz9B,KAAMhM,EACN6R,WAAY,IACP1qC,KACA4wB,EACHyb,WAAYzb,IAAI,iBAGpB,cAAc4nD,EAAE9tC,YAAY9uB,MAAkB,SAAX5b,EAAE6B,KAAkB,IAAIw9E,EAAG7G,GAAK,IAAIrnE,EAAGqnE,EAC5E,EAsBA,MAAMqH,EACJC,OAAS,GACTC,aAAe,KACf,QAAA7uB,CAASr4B,GACP,GAAIh+B,KAAKilF,OAAO9hD,MAAMy2C,GAAMA,EAAEhwE,KAAOo0B,EAAEp0B,KACrC,MAAM,IAAI5B,MAAM,WAAWg2B,EAAEp0B,4BAC/B5J,KAAKilF,OAAOzkF,KAAKw9B,EACnB,CACA,MAAAo/C,CAAOp/C,GACL,MAAM47C,EAAI55E,KAAKilF,OAAOxkC,WAAW2X,GAAMA,EAAExuD,KAAOo0B,KACzC,IAAP47C,GAAY55E,KAAKilF,OAAO3xE,OAAOsmE,EAAG,EACpC,CACA,SAAI12C,GACF,OAAOljC,KAAKilF,MACd,CACA,SAAAvhD,CAAU1F,GACRh+B,KAAKklF,aAAelnD,CACtB,CACA,UAAI6N,GACF,OAAO7rC,KAAKklF,YACd,EAEF,MAAMC,EAAK,WACT,cAAcvhF,OAAOwhF,eAAiB,MAAQxhF,OAAOwhF,eAAiB,IAAIJ,EAAM1/D,EAAEqe,MAAM,mCAAoC//B,OAAOwhF,cACrI,EAsBA,MAAMC,EACJC,QACA,WAAA5vD,CAAYsI,GACVunD,EAAGvnD,GAAIh+B,KAAKslF,QAAUtnD,CACxB,CACA,MAAIp0B,GACF,OAAO5J,KAAKslF,QAAQ17E,EACtB,CACA,SAAItC,GACF,OAAOtH,KAAKslF,QAAQh+E,KACtB,CACA,UAAI2Z,GACF,OAAOjhB,KAAKslF,QAAQrkE,MACtB,CACA,QAAIlG,GACF,OAAO/a,KAAKslF,QAAQvqE,IACtB,CACA,WAAIkgC,GACF,OAAOj7C,KAAKslF,QAAQrqC,OACtB,EAEF,MAAMsqC,EAAK,SAASpgF,GAClB,IAAKA,EAAEyE,IAAqB,iBAARzE,EAAEyE,GACpB,MAAM,IAAI5B,MAAM,2BAClB,IAAK7C,EAAEmC,OAA2B,iBAAXnC,EAAEmC,MACvB,MAAM,IAAIU,MAAM,8BAClB,IAAK7C,EAAE8b,QAA6B,mBAAZ9b,EAAE8b,OACxB,MAAM,IAAIjZ,MAAM,iCAClB,GAAI7C,EAAE4V,MAAyB,mBAAV5V,EAAE4V,KACrB,MAAM,IAAI/S,MAAM,0CAClB,GAAI7C,EAAE81C,SAA+B,mBAAb91C,EAAE81C,QACxB,MAAM,IAAIjzC,MAAM,qCAClB,OAAO,CACT,EACA,IAAIw9E,EAAI,CAAC,EAAGC,EAAI,CAAC,GACjB,SAAUtgF,GACR,MAAM64B,EAAI,gLAAyOo6B,EAAI,IAAMp6B,EAAI,KAAlEA,EAAwD,iDAA2BjI,EAAI,IAAIvd,OAAO,IAAM4/C,EAAI,KAgB3SjzD,EAAEugF,QAAU,SAAS/H,GACnB,cAAcA,EAAI,GACpB,EAAGx4E,EAAEwgF,cAAgB,SAAShI,GAC5B,OAAiC,IAA1Bp+E,OAAO4K,KAAKwzE,GAAGj8E,MACxB,EAAGyD,EAAEygF,MAAQ,SAASjI,EAAGp6E,EAAG4C,GAC1B,GAAI5C,EAAG,CACL,MAAM9B,EAAIlC,OAAO4K,KAAK5G,GAAI+0D,EAAI72D,EAAEC,OAChC,IAAK,IAAIqc,EAAI,EAAGA,EAAIu6C,EAAGv6C,IACJ4/D,EAAEl8E,EAAEsc,IAAf,WAAN5X,EAA2B,CAAC5C,EAAE9B,EAAEsc,KAAiBxa,EAAE9B,EAAEsc,GACzD,CACF,EAAG5Y,EAAEuqE,SAAW,SAASiO,GACvB,OAAOx4E,EAAEugF,QAAQ/H,GAAKA,EAAI,EAC5B,EAAGx4E,EAAE0gF,OAhBE,SAASlI,GACd,MAAMp6E,EAAIwyB,EAAEpb,KAAKgjE,GACjB,QAAe,OAANp6E,UAAqBA,EAAI,IACpC,EAaiB4B,EAAE2gF,cA5BkS,SAASnI,EAAGp6E,GAC/T,MAAM4C,EAAI,GACV,IAAI1E,EAAI8B,EAAEoX,KAAKgjE,GACf,KAAOl8E,GAAK,CACV,MAAM62D,EAAI,GACVA,EAAE/L,WAAahpD,EAAEypD,UAAYvrD,EAAE,GAAGC,OAClC,MAAMqc,EAAItc,EAAEC,OACZ,IAAK,IAAI8lE,EAAI,EAAGA,EAAIzpD,EAAGypD,IACrBlP,EAAE93D,KAAKiB,EAAE+lE,IACXrhE,EAAE3F,KAAK83D,GAAI72D,EAAI8B,EAAEoX,KAAKgjE,EACxB,CACA,OAAOx3E,CACT,EAgBsChB,EAAE4gF,WAAa3tB,CACtD,CA9BD,CA8BGqtB,GACH,MAAMO,EAAIP,EAAGQ,EAAK,CAChBC,wBAAwB,EAExBC,aAAc,IAkGhB,SAASC,EAAEjhF,GACT,MAAa,MAANA,GAAmB,OAANA,GAAmB,OAANA,GACxB,OAANA,CACL,CACA,SAASkhF,EAAElhF,EAAG64B,GACZ,MAAM47C,EAAI57C,EACV,KAAOA,EAAI74B,EAAEzD,OAAQs8B,IACnB,GAAY,KAAR74B,EAAE64B,IAAqB,KAAR74B,EAAE64B,GAAW,CAC9B,MAAMo6B,EAAIjzD,EAAE4gB,OAAO6zD,EAAG57C,EAAI47C,GAC1B,GAAI57C,EAAI,GAAW,QAANo6B,EACX,OAAOphD,GAAE,aAAc,6DAA8DsvE,GAAEnhF,EAAG64B,IAC5F,GAAY,KAAR74B,EAAE64B,IAAyB,KAAZ74B,EAAE64B,EAAI,GAAW,CAClCA,IACA,KACF,CACE,QACJ,CACF,OAAOA,CACT,CACA,SAASuoD,EAAEphF,EAAG64B,GACZ,GAAI74B,EAAEzD,OAASs8B,EAAI,GAAkB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAChD,IAAKA,GAAK,EAAGA,EAAI74B,EAAEzD,OAAQs8B,IACzB,GAAa,MAAT74B,EAAE64B,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,OACG,GAAI74B,EAAEzD,OAASs8B,EAAI,GAAkB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAAY,CACvK,IAAI47C,EAAI,EACR,IAAK57C,GAAK,EAAGA,EAAI74B,EAAEzD,OAAQs8B,IACzB,GAAa,MAAT74B,EAAE64B,GACJ47C,SACG,GAAa,MAATz0E,EAAE64B,KAAe47C,IAAW,IAANA,GAC7B,KACN,MAAO,GAAIz0E,EAAEzD,OAASs8B,EAAI,GAAkB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAC3J,IAAKA,GAAK,EAAGA,EAAI74B,EAAEzD,OAAQs8B,IACzB,GAAa,MAAT74B,EAAE64B,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,CAEJ,OAAOA,CACT,CAzIAwnD,EAAEgB,SAAW,SAASrhF,EAAG64B,GACvBA,EAAIz+B,OAAO2I,OAAO,CAAC,EAAG+9E,EAAIjoD,GAC1B,MAAM47C,EAAI,GACV,IAAIxhB,GAAI,EAAIriC,GAAI,EACP,WAAT5wB,EAAE,KAAoBA,EAAIA,EAAE4gB,OAAO,IACnC,IAAK,IAAIvkB,EAAI,EAAGA,EAAI2D,EAAEzD,OAAQF,IAC5B,GAAa,MAAT2D,EAAE3D,IAA2B,MAAb2D,EAAE3D,EAAI,IACxB,GAAIA,GAAK,EAAGA,EAAI6kF,EAAElhF,EAAG3D,GAAIA,EAAE0c,IACzB,OAAO1c,MACJ,IAAa,MAAT2D,EAAE3D,GAyEN,CACL,GAAI4kF,EAAEjhF,EAAE3D,IACN,SACF,OAAOwV,GAAE,cAAe,SAAW7R,EAAE3D,GAAK,qBAAsB8kF,GAAEnhF,EAAG3D,GACvE,CA7EyB,CACvB,IAAIimE,EAAIjmE,EACR,GAAIA,IAAc,MAAT2D,EAAE3D,GAAY,CACrBA,EAAI+kF,EAAEphF,EAAG3D,GACT,QACF,CAAO,CACL,IAAIm8E,GAAI,EACC,MAATx4E,EAAE3D,KAAem8E,GAAI,EAAIn8E,KACzB,IAAI+B,EAAI,GACR,KAAO/B,EAAI2D,EAAEzD,QAAmB,MAATyD,EAAE3D,IAAuB,MAAT2D,EAAE3D,IAAuB,OAAT2D,EAAE3D,IAAuB,OAAT2D,EAAE3D,IACnE,OAAT2D,EAAE3D,GAAaA,IACV+B,GAAK4B,EAAE3D,GACT,GAAI+B,EAAIA,EAAEgY,OAA4B,MAApBhY,EAAEA,EAAE7B,OAAS,KAAe6B,EAAIA,EAAEq7D,UAAU,EAAGr7D,EAAE7B,OAAS,GAAIF,MAAOilF,GAAGljF,GAAI,CAC5F,IAAI+0D,EACJ,OAA+BA,EAAJ,IAApB/0D,EAAEgY,OAAO7Z,OAAmB,2BAAiC,QAAU6B,EAAI,wBAAyByT,GAAE,aAAcshD,EAAGguB,GAAEnhF,EAAG3D,GACrI,CACA,MAAM2E,EAAIugF,EAAGvhF,EAAG3D,GAChB,IAAU,IAAN2E,EACF,OAAO6Q,GAAE,cAAe,mBAAqBzT,EAAI,qBAAsB+iF,GAAEnhF,EAAG3D,IAC9E,IAAIC,EAAI0E,EAAEiD,MACV,GAAI5H,EAAI2E,EAAE0W,MAA2B,MAApBpb,EAAEA,EAAEC,OAAS,GAAY,CACxC,MAAM42D,EAAI92D,EAAIC,EAAEC,OAChBD,EAAIA,EAAEm9D,UAAU,EAAGn9D,EAAEC,OAAS,GAC9B,MAAMqc,EAAI4oE,GAAEllF,EAAGu8B,GACf,IAAU,IAANjgB,EAGF,OAAO/G,GAAE+G,EAAEG,IAAI0oE,KAAM7oE,EAAEG,IAAIyW,IAAK2xD,GAAEnhF,EAAGmzD,EAAIv6C,EAAEG,IAAIkgD,OAF/ChG,GAAI,CAGR,MAAO,GAAIulB,EACT,KAAIx3E,EAAE0gF,UAgBJ,OAAO7vE,GAAE,aAAc,gBAAkBzT,EAAI,iCAAkC+iF,GAAEnhF,EAAG3D,IAfpF,GAAIC,EAAE8Z,OAAO7Z,OAAS,EACpB,OAAOsV,GAAE,aAAc,gBAAkBzT,EAAI,+CAAgD+iF,GAAEnhF,EAAGsiE,IACpG,CACE,MAAMnP,EAAIshB,EAAEl2D,MACZ,GAAIngB,IAAM+0D,EAAEqH,QAAS,CACnB,IAAI5hD,EAAIuoE,GAAEnhF,EAAGmzD,EAAEwuB,aACf,OAAO9vE,GACL,aACA,yBAA2BshD,EAAEqH,QAAU,qBAAuB5hD,EAAEqgD,KAAO,SAAWrgD,EAAEgpE,IAAM,6BAA+BxjF,EAAI,KAC7H+iF,GAAEnhF,EAAGsiE,GAET,CACY,GAAZmS,EAAEl4E,SAAgBq0B,GAAI,EACxB,CAEuF,KACtF,CACH,MAAMuiC,EAAIquB,GAAEllF,EAAGu8B,GACf,IAAU,IAANs6B,EACF,OAAOthD,GAAEshD,EAAEp6C,IAAI0oE,KAAMtuB,EAAEp6C,IAAIyW,IAAK2xD,GAAEnhF,EAAG3D,EAAIC,EAAEC,OAAS42D,EAAEp6C,IAAIkgD,OAC5D,IAAU,IAANroC,EACF,OAAO/e,GAAE,aAAc,sCAAuCsvE,GAAEnhF,EAAG3D,KACtC,IAA/Bw8B,EAAEmoD,aAAa9yE,QAAQ9P,IAAaq2E,EAAEp5E,KAAK,CAAEm/D,QAASp8D,EAAGujF,YAAarf,IAAMrP,GAAI,CAClF,CACA,IAAK52D,IAAKA,EAAI2D,EAAEzD,OAAQF,IACtB,GAAa,MAAT2D,EAAE3D,GACJ,IAAiB,MAAb2D,EAAE3D,EAAI,GAAY,CACpBA,IAAKA,EAAI+kF,EAAEphF,EAAG3D,GACd,QACF,CAAO,GAAiB,MAAb2D,EAAE3D,EAAI,GAIf,MAHA,GAAIA,EAAI6kF,EAAElhF,IAAK3D,GAAIA,EAAE0c,IACnB,OAAO1c,CAEJ,MACJ,GAAa,MAAT2D,EAAE3D,GAAY,CACrB,MAAM82D,EAAI0uB,GAAG7hF,EAAG3D,GAChB,IAAU,GAAN82D,EACF,OAAOthD,GAAE,cAAe,4BAA6BsvE,GAAEnhF,EAAG3D,IAC5DA,EAAI82D,CACN,MAAO,IAAU,IAANviC,IAAaqwD,EAAEjhF,EAAE3D,IAC1B,OAAOwV,GAAE,aAAc,wBAAyBsvE,GAAEnhF,EAAG3D,IAChD,MAAT2D,EAAE3D,IAAcA,GAClB,CACF,CAIA,CACF,OAAI42D,EACc,GAAZwhB,EAAEl4E,OACGsV,GAAE,aAAc,iBAAmB4iE,EAAE,GAAGja,QAAU,KAAM2mB,GAAEnhF,EAAGy0E,EAAE,GAAGkN,gBACvElN,EAAEl4E,OAAS,IACNsV,GAAE,aAAc,YAAc7K,KAAKC,UAAUwtE,EAAE1qE,KAAK1N,GAAMA,EAAEm+D,UAAU,KAAM,GAAG13D,QAAQ,SAAU,IAAM,WAAY,CAAEm2D,KAAM,EAAG2oB,IAAK,IAErI/vE,GAAE,aAAc,sBAAuB,EAElD,EA2CA,MAAMiwE,EAAK,IAAKC,EAAK,IACrB,SAASR,EAAGvhF,EAAG64B,GACb,IAAI47C,EAAI,GAAIxhB,EAAI,GAAIriC,GAAI,EACxB,KAAOiI,EAAI74B,EAAEzD,OAAQs8B,IAAK,CACxB,GAAI74B,EAAE64B,KAAOipD,GAAM9hF,EAAE64B,KAAOkpD,EACpB,KAAN9uB,EAAWA,EAAIjzD,EAAE64B,GAAKo6B,IAAMjzD,EAAE64B,KAAOo6B,EAAI,SACtC,GAAa,MAATjzD,EAAE64B,IAAoB,KAANo6B,EAAU,CACjCriC,GAAI,EACJ,KACF,CACA6jD,GAAKz0E,EAAE64B,EACT,CACA,MAAa,KAANo6B,GAAgB,CACrBhvD,MAAOwwE,EACP/8D,MAAOmhB,EACP6oD,UAAW9wD,EAEf,CACA,MAAMoxD,GAAK,IAAI3uE,OAAO,0DAA0D,KAChF,SAASmuE,GAAExhF,EAAG64B,GACZ,MAAM47C,EAAIoM,EAAEF,cAAc3gF,EAAGgiF,IAAK/uB,EAAI,CAAC,EACvC,IAAK,IAAIriC,EAAI,EAAGA,EAAI6jD,EAAEl4E,OAAQq0B,IAAK,CACjC,GAAuB,IAAnB6jD,EAAE7jD,GAAG,GAAGr0B,OACV,OAAOsV,GAAE,cAAe,cAAgB4iE,EAAE7jD,GAAG,GAAK,8BAA+BxG,GAAEqqD,EAAE7jD,KACvF,QAAgB,IAAZ6jD,EAAE7jD,GAAG,SAA6B,IAAZ6jD,EAAE7jD,GAAG,GAC7B,OAAO/e,GAAE,cAAe,cAAgB4iE,EAAE7jD,GAAG,GAAK,sBAAuBxG,GAAEqqD,EAAE7jD,KAC/E,QAAgB,IAAZ6jD,EAAE7jD,GAAG,KAAkBiI,EAAEkoD,uBAC3B,OAAOlvE,GAAE,cAAe,sBAAwB4iE,EAAE7jD,GAAG,GAAK,oBAAqBxG,GAAEqqD,EAAE7jD,KACrF,MAAMv0B,EAAIo4E,EAAE7jD,GAAG,GACf,IAAKqxD,GAAG5lF,GACN,OAAOwV,GAAE,cAAe,cAAgBxV,EAAI,wBAAyB+tB,GAAEqqD,EAAE7jD,KAC3E,GAAKqiC,EAAE34D,eAAe+B,GAGpB,OAAOwV,GAAE,cAAe,cAAgBxV,EAAI,iBAAkB+tB,GAAEqqD,EAAE7jD,KAFlEqiC,EAAE52D,GAAK,CAGX,CACA,OAAO,CACT,CAWA,SAASwlF,GAAG7hF,EAAG64B,GACb,GAAkB,MAAT74B,IAAL64B,GACF,OAAQ,EACV,GAAa,MAAT74B,EAAE64B,GACJ,OAdJ,SAAY74B,EAAG64B,GACb,IAAI47C,EAAI,KACR,IAAc,MAATz0E,EAAE64B,KAAeA,IAAK47C,EAAI,cAAe57C,EAAI74B,EAAEzD,OAAQs8B,IAAK,CAC/D,GAAa,MAAT74B,EAAE64B,GACJ,OAAOA,EACT,IAAK74B,EAAE64B,GAAG5kB,MAAMwgE,GACd,KACJ,CACA,OAAQ,CACV,CAKgByN,CAAGliF,IAAR64B,GACT,IAAI47C,EAAI,EACR,KAAO57C,EAAI74B,EAAEzD,OAAQs8B,IAAK47C,IACxB,KAAMz0E,EAAE64B,GAAG5kB,MAAM,OAASwgE,EAAI,IAAK,CACjC,GAAa,MAATz0E,EAAE64B,GACJ,MACF,OAAQ,CACV,CACF,OAAOA,CACT,CACA,SAAShnB,GAAE7R,EAAG64B,EAAG47C,GACf,MAAO,CACL17D,IAAK,CACH0oE,KAAMzhF,EACNwvB,IAAKqJ,EACLogC,KAAMwb,EAAExb,MAAQwb,EAChBmN,IAAKnN,EAAEmN,KAGb,CACA,SAASK,GAAGjiF,GACV,OAAO6gF,EAAEH,OAAO1gF,EAClB,CACA,SAASshF,GAAGthF,GACV,OAAO6gF,EAAEH,OAAO1gF,EAClB,CACA,SAASmhF,GAAEnhF,EAAG64B,GACZ,MAAM47C,EAAIz0E,EAAEy5D,UAAU,EAAG5gC,GAAGplB,MAAM,SAClC,MAAO,CACLwlD,KAAMwb,EAAEl4E,OAERqlF,IAAKnN,EAAEA,EAAEl4E,OAAS,GAAGA,OAAS,EAElC,CACA,SAAS6tB,GAAEpqB,GACT,OAAOA,EAAEonD,WAAapnD,EAAE,GAAGzD,MAC7B,CACA,IAAIw6E,GAAI,CAAC,EACT,MAAMoL,GAAK,CACTC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhB1B,wBAAwB,EAGxB2B,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAASljF,EAAG64B,GAC7B,OAAOA,CACT,EACAsqD,wBAAyB,SAASnjF,EAAG64B,GACnC,OAAOA,CACT,EACAuqD,UAAW,GAEXC,sBAAsB,EACtBx+E,QAAS,KAAM,EACfy+E,iBAAiB,EACjBtC,aAAc,GACduC,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAAS7jF,EAAG64B,EAAG47C,GACxB,OAAOz0E,CACT,GAKF+2E,GAAE+M,aAHM,SAAS9jF,GACf,OAAO5F,OAAO2I,OAAO,CAAC,EAAGo/E,GAAIniF,EAC/B,EAEA+2E,GAAEgN,eAAiB5B,GAanB,MAAM6B,GAAK1D,EAmCX,SAAS2D,GAAGjkF,EAAG64B,GACb,IAAI47C,EAAI,GACR,KAAO57C,EAAI74B,EAAEzD,QAAmB,MAATyD,EAAE64B,IAAuB,MAAT74B,EAAE64B,GAAYA,IACnD47C,GAAKz0E,EAAE64B,GACT,GAAI47C,EAAIA,EAAEr+D,QAA4B,IAApBq+D,EAAEvmE,QAAQ,KAC1B,MAAM,IAAIrL,MAAM,sCAClB,MAAMowD,EAAIjzD,EAAE64B,KACZ,IAAIjI,EAAI,GACR,KAAOiI,EAAI74B,EAAEzD,QAAUyD,EAAE64B,KAAOo6B,EAAGp6B,IACjCjI,GAAK5wB,EAAE64B,GACT,MAAO,CAAC47C,EAAG7jD,EAAGiI,EAChB,CACA,SAASqrD,GAAGlkF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EACvD,CACA,SAASsrD,GAAGnkF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EACvI,CACA,SAASurD,GAAGpkF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EAC3J,CACA,SAASwrD,GAAGrkF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EAC3J,CACA,SAASyrD,GAAGtkF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EAC/K,CACA,SAAS0rD,GAAGvkF,GACV,GAAIgkF,GAAGtD,OAAO1gF,GACZ,OAAOA,EACT,MAAM,IAAI6C,MAAM,uBAAuB7C,IACzC,CAEA,MAAMwkF,GAAK,wBAAyBC,GAAK,+EACxC3uE,OAAOmgC,UAAYx3C,OAAOw3C,WAAangC,OAAOmgC,SAAWx3C,OAAOw3C,WAChEngC,OAAOgzD,YAAcrqE,OAAOqqE,aAAehzD,OAAOgzD,WAAarqE,OAAOqqE,YACvE,MAAM4b,GAAK,CACT3B,KAAK,EACLC,cAAc,EACd2B,aAAc,IACd1B,WAAW,GAiCb,MAAMhiE,GAAKq/D,EAAGsE,GAxHd,MACE,WAAAr0D,CAAYsI,GACVh+B,KAAKk2E,QAAUl4C,EAAGh+B,KAAK4qB,MAAQ,GAAI5qB,KAAK,MAAQ,CAAC,CACnD,CACA,GAAA6T,CAAImqB,EAAG47C,GACC,cAAN57C,IAAsBA,EAAI,cAAeh+B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAACw9B,GAAI47C,GAClE,CACA,QAAAoQ,CAAShsD,GACO,cAAdA,EAAEk4C,UAA4Bl4C,EAAEk4C,QAAU,cAAel4C,EAAE,OAASz+B,OAAO4K,KAAK6zB,EAAE,OAAOt8B,OAAS,EAAI1B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAACw9B,EAAEk4C,SAAUl4C,EAAEpT,MAAO,KAAMoT,EAAE,QAAWh+B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAACw9B,EAAEk4C,SAAUl4C,EAAEpT,OACpM,GA+GoBq/D,GA3GtB,SAAY9kF,EAAG64B,GACb,MAAM47C,EAAI,CAAC,EACX,GAAiB,MAAbz0E,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GA6B5G,MAAM,IAAIh2B,MAAM,kCA7BwG,CACxHg2B,GAAQ,EACR,IAAIo6B,EAAI,EAAGriC,GAAI,EAAIv0B,GAAI,EAAIimE,EAAI,GAC/B,KAAOzpC,EAAI74B,EAAEzD,OAAQs8B,IACnB,GAAa,MAAT74B,EAAE64B,IAAex8B,EAiBd,GAAa,MAAT2D,EAAE64B,IACX,GAAIx8B,EAAiB,MAAb2D,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,KAAex8B,GAAI,EAAI42D,KAAOA,IAAW,IAANA,EACnE,UAEO,MAATjzD,EAAE64B,GAAajI,GAAI,EAAK0xC,GAAKtiE,EAAE64B,OArBT,CACtB,GAAIjI,GAAKuzD,GAAGnkF,EAAG64B,GACbA,GAAK,GAAIksD,WAAYzrE,IAAKuf,GAAKorD,GAAGjkF,EAAG64B,EAAI,IAA0B,IAAtBvf,IAAIpL,QAAQ,OAAgBumE,EAAE8P,GAAGQ,aAAe,CAC3FC,KAAM3xE,OAAO,IAAI0xE,cAAe,KAChCzrE,WAEC,GAAIsX,GAAKwzD,GAAGpkF,EAAG64B,GAClBA,GAAK,OACF,GAAIjI,GAAKyzD,GAAGrkF,EAAG64B,GAClBA,GAAK,OACF,GAAIjI,GAAK0zD,GAAGtkF,EAAG64B,GAClBA,GAAK,MACF,KAAIqrD,GAGP,MAAM,IAAIrhF,MAAM,mBAFhBxG,GAAI,CAE8B,CACpC42D,IAAKqP,EAAI,EACX,CAKF,GAAU,IAANrP,EACF,MAAM,IAAIpwD,MAAM,mBACpB,CAEA,MAAO,CAAEoiF,SAAUxQ,EAAGp4E,EAAGw8B,EAC3B,EA0E+BqsD,GA9B/B,SAAYllF,EAAG64B,EAAI,CAAC,GAClB,GAAIA,EAAIz+B,OAAO2I,OAAO,CAAC,EAAG2hF,GAAI7rD,IAAK74B,GAAiB,iBAALA,EAC7C,OAAOA,EACT,IAAIy0E,EAAIz0E,EAAEoW,OACV,QAAmB,IAAfyiB,EAAEssD,UAAuBtsD,EAAEssD,SAAStkF,KAAK4zE,GAC3C,OAAOz0E,EACT,GAAI64B,EAAEkqD,KAAOyB,GAAG3jF,KAAK4zE,GACnB,OAAO3+D,OAAOmgC,SAASw+B,EAAG,IAC5B,CACE,MAAMxhB,EAAIwxB,GAAGjvE,KAAKi/D,GAClB,GAAIxhB,EAAG,CACL,MAAMriC,EAAIqiC,EAAE,GAAI52D,EAAI42D,EAAE,GACtB,IAAIqP,EAcV,SAAYtiE,GACV,OAAOA,IAAyB,IAApBA,EAAEkO,QAAQ,OAAgD,OAAhClO,EAAIA,EAAE8C,QAAQ,MAAO,KAAiB9C,EAAI,IAAe,MAATA,EAAE,GAAaA,EAAI,IAAMA,EAAwB,MAApBA,EAAEA,EAAEzD,OAAS,KAAeyD,EAAIA,EAAE4gB,OAAO,EAAG5gB,EAAEzD,OAAS,KAAMyD,CAClL,CAhBcolF,CAAGnyB,EAAE,IACb,MAAMulB,EAAIvlB,EAAE,IAAMA,EAAE,GACpB,IAAKp6B,EAAEmqD,cAAgB3mF,EAAEE,OAAS,GAAKq0B,GAAc,MAAT6jD,EAAE,GAC5C,OAAOz0E,EACT,IAAK64B,EAAEmqD,cAAgB3mF,EAAEE,OAAS,IAAMq0B,GAAc,MAAT6jD,EAAE,GAC7C,OAAOz0E,EACT,CACE,MAAM5B,EAAI0X,OAAO2+D,GAAIzzE,EAAI,GAAK5C,EAC9B,OAA6B,IAAtB4C,EAAEkwB,OAAO,SAAkBsnD,EAAI3/C,EAAEoqD,UAAY7kF,EAAI4B,GAAwB,IAApBy0E,EAAEvmE,QAAQ,KAAoB,MAANlN,GAAmB,KAANshE,GAAYthE,IAAMshE,GAAK1xC,GAAK5vB,IAAM,IAAMshE,EAAIlkE,EAAI4B,EAAI3D,EAAIimE,IAAMthE,GAAK4vB,EAAI0xC,IAAMthE,EAAI5C,EAAI4B,EAAIy0E,IAAMzzE,GAAKyzE,IAAM7jD,EAAI5vB,EAAI5C,EAAI4B,CACzN,CACF,CACE,OAAOA,CACX,CACF,EA8BA,SAAS4yD,GAAG5yD,GACV,MAAM64B,EAAIz+B,OAAO4K,KAAKhF,GACtB,IAAK,IAAIy0E,EAAI,EAAGA,EAAI57C,EAAEt8B,OAAQk4E,IAAK,CACjC,MAAMxhB,EAAIp6B,EAAE47C,GACZ55E,KAAKwqF,aAAapyB,GAAK,CACrBvsC,MAAO,IAAIrT,OAAO,IAAM4/C,EAAI,IAAK,KACjC35C,IAAKtZ,EAAEizD,GAEX,CACF,CACA,SAASqyB,GAAGtlF,EAAG64B,EAAG47C,EAAGxhB,EAAGriC,EAAGv0B,EAAGimE,GAC5B,QAAU,IAANtiE,IAAiBnF,KAAKgR,QAAQ+2E,aAAe3vB,IAAMjzD,EAAIA,EAAEoW,QAASpW,EAAEzD,OAAS,GAAI,CACnF+lE,IAAMtiE,EAAInF,KAAK0qF,qBAAqBvlF,IACpC,MAAMw4E,EAAI39E,KAAKgR,QAAQq3E,kBAAkBrqD,EAAG74B,EAAGy0E,EAAG7jD,EAAGv0B,GACrD,OAAY,MAALm8E,EAAYx4E,SAAWw4E,UAAYx4E,GAAKw4E,IAAMx4E,EAAIw4E,EAAI39E,KAAKgR,QAAQ+2E,YAAiF5iF,EAAEoW,SAAWpW,EAAjFwlF,GAAExlF,EAAGnF,KAAKgR,QAAQ62E,cAAe7nF,KAAKgR,QAAQi3E,oBAA2G9iF,CAClP,CACF,CACA,SAASylF,GAAGzlF,GACV,GAAInF,KAAKgR,QAAQ42E,eAAgB,CAC/B,MAAM5pD,EAAI74B,EAAEyT,MAAM,KAAMghE,EAAoB,MAAhBz0E,EAAEqe,OAAO,GAAa,IAAM,GACxD,GAAa,UAATwa,EAAE,GACJ,MAAO,GACI,IAAbA,EAAEt8B,SAAiByD,EAAIy0E,EAAI57C,EAAE,GAC/B,CACA,OAAO74B,CACT,CACA,MAAM0lF,GAAK,IAAIryE,OAAO,+CAA+C,MACrE,SAAS0vD,GAAG/iE,EAAG64B,EAAG47C,GAChB,IAAK55E,KAAKgR,QAAQ22E,kBAAgC,iBAALxiF,EAAe,CAC1D,MAAMizD,EAAIhyC,GAAG0/D,cAAc3gF,EAAG0lF,IAAK90D,EAAIqiC,EAAE12D,OAAQF,EAAI,CAAC,EACtD,IAAK,IAAIimE,EAAI,EAAGA,EAAI1xC,EAAG0xC,IAAK,CAC1B,MAAMkW,EAAI39E,KAAK8qF,iBAAiB1yB,EAAEqP,GAAG,IACrC,IAAIlkE,EAAI60D,EAAEqP,GAAG,GAAIthE,EAAInG,KAAKgR,QAAQw2E,oBAAsB7J,EACxD,GAAIA,EAAEj8E,OACJ,GAAI1B,KAAKgR,QAAQ+3E,yBAA2B5iF,EAAInG,KAAKgR,QAAQ+3E,uBAAuB5iF,IAAW,cAANA,IAAsBA,EAAI,mBAAqB,IAAN5C,EAAc,CAC9IvD,KAAKgR,QAAQ+2E,aAAexkF,EAAIA,EAAEgY,QAAShY,EAAIvD,KAAK0qF,qBAAqBnnF,GACzE,MAAM9B,EAAIzB,KAAKgR,QAAQs3E,wBAAwB3K,EAAGp6E,EAAGy6B,GACzCx8B,EAAE2E,GAAT,MAAL1E,EAAmB8B,SAAW9B,UAAY8B,GAAK9B,IAAM8B,EAAW9B,EAAWkpF,GACzEpnF,EACAvD,KAAKgR,QAAQ82E,oBACb9nF,KAAKgR,QAAQi3E,mBAEjB,MACEjoF,KAAKgR,QAAQk1E,yBAA2B1kF,EAAE2E,IAAK,EACrD,CACA,IAAK5G,OAAO4K,KAAK3I,GAAGE,OAClB,OACF,GAAI1B,KAAKgR,QAAQy2E,oBAAqB,CACpC,MAAMhgB,EAAI,CAAC,EACX,OAAOA,EAAEznE,KAAKgR,QAAQy2E,qBAAuBjmF,EAAGimE,CAClD,CACA,OAAOjmE,CACT,CACF,CACA,MAAMupF,GAAK,SAAS5lF,GAClBA,EAAIA,EAAE8C,QAAQ,SAAU,MAExB,MAAM+1B,EAAI,IAAI+rD,GAAE,QAChB,IAAInQ,EAAI57C,EAAGo6B,EAAI,GAAIriC,EAAI,GACvB,IAAK,IAAIv0B,EAAI,EAAGA,EAAI2D,EAAEzD,OAAQF,IAC5B,GAAa,MAAT2D,EAAE3D,GACJ,GAAiB,MAAb2D,EAAE3D,EAAI,GAAY,CACpB,MAAMm8E,EAAIzuD,GAAE/pB,EAAG,IAAK3D,EAAG,8BACvB,IAAI+B,EAAI4B,EAAEy5D,UAAUp9D,EAAI,EAAGm8E,GAAGpiE,OAC9B,GAAIvb,KAAKgR,QAAQ42E,eAAgB,CAC/B,MAAMtvB,EAAI/0D,EAAE8P,QAAQ,MACb,IAAPilD,IAAa/0D,EAAIA,EAAEwiB,OAAOuyC,EAAI,GAChC,CACAt4D,KAAKgR,QAAQ83E,mBAAqBvlF,EAAIvD,KAAKgR,QAAQ83E,iBAAiBvlF,IAAKq2E,IAAMxhB,EAAIp4D,KAAKgrF,oBAAoB5yB,EAAGwhB,EAAG7jD,IAClH,MAAM5vB,EAAI4vB,EAAE6oC,UAAU7oC,EAAEk1D,YAAY,KAAO,GAC3C,GAAI1nF,IAA+C,IAA1CvD,KAAKgR,QAAQm1E,aAAa9yE,QAAQ9P,GACzC,MAAM,IAAIyE,MAAM,kDAAkDzE,MACpE,IAAI9B,EAAI,EACR0E,IAA+C,IAA1CnG,KAAKgR,QAAQm1E,aAAa9yE,QAAQlN,IAAa1E,EAAIs0B,EAAEk1D,YAAY,IAAKl1D,EAAEk1D,YAAY,KAAO,GAAIjrF,KAAKkrF,cAAcxnE,OAASjiB,EAAIs0B,EAAEk1D,YAAY,KAAMl1D,EAAIA,EAAE6oC,UAAU,EAAGn9D,GAAIm4E,EAAI55E,KAAKkrF,cAAcxnE,MAAO00C,EAAI,GAAI52D,EAAIm8E,CAC3N,MAAO,GAAiB,MAAbx4E,EAAE3D,EAAI,GAAY,CAC3B,IAAIm8E,EAAIzjE,GAAE/U,EAAG3D,GAAG,EAAI,MACpB,IAAKm8E,EACH,MAAM,IAAI31E,MAAM,yBAClB,GAAIowD,EAAIp4D,KAAKgrF,oBAAoB5yB,EAAGwhB,EAAG7jD,KAAM/1B,KAAKgR,QAAQ43E,mBAAmC,SAAdjL,EAAEhe,SAAsB3/D,KAAKgR,QAAQ63E,cAAe,CACjI,MAAMtlF,EAAI,IAAIwmF,GAAEpM,EAAEhe,SAClBp8D,EAAEsQ,IAAI7T,KAAKgR,QAAQ02E,aAAc,IAAK/J,EAAEhe,UAAYge,EAAEwN,QAAUxN,EAAEyN,iBAAmB7nF,EAAE,MAAQvD,KAAKqrF,mBAAmB1N,EAAEwN,OAAQp1D,EAAG4nD,EAAEhe,UAAW3/D,KAAKgqF,SAASpQ,EAAGr2E,EAAGwyB,EACvK,CACAv0B,EAAIm8E,EAAE2N,WAAa,CACrB,MAAO,GAA2B,QAAvBnmF,EAAE4gB,OAAOvkB,EAAI,EAAG,GAAc,CACvC,MAAMm8E,EAAIzuD,GAAE/pB,EAAG,SAAO3D,EAAI,EAAG,0BAC7B,GAAIxB,KAAKgR,QAAQy3E,gBAAiB,CAChC,MAAMllF,EAAI4B,EAAEy5D,UAAUp9D,EAAI,EAAGm8E,EAAI,GACjCvlB,EAAIp4D,KAAKgrF,oBAAoB5yB,EAAGwhB,EAAG7jD,GAAI6jD,EAAE/lE,IAAI7T,KAAKgR,QAAQy3E,gBAAiB,CAAC,CAAE,CAACzoF,KAAKgR,QAAQ02E,cAAenkF,IAC7G,CACA/B,EAAIm8E,CACN,MAAO,GAA2B,OAAvBx4E,EAAE4gB,OAAOvkB,EAAI,EAAG,GAAa,CACtC,MAAMm8E,EAAIsM,GAAG9kF,EAAG3D,GAChBxB,KAAKurF,gBAAkB5N,EAAEyM,SAAU5oF,EAAIm8E,EAAEn8E,CAC3C,MAAO,GAA2B,OAAvB2D,EAAE4gB,OAAOvkB,EAAI,EAAG,GAAa,CACtC,MAAMm8E,EAAIzuD,GAAE/pB,EAAG,MAAO3D,EAAG,wBAA0B,EAAG+B,EAAI4B,EAAEy5D,UAAUp9D,EAAI,EAAGm8E,GAC7EvlB,EAAIp4D,KAAKgrF,oBAAoB5yB,EAAGwhB,EAAG7jD,GACnC,IAAI5vB,EAAInG,KAAKwrF,cAAcjoF,EAAGq2E,EAAE1D,QAASngD,GAAG,GAAI,GAAI,GAAI,GACnD,MAAL5vB,IAAcA,EAAI,IAAKnG,KAAKgR,QAAQg3E,cAAgBpO,EAAE/lE,IAAI7T,KAAKgR,QAAQg3E,cAAe,CAAC,CAAE,CAAChoF,KAAKgR,QAAQ02E,cAAenkF,KAAQq2E,EAAE/lE,IAAI7T,KAAKgR,QAAQ02E,aAAcvhF,GAAI3E,EAAIm8E,EAAI,CAC7K,KAAO,CACL,IAAIA,EAAIzjE,GAAE/U,EAAG3D,EAAGxB,KAAKgR,QAAQ42E,gBAAiBrkF,EAAIo6E,EAAEhe,QACpD,MAAMx5D,EAAIw3E,EAAE8N,WACZ,IAAIhqF,EAAIk8E,EAAEwN,OAAQ7yB,EAAIqlB,EAAEyN,eAAgBrtE,EAAI4/D,EAAE2N,WAC9CtrF,KAAKgR,QAAQ83E,mBAAqBvlF,EAAIvD,KAAKgR,QAAQ83E,iBAAiBvlF,IAAKq2E,GAAKxhB,GAAmB,SAAdwhB,EAAE1D,UAAuB9d,EAAIp4D,KAAKgrF,oBAAoB5yB,EAAGwhB,EAAG7jD,GAAG,IAClJ,MAAMyxC,EAAIoS,EACV,GAAIpS,IAAuD,IAAlDxnE,KAAKgR,QAAQm1E,aAAa9yE,QAAQm0D,EAAE0O,WAAoB0D,EAAI55E,KAAKkrF,cAAcxnE,MAAOqS,EAAIA,EAAE6oC,UAAU,EAAG7oC,EAAEk1D,YAAY,OAAQ1nF,IAAMy6B,EAAEk4C,UAAYngD,GAAKA,EAAI,IAAMxyB,EAAIA,GAAIvD,KAAK0rF,aAAa1rF,KAAKgR,QAAQu3E,UAAWxyD,EAAGxyB,GAAI,CAClO,IAAI8d,EAAI,GACR,GAAI5f,EAAEC,OAAS,GAAKD,EAAEwpF,YAAY,OAASxpF,EAAEC,OAAS,EACpDF,EAAIm8E,EAAE2N,gBACH,IAA8C,IAA1CtrF,KAAKgR,QAAQm1E,aAAa9yE,QAAQ9P,GACzC/B,EAAIm8E,EAAE2N,eACH,CACH,MAAMK,EAAI3rF,KAAK4rF,iBAAiBzmF,EAAGgB,EAAG4X,EAAI,GAC1C,IAAK4tE,EACH,MAAM,IAAI3jF,MAAM,qBAAqB7B,KACvC3E,EAAImqF,EAAEnqF,EAAG6f,EAAIsqE,EAAEE,UACjB,CACA,MAAM3qE,EAAI,IAAI6oE,GAAExmF,GAChBA,IAAM9B,GAAK62D,IAAMp3C,EAAE,MAAQlhB,KAAKqrF,mBAAmB5pF,EAAGs0B,EAAGxyB,IAAK8d,IAAMA,EAAIrhB,KAAKwrF,cAAcnqE,EAAG9d,EAAGwyB,GAAG,EAAIuiC,GAAG,GAAI,IAAMviC,EAAIA,EAAEhQ,OAAO,EAAGgQ,EAAEk1D,YAAY,MAAO/pE,EAAErN,IAAI7T,KAAKgR,QAAQ02E,aAAcrmE,GAAIrhB,KAAKgqF,SAASpQ,EAAG14D,EAAG6U,EACrN,KAAO,CACL,GAAIt0B,EAAEC,OAAS,GAAKD,EAAEwpF,YAAY,OAASxpF,EAAEC,OAAS,EAAG,CACnC,MAApB6B,EAAEA,EAAE7B,OAAS,IAAc6B,EAAIA,EAAEwiB,OAAO,EAAGxiB,EAAE7B,OAAS,GAAIq0B,EAAIA,EAAEhQ,OAAO,EAAGgQ,EAAEr0B,OAAS,GAAID,EAAI8B,GAAK9B,EAAIA,EAAEskB,OAAO,EAAGtkB,EAAEC,OAAS,GAAI1B,KAAKgR,QAAQ83E,mBAAqBvlF,EAAIvD,KAAKgR,QAAQ83E,iBAAiBvlF,IACrM,MAAM8d,EAAI,IAAI0oE,GAAExmF,GAChBA,IAAM9B,GAAK62D,IAAMj3C,EAAE,MAAQrhB,KAAKqrF,mBAAmB5pF,EAAGs0B,EAAGxyB,IAAKvD,KAAKgqF,SAASpQ,EAAGv4D,EAAG0U,GAAIA,EAAIA,EAAEhQ,OAAO,EAAGgQ,EAAEk1D,YAAY,KACtH,KAAO,CACL,MAAM5pE,EAAI,IAAI0oE,GAAExmF,GAChBvD,KAAKkrF,cAAc1qF,KAAKo5E,GAAIr2E,IAAM9B,GAAK62D,IAAMj3C,EAAE,MAAQrhB,KAAKqrF,mBAAmB5pF,EAAGs0B,EAAGxyB,IAAKvD,KAAKgqF,SAASpQ,EAAGv4D,EAAG0U,GAAI6jD,EAAIv4D,CACxH,CACA+2C,EAAI,GAAI52D,EAAIuc,CACd,CACF,MAEAq6C,GAAKjzD,EAAE3D,GACX,OAAOw8B,EAAEpT,KACX,EACA,SAASkhE,GAAG3mF,EAAG64B,EAAG47C,GAChB,MAAMxhB,EAAIp4D,KAAKgR,QAAQg4E,UAAUhrD,EAAEk4C,QAAS0D,EAAG57C,EAAE,QAC3C,IAANo6B,IAAyB,iBAALA,IAAkBp6B,EAAEk4C,QAAU9d,GAAIjzD,EAAE6kF,SAAShsD,GACnE,CACA,MAAM+tD,GAAK,SAAS5mF,GAClB,GAAInF,KAAKgR,QAAQ03E,gBAAiB,CAChC,IAAK,IAAI1qD,KAAKh+B,KAAKurF,gBAAiB,CAClC,MAAM3R,EAAI55E,KAAKurF,gBAAgBvtD,GAC/B74B,EAAIA,EAAE8C,QAAQ2xE,EAAEuQ,KAAMvQ,EAAEn7D,IAC1B,CACA,IAAK,IAAIuf,KAAKh+B,KAAKwqF,aAAc,CAC/B,MAAM5Q,EAAI55E,KAAKwqF,aAAaxsD,GAC5B74B,EAAIA,EAAE8C,QAAQ2xE,EAAE/tD,MAAO+tD,EAAEn7D,IAC3B,CACA,GAAIze,KAAKgR,QAAQ23E,aACf,IAAK,IAAI3qD,KAAKh+B,KAAK2oF,aAAc,CAC/B,MAAM/O,EAAI55E,KAAK2oF,aAAa3qD,GAC5B74B,EAAIA,EAAE8C,QAAQ2xE,EAAE/tD,MAAO+tD,EAAEn7D,IAC3B,CACFtZ,EAAIA,EAAE8C,QAAQjI,KAAKgsF,UAAUngE,MAAO7rB,KAAKgsF,UAAUvtE,IACrD,CACA,OAAOtZ,CACT,EACA,SAAS8mF,GAAG9mF,EAAG64B,EAAG47C,EAAGxhB,GACnB,OAAOjzD,SAAY,IAANizD,IAAiBA,EAAoC,IAAhC74D,OAAO4K,KAAK6zB,EAAEpT,OAAOlpB,aAO9C,KAP6DyD,EAAInF,KAAKwrF,cAC7ErmF,EACA64B,EAAEk4C,QACF0D,GACA,IACA57C,EAAE,OAAwC,IAAhCz+B,OAAO4K,KAAK6zB,EAAE,OAAOt8B,OAC/B02D,KACuB,KAANjzD,GAAY64B,EAAEnqB,IAAI7T,KAAKgR,QAAQ02E,aAAcviF,GAAIA,EAAI,IAAKA,CAC/E,CACA,SAAS+mF,GAAG/mF,EAAG64B,EAAG47C,GAChB,MAAMxhB,EAAI,KAAOwhB,EACjB,IAAK,MAAM7jD,KAAK5wB,EAAG,CACjB,MAAM3D,EAAI2D,EAAE4wB,GACZ,GAAIqiC,IAAM52D,GAAKw8B,IAAMx8B,EACnB,OAAO,CACX,CACA,OAAO,CACT,CA0BA,SAAS0tB,GAAE/pB,EAAG64B,EAAG47C,EAAGxhB,GAClB,MAAMriC,EAAI5wB,EAAEkO,QAAQ2qB,EAAG47C,GACvB,IAAW,IAAP7jD,EACF,MAAM,IAAI/tB,MAAMowD,GAClB,OAAOriC,EAAIiI,EAAEt8B,OAAS,CACxB,CACA,SAASwY,GAAE/U,EAAG64B,EAAG47C,EAAGxhB,EAAI,KACtB,MAAMriC,EAhCR,SAAY5wB,EAAG64B,EAAG47C,EAAI,KACpB,IAAIxhB,EAAGriC,EAAI,GACX,IAAK,IAAIv0B,EAAIw8B,EAAGx8B,EAAI2D,EAAEzD,OAAQF,IAAK,CACjC,IAAIimE,EAAItiE,EAAE3D,GACV,GAAI42D,EACFqP,IAAMrP,IAAMA,EAAI,SACb,GAAU,MAANqP,GAAmB,MAANA,EACpBrP,EAAIqP,OACD,GAAIA,IAAMmS,EAAE,GACf,KAAIA,EAAE,GAOJ,MAAO,CACL1vE,KAAM6rB,EACNlZ,MAAOrb,GART,GAAI2D,EAAE3D,EAAI,KAAOo4E,EAAE,GACjB,MAAO,CACL1vE,KAAM6rB,EACNlZ,MAAOrb,EAMV,KAEG,OAANimE,IAAcA,EAAI,KACpB1xC,GAAK0xC,CACP,CACF,CAQY0kB,CAAGhnF,EAAG64B,EAAI,EAAGo6B,GACvB,IAAKriC,EACH,OACF,IAAIv0B,EAAIu0B,EAAE7rB,KACV,MAAMu9D,EAAI1xC,EAAElZ,MAAO8gE,EAAIn8E,EAAE60B,OAAO,MAChC,IAAI9yB,EAAI/B,EAAG2E,GAAI,GACR,IAAPw3E,IAAap6E,EAAI/B,EAAEo9D,UAAU,EAAG+e,GAAIn8E,EAAIA,EAAEo9D,UAAU+e,EAAI,GAAGyO,aAC3D,MAAM3qF,EAAI8B,EACV,GAAIq2E,EAAG,CACL,MAAMthB,EAAI/0D,EAAE8P,QAAQ,MACb,IAAPilD,IAAa/0D,EAAIA,EAAEwiB,OAAOuyC,EAAI,GAAInyD,EAAI5C,IAAMwyB,EAAE7rB,KAAK6b,OAAOuyC,EAAI,GAChE,CACA,MAAO,CACLqH,QAASp8D,EACT4nF,OAAQ3pF,EACR8pF,WAAY7jB,EACZ2jB,eAAgBjlF,EAChBslF,WAAYhqF,EAEhB,CACA,SAAS4qF,GAAGlnF,EAAG64B,EAAG47C,GAChB,MAAMxhB,EAAIwhB,EACV,IAAI7jD,EAAI,EACR,KAAO6jD,EAAIz0E,EAAEzD,OAAQk4E,IACnB,GAAa,MAATz0E,EAAEy0E,GACJ,GAAiB,MAAbz0E,EAAEy0E,EAAI,GAAY,CACpB,MAAMp4E,EAAI0tB,GAAE/pB,EAAG,IAAKy0E,EAAG,GAAG57C,mBAC1B,GAAI74B,EAAEy5D,UAAUgb,EAAI,EAAGp4E,GAAG+Z,SAAWyiB,IAAMjI,IAAW,IAANA,GAC9C,MAAO,CACL81D,WAAY1mF,EAAEy5D,UAAUxG,EAAGwhB,GAC3Bp4E,KAEJo4E,EAAIp4E,CACN,MAAO,GAAiB,MAAb2D,EAAEy0E,EAAI,GACfA,EAAI1qD,GAAE/pB,EAAG,KAAMy0E,EAAI,EAAG,gCACnB,GAA2B,QAAvBz0E,EAAE4gB,OAAO6zD,EAAI,EAAG,GACvBA,EAAI1qD,GAAE/pB,EAAG,SAAOy0E,EAAI,EAAG,gCACpB,GAA2B,OAAvBz0E,EAAE4gB,OAAO6zD,EAAI,EAAG,GACvBA,EAAI1qD,GAAE/pB,EAAG,MAAOy0E,EAAG,2BAA6B,MAC7C,CACH,MAAMp4E,EAAI0Y,GAAE/U,EAAGy0E,EAAG,KAClBp4E,KAAOA,GAAKA,EAAEm+D,WAAa3hC,GAAuC,MAAlCx8B,EAAE2pF,OAAO3pF,EAAE2pF,OAAOzpF,OAAS,IAAcq0B,IAAK6jD,EAAIp4E,EAAE8pF,WACtF,CACN,CACA,SAASX,GAAExlF,EAAG64B,EAAG47C,GACf,GAAI57C,GAAiB,iBAAL74B,EAAe,CAC7B,MAAMizD,EAAIjzD,EAAEoW,OACZ,MAAa,SAAN68C,GAA0B,UAANA,GAAqBiyB,GAAGllF,EAAGy0E,EACxD,CACE,OAAOxzD,GAAGs/D,QAAQvgF,GAAKA,EAAI,EAC/B,CACA,IAAamnF,GAAK,CAAC,EAInB,SAASC,GAAGpnF,EAAG64B,EAAG47C,GAChB,IAAIxhB,EACJ,MAAMriC,EAAI,CAAC,EACX,IAAK,IAAIv0B,EAAI,EAAGA,EAAI2D,EAAEzD,OAAQF,IAAK,CACjC,MAAMimE,EAAItiE,EAAE3D,GAAIm8E,EAAI6O,GAAG/kB,GACvB,IAAIlkE,EAAI,GACR,GAAmBA,OAAT,IAANq2E,EAAmB+D,EAAQ/D,EAAI,IAAM+D,EAAGA,IAAM3/C,EAAE0pD,kBAC5C,IAANtvB,EAAeA,EAAIqP,EAAEkW,GAAKvlB,GAAK,GAAKqP,EAAEkW,OACnC,CACH,QAAU,IAANA,EACF,SACF,GAAIlW,EAAEkW,GAAI,CACR,IAAIx3E,EAAIomF,GAAG9kB,EAAEkW,GAAI3/C,EAAGz6B,GACpB,MAAM9B,EAAIgrF,GAAGtmF,EAAG63B,GAChBypC,EAAE,MAAQilB,GAAGvmF,EAAGshE,EAAE,MAAOlkE,EAAGy6B,GAA+B,IAA1Bz+B,OAAO4K,KAAKhE,GAAGzE,aAAsC,IAAtByE,EAAE63B,EAAE0pD,eAA6B1pD,EAAEwqD,qBAAyE,IAA1BjpF,OAAO4K,KAAKhE,GAAGzE,SAAiBs8B,EAAEwqD,qBAAuBriF,EAAE63B,EAAE0pD,cAAgB,GAAKvhF,EAAI,IAA9GA,EAAIA,EAAE63B,EAAE0pD,mBAAoH,IAAT3xD,EAAE4nD,IAAiB5nD,EAAEt2B,eAAek+E,IAAM/7E,MAAMoI,QAAQ+rB,EAAE4nD,MAAQ5nD,EAAE4nD,GAAK,CAAC5nD,EAAE4nD,KAAM5nD,EAAE4nD,GAAGn9E,KAAK2F,IAAM63B,EAAEh0B,QAAQ2zE,EAAGp6E,EAAG9B,GAAKs0B,EAAE4nD,GAAK,CAACx3E,GAAK4vB,EAAE4nD,GAAKx3E,CAC1X,CACF,CACF,CACA,MAAmB,iBAALiyD,EAAgBA,EAAE12D,OAAS,IAAMq0B,EAAEiI,EAAE0pD,cAAgBtvB,QAAW,IAANA,IAAiBriC,EAAEiI,EAAE0pD,cAAgBtvB,GAAIriC,CACnH,CACA,SAASy2D,GAAGrnF,GACV,MAAM64B,EAAIz+B,OAAO4K,KAAKhF,GACtB,IAAK,IAAIy0E,EAAI,EAAGA,EAAI57C,EAAEt8B,OAAQk4E,IAAK,CACjC,MAAMxhB,EAAIp6B,EAAE47C,GACZ,GAAU,OAANxhB,EACF,OAAOA,CACX,CACF,CACA,SAASs0B,GAAGvnF,EAAG64B,EAAG47C,EAAGxhB,GACnB,GAAIp6B,EAAG,CACL,MAAMjI,EAAIx2B,OAAO4K,KAAK6zB,GAAIx8B,EAAIu0B,EAAEr0B,OAChC,IAAK,IAAI+lE,EAAI,EAAGA,EAAIjmE,EAAGimE,IAAK,CAC1B,MAAMkW,EAAI5nD,EAAE0xC,GACZrP,EAAEpuD,QAAQ2zE,EAAG/D,EAAI,IAAM+D,GAAG,GAAI,GAAMx4E,EAAEw4E,GAAK,CAAC3/C,EAAE2/C,IAAMx4E,EAAEw4E,GAAK3/C,EAAE2/C,EAC/D,CACF,CACF,CACA,SAAS8O,GAAGtnF,EAAG64B,GACb,MAAQ0pD,aAAc9N,GAAM57C,EAAGo6B,EAAI74D,OAAO4K,KAAKhF,GAAGzD,OAClD,QAAgB,IAAN02D,IAAiB,IAANA,IAAYjzD,EAAEy0E,IAAqB,kBAARz0E,EAAEy0E,IAA4B,IAATz0E,EAAEy0E,IACzE,CACA0S,GAAGK,SA5CH,SAAYxnF,EAAG64B,GACb,OAAOuuD,GAAGpnF,EAAG64B,EACf,EA2CA,MAAQirD,aAAc2D,IAAO1Q,GAAG5hC,GAzUvB,MACP,WAAA5kB,CAAYsI,GACVh+B,KAAKgR,QAAUgtB,EAAGh+B,KAAK63E,YAAc,KAAM73E,KAAKkrF,cAAgB,GAAIlrF,KAAKurF,gBAAkB,CAAC,EAAGvrF,KAAKwqF,aAAe,CACjHqC,KAAM,CAAEhhE,MAAO,qBAAsBpN,IAAK,KAC1C4tE,GAAI,CAAExgE,MAAO,mBAAoBpN,IAAK,KACtCqtE,GAAI,CAAEjgE,MAAO,mBAAoBpN,IAAK,KACtCquE,KAAM,CAAEjhE,MAAO,qBAAsBpN,IAAK,MACzCze,KAAKgsF,UAAY,CAAEngE,MAAO,oBAAqBpN,IAAK,KAAOze,KAAK2oF,aAAe,CAChFoE,MAAO,CAAElhE,MAAO,iBAAkBpN,IAAK,KAMvCuuE,KAAM,CAAEnhE,MAAO,iBAAkBpN,IAAK,KACtCwuE,MAAO,CAAEphE,MAAO,kBAAmBpN,IAAK,KACxCyuE,IAAK,CAAErhE,MAAO,gBAAiBpN,IAAK,KACpC0uE,KAAM,CAAEthE,MAAO,kBAAmBpN,IAAK,KACvC2uE,UAAW,CAAEvhE,MAAO,iBAAkBpN,IAAK,KAC3C4uE,IAAK,CAAExhE,MAAO,gBAAiBpN,IAAK,KACpC6uE,IAAK,CAAEzhE,MAAO,iBAAkBpN,IAAK,MACpCze,KAAKutF,oBAAsBx1B,GAAI/3D,KAAKwtF,SAAWzC,GAAI/qF,KAAKwrF,cAAgBf,GAAIzqF,KAAK8qF,iBAAmBF,GAAI5qF,KAAKqrF,mBAAqBnjB,GAAIloE,KAAK0rF,aAAeQ,GAAIlsF,KAAK0qF,qBAAuBqB,GAAI/rF,KAAK4rF,iBAAmBS,GAAIrsF,KAAKgrF,oBAAsBiB,GAAIjsF,KAAKgqF,SAAW8B,EAC9Q,IAmTyCa,SAAUc,IAAOnB,GAAIoB,GAAKlI,EAiDrE,SAASmI,GAAGxoF,EAAG64B,EAAG47C,EAAGxhB,GACnB,IAAIriC,EAAI,GAAIv0B,GAAI,EAChB,IAAK,IAAIimE,EAAI,EAAGA,EAAItiE,EAAEzD,OAAQ+lE,IAAK,CACjC,MAAMkW,EAAIx4E,EAAEsiE,GAAIlkE,EAAIqqF,GAAGjQ,GACvB,QAAU,IAANp6E,EACF,SACF,IAAI4C,EAAI,GACR,GAAqBA,EAAJ,IAAbyzE,EAAEl4E,OAAmB6B,EAAQ,GAAGq2E,KAAKr2E,IAAKA,IAAMy6B,EAAE0pD,aAAc,CAClE,IAAIrmE,EAAIs8D,EAAEp6E,GACVsqF,GAAG1nF,EAAG63B,KAAO3c,EAAI2c,EAAEqqD,kBAAkB9kF,EAAG8d,GAAIA,EAAIysE,GAAGzsE,EAAG2c,IAAKx8B,IAAMu0B,GAAKqiC,GAAIriC,GAAK1U,EAAG7f,GAAI,EACtF,QACF,CAAO,GAAI+B,IAAMy6B,EAAEgqD,cAAe,CAChCxmF,IAAMu0B,GAAKqiC,GAAIriC,GAAK,YAAY4nD,EAAEp6E,GAAG,GAAGy6B,EAAE0pD,mBAAoBlmF,GAAI,EAClE,QACF,CAAO,GAAI+B,IAAMy6B,EAAEyqD,gBAAiB,CAClC1yD,GAAKqiC,EAAI,UAAOulB,EAAEp6E,GAAG,GAAGy6B,EAAE0pD,sBAAoBlmF,GAAI,EAClD,QACF,CAAO,GAAa,MAAT+B,EAAE,GAAY,CACvB,MAAM8d,EAAI0sE,GAAEpQ,EAAE,MAAO3/C,GAAI9c,EAAU,SAAN3d,EAAe,GAAK60D,EACjD,IAAIuzB,EAAIhO,EAAEp6E,GAAG,GAAGy6B,EAAE0pD,cAClBiE,EAAiB,IAAbA,EAAEjqF,OAAe,IAAMiqF,EAAI,GAAI51D,GAAK7U,EAAI,IAAI3d,IAAIooF,IAAItqE,MAAO7f,GAAI,EACnE,QACF,CACA,IAAIC,EAAI22D,EACF,KAAN32D,IAAaA,GAAKu8B,EAAEgwD,UACpB,MAAyBjwE,EAAIq6C,EAAI,IAAI70D,IAA3BwqF,GAAEpQ,EAAE,MAAO3/C,KAAyBwpC,EAAImmB,GAAGhQ,EAAEp6E,GAAIy6B,EAAG73B,EAAG1E,IAClC,IAA/Bu8B,EAAEmoD,aAAa9yE,QAAQ9P,GAAYy6B,EAAEiwD,qBAAuBl4D,GAAKhY,EAAI,IAAMgY,GAAKhY,EAAI,KAASypD,GAAkB,IAAbA,EAAE9lE,SAAiBs8B,EAAEkwD,kBAAoC1mB,GAAKA,EAAE2mB,SAAS,KAAOp4D,GAAKhY,EAAI,IAAIypD,IAAIpP,MAAM70D,MAAQwyB,GAAKhY,EAAI,IAAKypD,GAAW,KAANpP,IAAaoP,EAAE1+D,SAAS,OAAS0+D,EAAE1+D,SAAS,OAASitB,GAAKqiC,EAAIp6B,EAAEgwD,SAAWxmB,EAAIpP,EAAIriC,GAAKyxC,EAAGzxC,GAAK,KAAKxyB,MAA9LwyB,GAAKhY,EAAI,KAA4Lvc,GAAI,CACtV,CACA,OAAOu0B,CACT,CACA,SAAS63D,GAAGzoF,GACV,MAAM64B,EAAIz+B,OAAO4K,KAAKhF,GACtB,IAAK,IAAIy0E,EAAI,EAAGA,EAAI57C,EAAEt8B,OAAQk4E,IAAK,CACjC,MAAMxhB,EAAIp6B,EAAE47C,GACZ,GAAIz0E,EAAE1F,eAAe24D,IAAY,OAANA,EACzB,OAAOA,CACX,CACF,CACA,SAAS21B,GAAE5oF,EAAG64B,GACZ,IAAI47C,EAAI,GACR,GAAIz0E,IAAM64B,EAAE2pD,iBACV,IAAK,IAAIvvB,KAAKjzD,EAAG,CACf,IAAKA,EAAE1F,eAAe24D,GACpB,SACF,IAAIriC,EAAIiI,EAAEsqD,wBAAwBlwB,EAAGjzD,EAAEizD,IACvCriC,EAAI+3D,GAAG/3D,EAAGiI,IAAU,IAANjI,GAAYiI,EAAEowD,0BAA4BxU,GAAK,IAAIxhB,EAAEryC,OAAOiY,EAAEwpD,oBAAoB9lF,UAAYk4E,GAAK,IAAIxhB,EAAEryC,OAAOiY,EAAEwpD,oBAAoB9lF,YAAYq0B,IAClK,CACF,OAAO6jD,CACT,CACA,SAASiU,GAAG1oF,EAAG64B,GAEb,IAAI47C,GADJz0E,EAAIA,EAAE4gB,OAAO,EAAG5gB,EAAEzD,OAASs8B,EAAE0pD,aAAahmF,OAAS,IACzCqkB,OAAO5gB,EAAE8lF,YAAY,KAAO,GACtC,IAAK,IAAI7yB,KAAKp6B,EAAEuqD,UACd,GAAIvqD,EAAEuqD,UAAUnwB,KAAOjzD,GAAK64B,EAAEuqD,UAAUnwB,KAAO,KAAOwhB,EACpD,OAAO,EACX,OAAO,CACT,CACA,SAASkU,GAAG3oF,EAAG64B,GACb,GAAI74B,GAAKA,EAAEzD,OAAS,GAAKs8B,EAAE0qD,gBACzB,IAAK,IAAI9O,EAAI,EAAGA,EAAI57C,EAAEosD,SAAS1oF,OAAQk4E,IAAK,CAC1C,MAAMxhB,EAAIp6B,EAAEosD,SAASxQ,GACrBz0E,EAAIA,EAAE8C,QAAQmwD,EAAEvsC,MAAOusC,EAAE35C,IAC3B,CACF,OAAOtZ,CACT,CAEA,MAAMkpF,GAtEN,SAAYlpF,EAAG64B,GACb,IAAI47C,EAAI,GACR,OAAO57C,EAAEkrB,QAAUlrB,EAAEgwD,SAAStsF,OAAS,IAAMk4E,EAJpC,MAI6C+T,GAAGxoF,EAAG64B,EAAG,GAAI47C,EACrE,EAmEe0U,GAAK,CAClB9G,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACf9+B,QAAQ,EACR8kC,SAAU,KACVE,mBAAmB,EACnBD,sBAAsB,EACtBG,2BAA2B,EAC3B/F,kBAAmB,SAASljF,EAAG64B,GAC7B,OAAOA,CACT,EACAsqD,wBAAyB,SAASnjF,EAAG64B,GACnC,OAAOA,CACT,EACAupD,eAAe,EACfkB,iBAAiB,EACjBtC,aAAc,GACdiE,SAAU,CACR,CAAEv+D,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,SAEpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,QACpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,QACpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,UACpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,WAEtCiqE,iBAAiB,EACjBH,UAAW,GAGXgG,cAAc,GAEhB,SAASvzE,GAAE7V,GACTnF,KAAKgR,QAAUzR,OAAO2I,OAAO,CAAC,EAAGomF,GAAInpF,GAAInF,KAAKgR,QAAQ22E,kBAAoB3nF,KAAKgR,QAAQy2E,oBAAsBznF,KAAKwuF,YAAc,WAC9H,OAAO,CACT,GAAKxuF,KAAKyuF,cAAgBzuF,KAAKgR,QAAQw2E,oBAAoB9lF,OAAQ1B,KAAKwuF,YAAcE,IAAK1uF,KAAK2uF,qBAAuBC,GAAI5uF,KAAKgR,QAAQk4C,QAAUlpD,KAAK6uF,UAAYC,GAAI9uF,KAAK+uF,WAAa,MACxL/uF,KAAKgvF,QAAU,OACZhvF,KAAK6uF,UAAY,WACnB,MAAO,EACT,EAAG7uF,KAAK+uF,WAAa,IAAK/uF,KAAKgvF,QAAU,GAC3C,CA4CA,SAASJ,GAAGzpF,EAAG64B,EAAG47C,GAChB,MAAMxhB,EAAIp4D,KAAKivF,IAAI9pF,EAAGy0E,EAAI,GAC1B,YAAwC,IAAjCz0E,EAAEnF,KAAKgR,QAAQ02E,eAAsD,IAA1BnoF,OAAO4K,KAAKhF,GAAGzD,OAAe1B,KAAKkvF,iBAAiB/pF,EAAEnF,KAAKgR,QAAQ02E,cAAe1pD,EAAGo6B,EAAE+2B,QAASvV,GAAK55E,KAAKovF,gBAAgBh3B,EAAE35C,IAAKuf,EAAGo6B,EAAE+2B,QAASvV,EACnM,CAiCA,SAASkV,GAAG3pF,GACV,OAAOnF,KAAKgR,QAAQg9E,SAAS1pE,OAAOnf,EACtC,CACA,SAASupF,GAAGvpF,GACV,SAAOA,EAAE+K,WAAWlQ,KAAKgR,QAAQw2E,sBAAwBriF,IAAMnF,KAAKgR,QAAQ02E,eAAeviF,EAAE4gB,OAAO/lB,KAAKyuF,cAC3G,CApFAzzE,GAAExb,UAAUo8B,MAAQ,SAASz2B,GAC3B,OAAOnF,KAAKgR,QAAQu2E,cAAgB8G,GAAGlpF,EAAGnF,KAAKgR,UAAYpP,MAAMoI,QAAQ7E,IAAMnF,KAAKgR,QAAQq+E,eAAiBrvF,KAAKgR,QAAQq+E,cAAc3tF,OAAS,IAAMyD,EAAI,CACzJ,CAACnF,KAAKgR,QAAQq+E,eAAgBlqF,IAC5BnF,KAAKivF,IAAI9pF,EAAG,GAAGsZ,IACrB,EACAzD,GAAExb,UAAUyvF,IAAM,SAAS9pF,EAAG64B,GAC5B,IAAI47C,EAAI,GAAIxhB,EAAI,GAChB,IAAK,IAAIriC,KAAK5wB,EACZ,GAAI5F,OAAOC,UAAUC,eAAeyB,KAAKiE,EAAG4wB,GAC1C,UAAW5wB,EAAE4wB,GAAK,IAChB/1B,KAAKwuF,YAAYz4D,KAAOqiC,GAAK,SAC1B,GAAa,OAATjzD,EAAE4wB,GACT/1B,KAAKwuF,YAAYz4D,GAAKqiC,GAAK,GAAc,MAATriC,EAAE,GAAaqiC,GAAKp4D,KAAK6uF,UAAU7wD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK+uF,WAAa32B,GAAKp4D,KAAK6uF,UAAU7wD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK+uF,gBACrJ,GAAI5pF,EAAE4wB,aAActkB,KACvB2mD,GAAKp4D,KAAKkvF,iBAAiB/pF,EAAE4wB,GAAIA,EAAG,GAAIiI,QACrC,GAAmB,iBAAR74B,EAAE4wB,GAAgB,CAChC,MAAMv0B,EAAIxB,KAAKwuF,YAAYz4D,GAC3B,GAAIv0B,EACFo4E,GAAK55E,KAAKsvF,iBAAiB9tF,EAAG,GAAK2D,EAAE4wB,SAClC,GAAIA,IAAM/1B,KAAKgR,QAAQ02E,aAAc,CACxC,IAAIjgB,EAAIznE,KAAKgR,QAAQq3E,kBAAkBtyD,EAAG,GAAK5wB,EAAE4wB,IACjDqiC,GAAKp4D,KAAK0qF,qBAAqBjjB,EACjC,MACErP,GAAKp4D,KAAKkvF,iBAAiB/pF,EAAE4wB,GAAIA,EAAG,GAAIiI,EAC5C,MAAO,GAAIp8B,MAAMoI,QAAQ7E,EAAE4wB,IAAK,CAC9B,MAAMv0B,EAAI2D,EAAE4wB,GAAGr0B,OACf,IAAI+lE,EAAI,GACR,IAAK,IAAIkW,EAAI,EAAGA,EAAIn8E,EAAGm8E,IAAK,CAC1B,MAAMp6E,EAAI4B,EAAE4wB,GAAG4nD,UACRp6E,EAAI,MAAc,OAANA,EAAsB,MAATwyB,EAAE,GAAaqiC,GAAKp4D,KAAK6uF,UAAU7wD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK+uF,WAAa32B,GAAKp4D,KAAK6uF,UAAU7wD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK+uF,WAAyB,iBAALxrF,EAAgBvD,KAAKgR,QAAQu9E,aAAe9mB,GAAKznE,KAAKivF,IAAI1rF,EAAGy6B,EAAI,GAAGvf,IAAMgpD,GAAKznE,KAAK2uF,qBAAqBprF,EAAGwyB,EAAGiI,GAAKypC,GAAKznE,KAAKkvF,iBAAiB3rF,EAAGwyB,EAAG,GAAIiI,GACvU,CACAh+B,KAAKgR,QAAQu9E,eAAiB9mB,EAAIznE,KAAKovF,gBAAgB3nB,EAAG1xC,EAAG,GAAIiI,IAAKo6B,GAAKqP,CAC7E,MAAO,GAAIznE,KAAKgR,QAAQy2E,qBAAuB1xD,IAAM/1B,KAAKgR,QAAQy2E,oBAAqB,CACrF,MAAMjmF,EAAIjC,OAAO4K,KAAKhF,EAAE4wB,IAAK0xC,EAAIjmE,EAAEE,OACnC,IAAK,IAAIi8E,EAAI,EAAGA,EAAIlW,EAAGkW,IACrB/D,GAAK55E,KAAKsvF,iBAAiB9tF,EAAEm8E,GAAI,GAAKx4E,EAAE4wB,GAAGv0B,EAAEm8E,IACjD,MACEvlB,GAAKp4D,KAAK2uF,qBAAqBxpF,EAAE4wB,GAAIA,EAAGiI,GAC9C,MAAO,CAAEmxD,QAASvV,EAAGn7D,IAAK25C,EAC5B,EACAp9C,GAAExb,UAAU8vF,iBAAmB,SAASnqF,EAAG64B,GACzC,OAAOA,EAAIh+B,KAAKgR,QAAQs3E,wBAAwBnjF,EAAG,GAAK64B,GAAIA,EAAIh+B,KAAK0qF,qBAAqB1sD,GAAIh+B,KAAKgR,QAAQo9E,2BAAmC,SAANpwD,EAAe,IAAM74B,EAAI,IAAMA,EAAI,KAAO64B,EAAI,GACxL,EAKAhjB,GAAExb,UAAU4vF,gBAAkB,SAASjqF,EAAG64B,EAAG47C,EAAGxhB,GAC9C,GAAU,KAANjzD,EACF,MAAgB,MAAT64B,EAAE,GAAah+B,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAI,IAAM55E,KAAK+uF,WAAa/uF,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAI55E,KAAKwhE,SAASxjC,GAAKh+B,KAAK+uF,WAC5I,CACE,IAAIh5D,EAAI,KAAOiI,EAAIh+B,KAAK+uF,WAAYvtF,EAAI,GACxC,MAAgB,MAATw8B,EAAE,KAAex8B,EAAI,IAAKu0B,EAAI,KAAM6jD,GAAW,KAANA,IAAiC,IAApBz0E,EAAEkO,QAAQ,MAAmG,IAAjCrT,KAAKgR,QAAQy3E,iBAA0BzqD,IAAMh+B,KAAKgR,QAAQy3E,iBAAgC,IAAbjnF,EAAEE,OAAe1B,KAAK6uF,UAAUz2B,GAAK,UAAOjzD,UAASnF,KAAKgvF,QAAUhvF,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAIp4E,EAAIxB,KAAK+uF,WAAa5pF,EAAInF,KAAK6uF,UAAUz2B,GAAKriC,EAArR/1B,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAIp4E,EAAI,IAAM2D,EAAI4wB,CACvI,CACF,EACA/a,GAAExb,UAAUgiE,SAAW,SAASr8D,GAC9B,IAAI64B,EAAI,GACR,OAAiD,IAA1Ch+B,KAAKgR,QAAQm1E,aAAa9yE,QAAQlO,GAAYnF,KAAKgR,QAAQi9E,uBAAyBjwD,EAAI,KAAwCA,EAAjCh+B,KAAKgR,QAAQk9E,kBAAwB,IAAU,MAAM/oF,IAAK64B,CAClK,EACAhjB,GAAExb,UAAU0vF,iBAAmB,SAAS/pF,EAAG64B,EAAG47C,EAAGxhB,GAC/C,IAAmC,IAA/Bp4D,KAAKgR,QAAQg3E,eAAwBhqD,IAAMh+B,KAAKgR,QAAQg3E,cAC1D,OAAOhoF,KAAK6uF,UAAUz2B,GAAK,YAAYjzD,OAASnF,KAAKgvF,QACvD,IAAqC,IAAjChvF,KAAKgR,QAAQy3E,iBAA0BzqD,IAAMh+B,KAAKgR,QAAQy3E,gBAC5D,OAAOzoF,KAAK6uF,UAAUz2B,GAAK,UAAOjzD,UAASnF,KAAKgvF,QAClD,GAAa,MAAThxD,EAAE,GACJ,OAAOh+B,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAI,IAAM55E,KAAK+uF,WACtD,CACE,IAAIh5D,EAAI/1B,KAAKgR,QAAQq3E,kBAAkBrqD,EAAG74B,GAC1C,OAAO4wB,EAAI/1B,KAAK0qF,qBAAqB30D,GAAU,KAANA,EAAW/1B,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAI55E,KAAKwhE,SAASxjC,GAAKh+B,KAAK+uF,WAAa/uF,KAAK6uF,UAAUz2B,GAAK,IAAMp6B,EAAI47C,EAAI,IAAM7jD,EAAI,KAAOiI,EAAIh+B,KAAK+uF,UACzL,CACF,EACA/zE,GAAExb,UAAUkrF,qBAAuB,SAASvlF,GAC1C,GAAIA,GAAKA,EAAEzD,OAAS,GAAK1B,KAAKgR,QAAQ03E,gBACpC,IAAK,IAAI1qD,EAAI,EAAGA,EAAIh+B,KAAKgR,QAAQo5E,SAAS1oF,OAAQs8B,IAAK,CACrD,MAAM47C,EAAI55E,KAAKgR,QAAQo5E,SAASpsD,GAChC74B,EAAIA,EAAE8C,QAAQ2xE,EAAE/tD,MAAO+tD,EAAEn7D,IAC3B,CACF,OAAOtZ,CACT,EASA,IAAIoqF,GAAI,CACNC,UArPO,MACP,WAAA95D,CAAYsI,GACVh+B,KAAKyvF,iBAAmB,CAAC,EAAGzvF,KAAKgR,QAAU47E,GAAG5uD,EAChD,CAMA,KAAAzxB,CAAMyxB,EAAG47C,GACP,GAAgB,iBAAL57C,EACT,KAAIA,EAAEx6B,SAGJ,MAAM,IAAIwE,MAAM,mDAFhBg2B,EAAIA,EAAEx6B,UAE4D,CACtE,GAAIo2E,EAAG,EACC,IAANA,IAAaA,EAAI,CAAC,GAClB,MAAMp4E,EAAIksF,GAAGlH,SAASxoD,EAAG47C,GACzB,IAAU,IAANp4E,EACF,MAAMwG,MAAM,GAAGxG,EAAE0c,IAAIyW,OAAOnzB,EAAE0c,IAAIkgD,QAAQ58D,EAAE0c,IAAI6oE,MACpD,CACA,MAAM3uB,EAAI,IAAI9d,GAAGt6C,KAAKgR,SACtBonD,EAAEm1B,oBAAoBvtF,KAAKyvF,kBAC3B,MAAM15D,EAAIqiC,EAAEo1B,SAASxvD,GACrB,OAAOh+B,KAAKgR,QAAQu2E,oBAAuB,IAANxxD,EAAeA,EAAI03D,GAAG13D,EAAG/1B,KAAKgR,QACrE,CAMA,SAAA0+E,CAAU1xD,EAAG47C,GACX,IAAwB,IAApBA,EAAEvmE,QAAQ,KACZ,MAAM,IAAIrL,MAAM,+BAClB,IAAwB,IAApBg2B,EAAE3qB,QAAQ,OAAmC,IAApB2qB,EAAE3qB,QAAQ,KACrC,MAAM,IAAIrL,MAAM,wEAClB,GAAU,MAAN4xE,EACF,MAAM,IAAI5xE,MAAM,6CAClBhI,KAAKyvF,iBAAiBzxD,GAAK47C,CAC7B,GA+MA+V,aAHSnK,EAIToK,WALO50E,IA0CT,MAAM60E,GACJC,MACA,WAAAp6D,CAAYsI,GACV+xD,GAAG/xD,GAAIh+B,KAAK8vF,MAAQ9xD,CACtB,CACA,MAAIp0B,GACF,OAAO5J,KAAK8vF,MAAMlmF,EACpB,CACA,QAAI5I,GACF,OAAOhB,KAAK8vF,MAAM9uF,IACpB,CACA,WAAI0qD,GACF,OAAO1rD,KAAK8vF,MAAMpkC,OACpB,CACA,cAAI6J,GACF,OAAOv1D,KAAK8vF,MAAMv6B,UACpB,CACA,gBAAIC,GACF,OAAOx1D,KAAK8vF,MAAMt6B,YACpB,CACA,eAAI9jB,GACF,OAAO1xC,KAAK8vF,MAAMp+C,WACpB,CACA,QAAI9lC,GACF,OAAO5L,KAAK8vF,MAAMlkF,IACpB,CACA,QAAIA,CAAKoyB,GACPh+B,KAAK8vF,MAAMlkF,KAAOoyB,CACpB,CACA,SAAIsF,GACF,OAAOtjC,KAAK8vF,MAAMxsD,KACpB,CACA,SAAIA,CAAMtF,GACRh+B,KAAK8vF,MAAMxsD,MAAQtF,CACrB,CACA,UAAI5e,GACF,OAAOpf,KAAK8vF,MAAM1wE,MACpB,CACA,UAAIA,CAAO4e,GACTh+B,KAAK8vF,MAAM1wE,OAAS4e,CACtB,CACA,WAAIuqB,GACF,OAAOvoD,KAAK8vF,MAAMvnC,OACpB,CACA,aAAIynC,GACF,OAAOhwF,KAAK8vF,MAAME,SACpB,CACA,UAAIrwE,GACF,OAAO3f,KAAK8vF,MAAMnwE,MACpB,CACA,UAAIglB,GACF,OAAO3kC,KAAK8vF,MAAMnrD,MACpB,CACA,YAAIP,GACF,OAAOpkC,KAAK8vF,MAAM1rD,QACpB,CACA,YAAIA,CAASpG,GACXh+B,KAAK8vF,MAAM1rD,SAAWpG,CACxB,CACA,kBAAImsB,GACF,OAAOnqD,KAAK8vF,MAAM3lC,cACpB,EAEF,MAAM4lC,GAAK,SAAS5qF,GAClB,IAAKA,EAAEyE,IAAqB,iBAARzE,EAAEyE,GACpB,MAAM,IAAI5B,MAAM,4CAClB,IAAK7C,EAAEnE,MAAyB,iBAAVmE,EAAEnE,KACtB,MAAM,IAAIgH,MAAM,8CAClB,GAAI7C,EAAEojD,SAAWpjD,EAAEojD,QAAQ7mD,OAAS,KAAOyD,EAAEumD,SAA+B,iBAAbvmD,EAAEumD,SAC/D,MAAM,IAAI1jD,MAAM,qEAClB,IAAK7C,EAAEusC,aAAuC,mBAAjBvsC,EAAEusC,YAC7B,MAAM,IAAI1pC,MAAM,uDAClB,IAAK7C,EAAEyG,MAAyB,iBAAVzG,EAAEyG,OA3G1B,SAAYzG,GACV,GAAgB,iBAALA,EACT,MAAM,IAAI/E,UAAU,uCAAuC+E,OAC7D,GAA+B,KAA3BA,EAAIA,EAAEoW,QAAU7Z,SAA+C,IAA/B6tF,GAAEI,aAAanJ,SAASrhF,GAC1D,OAAO,EACT,IAAI64B,EACJ,MAAM47C,EAAI,IAAI2V,GAAEC,UAChB,IACExxD,EAAI47C,EAAErtE,MAAMpH,EACd,CAAE,MACA,OAAO,CACT,CACA,SAAU64B,KAAO,QAASA,GAC5B,CA8F+CiyD,CAAG9qF,EAAEyG,MAChD,MAAM,IAAI5D,MAAM,wDAClB,KAAM,UAAW7C,IAAwB,iBAAXA,EAAEm+B,MAC9B,MAAM,IAAIt7B,MAAM,+CAClB,GAAI7C,EAAEojD,SAAWpjD,EAAEojD,QAAQl6C,SAAS2vB,IAClC,KAAMA,aAAaqnD,GACjB,MAAM,IAAIr9E,MAAM,gEAAgE,IAChF7C,EAAE6qF,WAAmC,mBAAf7qF,EAAE6qF,UAC1B,MAAM,IAAIhoF,MAAM,qCAClB,GAAI7C,EAAEwa,QAA6B,iBAAZxa,EAAEwa,OACvB,MAAM,IAAI3X,MAAM,gCAClB,GAAI,WAAY7C,GAAwB,kBAAZA,EAAEw/B,OAC5B,MAAM,IAAI38B,MAAM,iCAClB,GAAI,aAAc7C,GAA0B,kBAAdA,EAAEi/B,SAC9B,MAAM,IAAIp8B,MAAM,mCAClB,GAAI7C,EAAEglD,gBAA6C,iBAApBhlD,EAAEglD,eAC/B,MAAM,IAAIniD,MAAM,wCAClB,OAAO,CACT,EA2BGkoF,GAAK,SAAS/qF,GACf,cA/gEcvB,OAAOusF,gBAAkB,MAAQvsF,OAAOusF,gBAAkB,IAAItO,EAAMv8D,EAAEqe,MAAM,4BAA6B//B,OAAOusF,iBA+gEnHriD,WAAW3oC,GAAG4V,MAAK,CAAC6+D,EAAGxhB,SAAkB,IAAZwhB,EAAEt2C,YAAgC,IAAZ80B,EAAE90B,OAAoBs2C,EAAEt2C,QAAU80B,EAAE90B,MAAQs2C,EAAEt2C,MAAQ80B,EAAE90B,MAAQs2C,EAAElwC,YAAYxE,cAAckzB,EAAE1uB,iBAAa,EAAQ,CAAE0mD,SAAS,EAAIC,YAAa,UAC/M,8PCjmEIr/E,EAAU,CAAC,EAEfA,EAAQsuB,kBAAoB,IAC5BtuB,EAAQuuB,cAAgB,IAElBvuB,EAAQwuB,OAAS,SAAc,KAAM,QAE3CxuB,EAAQyuB,OAAS,IACjBzuB,EAAQ0uB,mBAAqB,IAEhB,IAAI,IAAS1uB,GAKJ,KAAW,IAAQ2uB,QAAS,IAAQA,6EC1BnD,MAAM2wD,UAAoBtoF,MAChC,WAAA0tB,CAAYhB,GACXuY,MAAMvY,GAAU,wBAChB10B,KAAKgB,KAAO,aACb,CAEA,cAAIq5D,GACH,OAAO,CACR,EAGD,MAAMk2B,EAAehxF,OAAOkgB,OAAO,CAClCwS,QAAS5uB,OAAO,WAChBmtF,SAAUntF,OAAO,YACjBoxB,SAAUpxB,OAAO,YACjBotF,SAAUptF,OAAO,cAGH,MAAMqtF,EACpB,SAAO7wF,CAAG8wF,GACT,MAAO,IAAIh0D,IAAe,IAAI+zD,GAAY,CAAC3jF,EAASC,EAAQ+kC,KAC3DpV,EAAWn8B,KAAKuxC,GAChB4+C,KAAgBh0D,GAAYtnB,KAAKtI,EAASC,EAAO,GAEnD,CAEA,GAAkB,GAClB,IAAkB,EAClB,GAASujF,EAAat+D,QACtB,GACA,GAEA,WAAAyD,CAAYwkC,GACXl6D,MAAK,EAAW,IAAI8M,SAAQ,CAACC,EAASC,KACrChN,MAAK,EAAUgN,EAEf,MAcM+kC,EAAW5oB,IAChB,GAAInpB,MAAK,IAAWuwF,EAAat+D,QAChC,MAAM,IAAIjqB,MAAM,2DAA2DhI,MAAK,EAAO4wF,gBAGxF5wF,MAAK,EAAgBQ,KAAK2oB,EAAQ,EAGnC5pB,OAAO24B,iBAAiB6Z,EAAU,CACjC8+C,aAAc,CACbljF,IAAK,IAAM3N,MAAK,EAChBgQ,IAAK8gF,IACJ9wF,MAAK,EAAkB8wF,CAAO,KAKjC52B,GA/BkB9wD,IACbpJ,MAAK,IAAWuwF,EAAaC,UAAaz+C,EAAS8+C,eACtD9jF,EAAQ3D,GACRpJ,MAAK,EAAUuwF,EAAa97D,UAC7B,IAGgBzvB,IACZhF,MAAK,IAAWuwF,EAAaC,UAAaz+C,EAAS8+C,eACtD7jF,EAAOhI,GACPhF,MAAK,EAAUuwF,EAAaE,UAC7B,GAoB6B1+C,EAAS,GAEzC,CAGA,IAAA18B,CAAK07E,EAAaC,GACjB,OAAOhxF,MAAK,EAASqV,KAAK07E,EAAaC,EACxC,CAEA,MAAMA,GACL,OAAOhxF,MAAK,EAAS2V,MAAMq7E,EAC5B,CAEA,QAAQC,GACP,OAAOjxF,MAAK,EAAS+6D,QAAQk2B,EAC9B,CAEA,MAAAn0D,CAAOpI,GACN,GAAI10B,MAAK,IAAWuwF,EAAat+D,QAAjC,CAMA,GAFAjyB,MAAK,EAAUuwF,EAAaC,UAExBxwF,MAAK,EAAgB0B,OAAS,EACjC,IACC,IAAK,MAAMynB,KAAWnpB,MAAK,EAC1BmpB,GAEF,CAAE,MAAOnkB,GAER,YADAhF,MAAK,EAAQgF,EAEd,CAGGhF,MAAK,GACRA,MAAK,EAAQ,IAAIswF,EAAY57D,GAhB9B,CAkBD,CAEA,cAAI2lC,GACH,OAAOr6D,MAAK,IAAWuwF,EAAaC,QACrC,CAEA,GAAUvnF,GACLjJ,MAAK,IAAWuwF,EAAat+D,UAChCjyB,MAAK,EAASiJ,EAEhB,EAGD1J,OAAOw3D,eAAe25B,EAAYlxF,UAAWsN,QAAQtN,yBCtH9C,MAAM0xF,UAAqBlpF,MACjC,WAAA0tB,CAAYrtB,GACX4kC,MAAM5kC,GACNrI,KAAKgB,KAAO,cACb,EAOM,MAAMmwF,UAAmBnpF,MAC/B,WAAA0tB,CAAYrtB,GACX4kC,QACAjtC,KAAKgB,KAAO,aACZhB,KAAKqI,QAAUA,CAChB,EAMD,MAAM+oF,EAAkBC,QAA4C7uF,IAA5B0B,WAAWotF,aAChD,IAAIH,EAAWE,GACf,IAAIC,aAAaD,GAKdE,EAAmBp/C,IACxB,MAAMzd,OAA2BlyB,IAAlB2vC,EAAOzd,OACnB08D,EAAgB,+BAChBj/C,EAAOzd,OAEV,OAAOA,aAAkB1sB,MAAQ0sB,EAAS08D,EAAgB18D,EAAO,ECjCnD,MAAM88D,EACjB,GAAS,GACT,OAAAC,CAAQ17E,EAAK/E,GAKT,MAAMm3B,EAAU,CACZupD,UALJ1gF,EAAU,CACN0gF,SAAU,KACP1gF,IAGe0gF,SAClB37E,OAEJ,GAAI/V,KAAK0P,MAAQ1P,MAAK,EAAOA,KAAK0P,KAAO,GAAGgiF,UAAY1gF,EAAQ0gF,SAE5D,YADA1xF,MAAK,EAAOQ,KAAK2nC,GAGrB,MAAMtrB,ECdC,SAAoB80E,EAAOvoF,EAAOwoF,GAC7C,IAAIC,EAAQ,EACR7gB,EAAQ2gB,EAAMjwF,OAClB,KAAOsvE,EAAQ,GAAG,CACd,MAAMx/C,EAAOqC,KAAKi+D,MAAM9gB,EAAQ,GAChC,IAAIjZ,EAAK85B,EAAQrgE,EDS+BrrB,ECRjCwrF,EAAM55B,GAAK3uD,EDQiCsoF,SAAWvrF,EAAEurF,UCRpC,GAChCG,IAAU95B,EACViZ,GAASx/C,EAAO,GAGhBw/C,EAAQx/C,CAEhB,CDCmD,IAACrrB,ECApD,OAAO0rF,CACX,CDDsBE,CAAW/xF,MAAK,EAAQmoC,GACtCnoC,MAAK,EAAOsT,OAAOuJ,EAAO,EAAGsrB,EACjC,CACA,OAAA6pD,GACI,MAAM5kF,EAAOpN,MAAK,EAAOwe,QACzB,OAAOpR,GAAM2I,GACjB,CACA,MAAA9G,CAAO+B,GACH,OAAOhR,MAAK,EAAOiP,QAAQk5B,GAAYA,EAAQupD,WAAa1gF,EAAQ0gF,WAAUxiF,KAAKi5B,GAAYA,EAAQpyB,KAC3G,CACA,QAAIrG,GACA,OAAO1P,MAAK,EAAO0B,MACvB,EEtBW,MAAM0tC,UAAe,EAChC,GACA,GACA,GAAiB,EACjB,GACA,GACA,GAAe,EACf,GACA,GACA,GACA,GACA,GAAW,EAEX,GACA,GACA,GAMA45B,QAEA,WAAAtzC,CAAY1kB,GAYR,GAXAi8B,UAWqC,iBATrCj8B,EAAU,CACNihF,2BAA2B,EAC3BC,YAAaj3E,OAAOk3E,kBACpBC,SAAU,EACV/iD,YAAap0B,OAAOk3E,kBACpBE,WAAW,EACXC,WAAYd,KACTxgF,IAEckhF,aAA4BlhF,EAAQkhF,aAAe,GACpE,MAAM,IAAI9xF,UAAU,gEAAgE4Q,EAAQkhF,aAAa1uF,YAAc,gBAAgBwN,EAAQkhF,gBAEnJ,QAAyB1vF,IAArBwO,EAAQohF,YAA4Bn3E,OAAOwqD,SAASz0D,EAAQohF,WAAaphF,EAAQohF,UAAY,GAC7F,MAAM,IAAIhyF,UAAU,2DAA2D4Q,EAAQohF,UAAU5uF,YAAc,gBAAgBwN,EAAQohF,aAE3IpyF,MAAK,EAA6BgR,EAAQihF,0BAC1CjyF,MAAK,EAAqBgR,EAAQkhF,cAAgBj3E,OAAOk3E,mBAA0C,IAArBnhF,EAAQohF,SACtFpyF,MAAK,EAAegR,EAAQkhF,YAC5BlyF,MAAK,EAAYgR,EAAQohF,SACzBpyF,MAAK,EAAS,IAAIgR,EAAQshF,WAC1BtyF,MAAK,EAAcgR,EAAQshF,WAC3BtyF,KAAKqvC,YAAcr+B,EAAQq+B,YAC3BrvC,KAAKgpE,QAAUh4D,EAAQg4D,QACvBhpE,MAAK,GAA6C,IAA3BgR,EAAQuhF,eAC/BvyF,MAAK,GAAkC,IAAtBgR,EAAQqhF,SAC7B,CACA,KAAI,GACA,OAAOryF,MAAK,GAAsBA,MAAK,EAAiBA,MAAK,CACjE,CACA,KAAI,GACA,OAAOA,MAAK,EAAWA,MAAK,CAChC,CACA,KACIA,MAAK,IACLA,MAAK,IACLA,KAAK8B,KAAK,OACd,CACA,KACI9B,MAAK,IACLA,MAAK,IACLA,MAAK,OAAawC,CACtB,CACA,KAAI,GACA,MAAMgJ,EAAMiG,KAAKjG,MACjB,QAAyBhJ,IAArBxC,MAAK,EAA2B,CAChC,MAAM87B,EAAQ97B,MAAK,EAAewL,EAClC,KAAIswB,EAAQ,GAYR,YALwBt5B,IAApBxC,MAAK,IACLA,MAAK,EAAa4G,YAAW,KACzB5G,MAAK,GAAmB,GACzB87B,KAEA,EATP97B,MAAK,EAAkBA,MAA+B,EAAIA,MAAK,EAAW,CAWlF,CACA,OAAO,CACX,CACA,KACI,GAAyB,IAArBA,MAAK,EAAO0P,KAWZ,OARI1P,MAAK,GACL+oE,cAAc/oE,MAAK,GAEvBA,MAAK,OAAcwC,EACnBxC,KAAK8B,KAAK,SACY,IAAlB9B,MAAK,GACLA,KAAK8B,KAAK,SAEP,EAEX,IAAK9B,MAAK,EAAW,CACjB,MAAMwyF,GAAyBxyF,MAAK,EACpC,GAAIA,MAAK,GAA6BA,MAAK,EAA6B,CACpE,MAAMyyF,EAAMzyF,MAAK,EAAOgyF,UACxB,QAAKS,IAGLzyF,KAAK8B,KAAK,UACV2wF,IACID,GACAxyF,MAAK,KAEF,EACX,CACJ,CACA,OAAO,CACX,CACA,KACQA,MAAK,QAA2CwC,IAArBxC,MAAK,IAGpCA,MAAK,EAAcm+B,aAAY,KAC3Bn+B,MAAK,GAAa,GACnBA,MAAK,GACRA,MAAK,EAAeyR,KAAKjG,MAAQxL,MAAK,EAC1C,CACA,KACgC,IAAxBA,MAAK,GAA0C,IAAlBA,MAAK,GAAkBA,MAAK,IACzD+oE,cAAc/oE,MAAK,GACnBA,MAAK,OAAcwC,GAEvBxC,MAAK,EAAiBA,MAAK,EAA6BA,MAAK,EAAW,EACxEA,MAAK,GACT,CAIA,KAEI,KAAOA,MAAK,MAChB,CACA,eAAIqvC,GACA,OAAOrvC,MAAK,CAChB,CACA,eAAIqvC,CAAYqjD,GACZ,KAAgC,iBAAnBA,GAA+BA,GAAkB,GAC1D,MAAM,IAAItyF,UAAU,gEAAgEsyF,eAA4BA,MAEpH1yF,MAAK,EAAe0yF,EACpB1yF,MAAK,GACT,CACA,OAAM,CAAcmyC,GAChB,OAAO,IAAIrlC,SAAQ,CAAC6lF,EAAU3lF,KAC1BmlC,EAAO/jB,iBAAiB,SAAS,KAC7BphB,EAAOmlC,EAAOzd,OAAO,GACtB,CAAE30B,MAAM,GAAO,GAE1B,CACA,SAAM8T,CAAI++E,EAAW5hF,EAAU,CAAC,GAM5B,OALAA,EAAU,CACNg4D,QAAShpE,KAAKgpE,QACdupB,eAAgBvyF,MAAK,KAClBgR,GAEA,IAAIlE,SAAQ,CAACC,EAASC,KACzBhN,MAAK,EAAOyxF,SAAQzlF,UAChBhM,MAAK,IACLA,MAAK,IACL,IACIgR,EAAQmhC,QAAQ0gD,iBAChB,IAAItoF,EAAYqoF,EAAU,CAAEzgD,OAAQnhC,EAAQmhC,SACxCnhC,EAAQg4D,UACRz+D,EHhJT,SAAkBwnD,EAAS/gD,GACzC,MAAM,aACL8hF,EAAY,SACZv8D,EAAQ,QACRluB,EAAO,aACP0qF,EAAe,CAACnsF,WAAY41B,eACzBxrB,EAEJ,IAAIgiF,EAEJ,MA0DMC,EA1DiB,IAAInmF,SAAQ,CAACC,EAASC,KAC5C,GAA4B,iBAAjB8lF,GAAyD,IAA5Bj/D,KAAKq/D,KAAKJ,GACjD,MAAM,IAAI1yF,UAAU,4DAA4D0yF,OAGjF,GAAI9hF,EAAQmhC,OAAQ,CACnB,MAAM,OAACA,GAAUnhC,EACbmhC,EAAOxhB,SACV3jB,EAAOukF,EAAiBp/C,IAGzBA,EAAO/jB,iBAAiB,SAAS,KAChCphB,EAAOukF,EAAiBp/C,GAAQ,GAElC,CAEA,GAAI2gD,IAAiB73E,OAAOk3E,kBAE3B,YADApgC,EAAQ18C,KAAKtI,EAASC,GAKvB,MAAMmmF,EAAe,IAAIjC,EAEzB8B,EAAQD,EAAansF,WAAW1F,UAAKsB,GAAW,KAC/C,GAAI+zB,EACH,IACCxpB,EAAQwpB,IACT,CAAE,MAAOvxB,GACRgI,EAAOhI,EACR,KAK6B,mBAAnB+sD,EAAQj1B,QAClBi1B,EAAQj1B,UAGO,IAAZz0B,EACH0E,IACU1E,aAAmBL,MAC7BgF,EAAO3E,IAEP8qF,EAAa9qF,QAAUA,GAAW,2BAA2ByqF,iBAC7D9lF,EAAOmmF,GACR,GACEL,GAEH,WACC,IACC/lF,QAAcglD,EACf,CAAE,MAAO/sD,GACRgI,EAAOhI,EACR,CACA,EAND,EAMI,IAGoC+1D,SAAQ,KAChDk4B,EAAkBp2D,OAAO,IAQ1B,OALAo2D,EAAkBp2D,MAAQ,KACzBk2D,EAAav2D,aAAat7B,UAAKsB,EAAWwwF,GAC1CA,OAAQxwF,CAAS,EAGXywF,CACR,CGkEoCG,CAAStmF,QAAQC,QAAQxC,GAAY,CAAEuoF,aAAc9hF,EAAQg4D,WAEzEh4D,EAAQmhC,SACR5nC,EAAYuC,QAAQ6uD,KAAK,CAACpxD,EAAWvK,MAAK,EAAcgR,EAAQmhC,WAEpE,MAAMpqC,QAAewC,EACrBwC,EAAQhF,GACR/H,KAAK8B,KAAK,YAAaiG,EAC3B,CACA,MAAO/C,GACH,GAAIA,aAAiBksF,IAAiBlgF,EAAQuhF,eAE1C,YADAxlF,IAGJC,EAAOhI,GACPhF,KAAK8B,KAAK,QAASkD,EACvB,CACA,QACIhF,MAAK,GACT,IACDgR,GACHhR,KAAK8B,KAAK,OACV9B,MAAK,GAAoB,GAEjC,CACA,YAAMqzF,CAAOC,EAAWtiF,GACpB,OAAOlE,QAAQ6gC,IAAI2lD,EAAUpkF,KAAIlD,MAAO4mF,GAAc5yF,KAAK6T,IAAI++E,EAAW5hF,KAC9E,CAIA,KAAA6lC,GACI,OAAK72C,MAAK,GAGVA,MAAK,GAAY,EACjBA,MAAK,IACEA,MAJIA,IAKf,CAIA,KAAA42C,GACI52C,MAAK,GAAY,CACrB,CAIA,KAAA68B,GACI78B,MAAK,EAAS,IAAIA,MAAK,CAC3B,CAMA,aAAMuzF,GAEuB,IAArBvzF,MAAK,EAAO0P,YAGV1P,MAAK,EAAS,QACxB,CAQA,oBAAMwzF,CAAeC,GAEbzzF,MAAK,EAAO0P,KAAO+jF,SAGjBzzF,MAAK,EAAS,QAAQ,IAAMA,MAAK,EAAO0P,KAAO+jF,GACzD,CAMA,YAAMC,GAEoB,IAAlB1zF,MAAK,GAAuC,IAArBA,MAAK,EAAO0P,YAGjC1P,MAAK,EAAS,OACxB,CACA,OAAM,CAASG,EAAO8O,GAClB,OAAO,IAAInC,SAAQC,IACf,MAAM1M,EAAW,KACT4O,IAAWA,MAGfjP,KAAK6C,IAAI1C,EAAOE,GAChB0M,IAAS,EAEb/M,KAAK2C,GAAGxC,EAAOE,EAAS,GAEhC,CAIA,QAAIqP,GACA,OAAO1P,MAAK,EAAO0P,IACvB,CAMA,MAAAikF,CAAO3iF,GAEH,OAAOhR,MAAK,EAAOiP,OAAO+B,GAAStP,MACvC,CAIA,WAAIuwB,GACA,OAAOjyB,MAAK,CAChB,CAIA,YAAI4zF,GACA,OAAO5zF,MAAK,CAChB,kHCjSJ,MAAM6zF,EAAI7nF,eAAe7G,EAAGizD,EAAGp6B,EAAGjI,EAAI,SACnCv0B,OAAI,EAAQ+B,EAAI,CAAC,GAClB,IAAI9B,EACJ,OAA2BA,EAApB22D,aAAanxD,KAAWmxD,QAAcA,IAAK52D,IAAM+B,EAAEwhD,YAAcvjD,GAAI+B,EAAE,kBAAoBA,EAAE,gBAAkB,kCAAmC,IAAEstC,QAAQ,CACjKD,OAAQ,MACRvsC,IAAKc,EACL+E,KAAMzI,EACN0wC,OAAQnU,EACR81D,iBAAkB/9D,EAClBua,QAAS/sC,GAEb,EAAGwwF,EAAI,SAAS5uF,EAAGizD,EAAGp6B,GACpB,OAAa,IAANo6B,GAAWjzD,EAAEuK,MAAQsuB,EAAIlxB,QAAQC,QAAQ,IAAI9F,KAAK,CAAC9B,GAAI,CAAE6B,KAAM7B,EAAE6B,MAAQ,8BAAiC8F,QAAQC,QAAQ,IAAI9F,KAAK,CAAC9B,EAAEhE,MAAMi3D,EAAGA,EAAIp6B,IAAK,CAAEh3B,KAAM,6BACzK,EAOGkT,EAAI,SAAS/U,OAAI,GAClB,MAAMizD,EAAIx0D,OAAOigD,IAAImwC,WAAW9mF,OAAO+mF,eACvC,GAAI77B,GAAK,EACP,OAAO,EACT,IAAKn9C,OAAOm9C,GACV,OAAO,SACT,MAAMp6B,EAAInK,KAAKD,IAAI3Y,OAAOm9C,GAAI,SAC9B,YAAa,IAANjzD,EAAe64B,EAAInK,KAAKD,IAAIoK,EAAGnK,KAAKw4B,KAAKlnD,EAAI,KACtD,EACA,IAAI4Y,EAAoB,CAAE5Y,IAAOA,EAAEA,EAAE+uF,YAAc,GAAK,cAAe/uF,EAAEA,EAAEgvF,UAAY,GAAK,YAAahvF,EAAEA,EAAEivF,WAAa,GAAK,aAAcjvF,EAAEA,EAAEkvF,SAAW,GAAK,WAAYlvF,EAAEA,EAAEmvF,UAAY,GAAK,YAAanvF,EAAEA,EAAE2rD,OAAS,GAAK,SAAU3rD,GAAnN,CAAuN4Y,GAAK,CAAC,GACrP,IAAIkgD,EAAK,MACPs2B,QACAC,MACAC,WACAC,QACAC,MACAC,UAAY,EACZC,WAAa,EACbC,QAAU,EACVC,YACAC,UAAY,KACZ,WAAAt/D,CAAY0iC,EAAGp6B,GAAI,EAAIjI,EAAGv0B,GACxB,MAAM+B,EAAIswB,KAAKiM,IAAI5lB,IAAM,EAAI2Z,KAAKw4B,KAAKt2B,EAAI7b,KAAO,EAAG,KACrDla,KAAKu0F,QAAUn8B,EAAGp4D,KAAKy0F,WAAaz2D,GAAK9jB,IAAM,GAAK3W,EAAI,EAAGvD,KAAK00F,QAAU10F,KAAKy0F,WAAalxF,EAAI,EAAGvD,KAAK20F,MAAQ5+D,EAAG/1B,KAAKw0F,MAAQhzF,EAAGxB,KAAK+0F,YAAc,IAAInjD,eAC5J,CACA,UAAIztB,GACF,OAAOnkB,KAAKu0F,OACd,CACA,QAAIpnF,GACF,OAAOnN,KAAKw0F,KACd,CACA,aAAIS,GACF,OAAOj1F,KAAKy0F,UACd,CACA,UAAIxuD,GACF,OAAOjmC,KAAK00F,OACd,CACA,QAAIhlF,GACF,OAAO1P,KAAK20F,KACd,CACA,aAAIO,GACF,OAAOl1F,KAAK60F,UACd,CACA,YAAIhwF,CAASuzD,GACXp4D,KAAKg1F,UAAY58B,CACnB,CACA,YAAIvzD,GACF,OAAO7E,KAAKg1F,SACd,CACA,YAAIG,GACF,OAAOn1F,KAAK40F,SACd,CAIA,YAAIO,CAAS/8B,GACX,GAAIA,GAAKp4D,KAAK20F,MAEZ,OADA30F,KAAK80F,QAAU90F,KAAKy0F,WAAa,EAAI,OAAGz0F,KAAK40F,UAAY50F,KAAK20F,OAGhE30F,KAAK80F,QAAU,EAAG90F,KAAK40F,UAAYx8B,EAAuB,IAApBp4D,KAAK60F,aAAqB70F,KAAK60F,YAAa,IAAqBpjF,MAAQq1B,UACjH,CACA,UAAI1hC,GACF,OAAOpF,KAAK80F,OACd,CAIA,UAAI1vF,CAAOgzD,GACTp4D,KAAK80F,QAAU18B,CACjB,CAIA,UAAIjmB,GACF,OAAOnyC,KAAK+0F,YAAY5iD,MAC1B,CAIA,MAAArV,GACE98B,KAAK+0F,YAAYthE,QAASzzB,KAAK80F,QAAU,CAC3C,GAuBF,MAA8GttB,EAAtF,QAAZriE,GAAyG,YAAtF,UAAIu2B,OAAO,YAAYE,SAAU,UAAIF,OAAO,YAAYkmD,OAAOz8E,EAAEs8B,KAAK7F,QAA1F,IAACz2B,EACRiwF,EAAoB,CAAEjwF,IAAOA,EAAEA,EAAEkwF,KAAO,GAAK,OAAQlwF,EAAEA,EAAEgvF,UAAY,GAAK,YAAahvF,EAAEA,EAAEmwF,OAAS,GAAK,SAAUnwF,GAA/F,CAAmGiwF,GAAK,CAAC,GACjI,MAAMrS,EAEJwS,mBACAC,UAEAC,aAAe,GACfC,UAAY,IAAI,EAAE,CAAErmD,YAAa,IACjCsmD,WAAa,EACbC,eAAiB,EACjBC,aAAe,EACfC,WAAa,GAOb,WAAApgE,CAAY0iC,GAAI,EAAIp6B,GAClB,GAAIh+B,KAAKw1F,UAAYp9B,GAAIp6B,EAAG,CAC1B,MAAMjI,GAAI,WAAK0L,IAAKjgC,GAAI,QAAE,aAAau0B,KACvC,IAAKA,EACH,MAAM,IAAI/tB,MAAM,yBAClBg2B,EAAI,IAAI,KAAE,CACRp0B,GAAI,EACJsnC,MAAOnb,EACPkU,YAAa,KAAEuF,IACfxF,KAAM,UAAUjU,IAChB5R,OAAQ3iB,GAEZ,CACAxB,KAAK4uC,YAAc5Q,EAAGwpC,EAAE7jC,MAAM,+BAAgC,CAC5DiL,YAAa5uC,KAAK4uC,YAClB5E,KAAMhqC,KAAKgqC,KACX+rD,SAAU39B,EACV49B,cAAe97E,KAEnB,CAIA,eAAI00B,GACF,OAAO5uC,KAAKu1F,kBACd,CAIA,eAAI3mD,CAAYwpB,GACd,IAAKA,EACH,MAAM,IAAIpwD,MAAM,8BAClBw/D,EAAE7jC,MAAM,kBAAmB,CAAEyO,OAAQgmB,IAAMp4D,KAAKu1F,mBAAqBn9B,CACvE,CAIA,QAAIpuB,GACF,OAAOhqC,KAAKu1F,mBAAmBpxE,MACjC,CAIA,SAAImN,GACF,OAAOtxB,KAAKy1F,YACd,CACA,KAAA/oD,GACE1sC,KAAKy1F,aAAaniF,OAAO,EAAGtT,KAAKy1F,aAAa/zF,QAAS1B,KAAK01F,UAAU74D,QAAS78B,KAAK21F,WAAa,EAAG31F,KAAK41F,eAAiB,EAAG51F,KAAK61F,aAAe,CACnJ,CAIA,KAAAj/C,GACE52C,KAAK01F,UAAU9+C,QAAS52C,KAAK61F,aAAe,CAC9C,CAIA,KAAAh/C,GACE72C,KAAK01F,UAAU7+C,QAAS72C,KAAK61F,aAAe,EAAG71F,KAAKi2F,aACtD,CAIA,QAAIvjF,GACF,MAAO,CACLhD,KAAM1P,KAAK21F,WACXvtB,SAAUpoE,KAAK41F,eACfxwF,OAAQpF,KAAK61F,aAEjB,CACA,WAAAI,GACE,MAAM79B,EAAIp4D,KAAKy1F,aAAavmF,KAAK6mB,GAAMA,EAAErmB,OAAMzF,QAAO,CAAC8rB,EAAGv0B,IAAMu0B,EAAIv0B,GAAG,GAAIw8B,EAAIh+B,KAAKy1F,aAAavmF,KAAK6mB,GAAMA,EAAEo/D,WAAUlrF,QAAO,CAAC8rB,EAAGv0B,IAAMu0B,EAAIv0B,GAAG,GAChJxB,KAAK21F,WAAav9B,EAAGp4D,KAAK41F,eAAiB53D,EAAyB,IAAtBh+B,KAAK61F,eAAuB71F,KAAK61F,aAAe71F,KAAK01F,UAAUhmF,KAAO,EAAI,EAAI,EAC9H,CACA,WAAAwmF,CAAY99B,GACVp4D,KAAK81F,WAAWt1F,KAAK43D,EACvB,CAOA,MAAAzhB,CAAOyhB,EAAGp6B,EAAGjI,GACX,MAAMv0B,EAAI,GAAGu0B,GAAK/1B,KAAKgqC,QAAQouB,EAAEnwD,QAAQ,MAAO,OAAS1B,OAAQhD,GAAM,IAAImD,IAAIlF,GAAIC,EAAI8B,GAAI,QAAE/B,EAAEL,MAAMoC,EAAE7B,SACvG8lE,EAAE7jC,MAAM,aAAa3F,EAAEh9B,WAAWS,KAClC,MAAM62D,EAAIp+C,EAAE8jB,EAAEtuB,MAAOkqE,EAAU,IAANthB,GAAWt6B,EAAEtuB,KAAO4oD,GAAKt4D,KAAKw1F,UAAWrvF,EAAI,IAAI83D,EAAGz8D,GAAIo4E,EAAG57C,EAAEtuB,KAAMsuB,GAC5F,OAAOh+B,KAAKy1F,aAAaj1F,KAAK2F,GAAInG,KAAKi2F,cAAe,IAAI,GAAEjqF,MAAO+9E,EAAGtiB,EAAG4e,KACvE,GAAIA,EAAElgF,EAAE22B,QAAS88C,EAAG,CAClBpS,EAAE7jC,MAAM,8BAA+B,CAAEx2B,KAAM6wB,EAAG2Y,OAAQxwC,IAC1D,MAAM6Q,QAAU+8E,EAAE/1D,EAAG,EAAG73B,EAAEuJ,MAAO6zE,EAAIv3E,UACnC,IACE7F,EAAEtB,eAAiBgvF,EACjBpyF,EACAuV,EACA7Q,EAAEgsC,QACD7sB,IACCnf,EAAEgvF,SAAWhvF,EAAEgvF,SAAW7vE,EAAE6wE,MAAOn2F,KAAKi2F,aAAa,QAEvD,EACA,CACE,aAAcj4D,EAAEoP,aAAe,IAC/B,eAAgBpP,EAAEh3B,OAEnBb,EAAEgvF,SAAWhvF,EAAEuJ,KAAM1P,KAAKi2F,cAAezuB,EAAE7jC,MAAM,yBAAyB3F,EAAEh9B,OAAQ,CAAEmM,KAAM6wB,EAAG2Y,OAAQxwC,IAAM4jF,EAAE5jF,EACpH,CAAE,MAAOmf,GACP,GAAIA,aAAa,KAEf,OADAnf,EAAEf,OAAS2Y,EAAE+yC,YAAQ2W,EAAE,6BAGzBniD,GAAGzgB,WAAasB,EAAEtB,SAAWygB,EAAEzgB,UAAWsB,EAAEf,OAAS2Y,EAAE+yC,OAAQ0W,EAAExiE,MAAM,oBAAoBg5B,EAAEh9B,OAAQ,CAAEgE,MAAOsgB,EAAGnY,KAAM6wB,EAAG2Y,OAAQxwC,IAAMshE,EAAE,4BAC5I,CACAznE,KAAK81F,WAAWznF,SAASiX,IACvB,IACEA,EAAEnf,EACJ,CAAE,MACF,IACA,EAEJnG,KAAK01F,UAAU7hF,IAAI0vE,GAAIvjF,KAAKi2F,aAC9B,KAAO,CACLzuB,EAAE7jC,MAAM,8BAA+B,CAAEx2B,KAAM6wB,EAAG2Y,OAAQxwC,IAC1D,MAAM6Q,QA9PNhL,eAAe7G,GACrB,MAAiJ3D,EAAI,IAA3I,QAAE,gBAAe,WAAKigC,0BAA+B,IAAI7/B,MAAM,KAAKsN,KAAI,IAAM2kB,KAAKy4B,MAAsB,GAAhBz4B,KAAKg5B,UAAerpD,SAAS,MAAKsV,KAAK,MAAwBvV,EAAI4B,EAAI,CAAE4/C,YAAa5/C,QAAM,EAC/L,aAAa,IAAE0rC,QAAQ,CACrBD,OAAQ,QACRvsC,IAAK7C,EACL8uC,QAAS/sC,IACP/B,CACN,CAuPwB40F,CAAG30F,GAAI8hF,EAAI,GAC3B,IAAK,IAAIj+D,EAAI,EAAGA,EAAInf,EAAE8/B,OAAQ3gB,IAAK,CACjC,MAAMghE,EAAIhhE,EAAIgzC,EAAGmsB,EAAI5wD,KAAKiM,IAAIwmD,EAAIhuB,EAAGnyD,EAAEuJ,MAAO6yE,EAAI,IAAMwR,EAAE/1D,EAAGsoD,EAAGhuB,GAAImtB,EAAI,IAAMoO,EAC5E,GAAG78E,KAAKsO,EAAI,IACZi9D,EACAp8E,EAAEgsC,QACF,IAAMnyC,KAAKi2F,eACXx0F,EACA,CACE,aAAcu8B,EAAEoP,aAAe,IAC/B,kBAAmBpP,EAAEtuB,KACrB,eAAgB,6BAElB2F,MAAK,KACLlP,EAAEgvF,SAAWhvF,EAAEgvF,SAAW78B,CAAC,IAC1B3iD,OAAO0L,IACR,MAA8B,MAAxBA,GAAGxc,UAAUO,QAAkBoiE,EAAExiE,MAAM,mGAAoG,CAAEA,MAAOqc,EAAGs1B,OAAQxwC,IAAMA,EAAE22B,SAAU32B,EAAEf,OAAS2Y,EAAE+yC,OAAQzvC,IAAMA,aAAa,OAAMmmD,EAAExiE,MAAM,SAASsgB,EAAI,KAAKghE,OAAO7B,qBAAsB,CAAEz/E,MAAOqc,EAAGs1B,OAAQxwC,IAAMA,EAAE22B,SAAU32B,EAAEf,OAAS2Y,EAAE+yC,QAASzvC,EAAE,IAE5VkiE,EAAE/iF,KAAKR,KAAK01F,UAAU7hF,IAAI4xE,GAC5B,CACA,UACQ34E,QAAQ6gC,IAAI41C,GAAIvjF,KAAKi2F,cAAe9vF,EAAEtB,eAAiB,IAAEgsC,QAAQ,CACrED,OAAQ,OACRvsC,IAAK,GAAG2S,UACRs5B,QAAS,CACP,aAActS,EAAEoP,aAAe,IAC/B,kBAAmBpP,EAAEtuB,KACrBq1C,YAAatjD,KAEbzB,KAAKi2F,cAAe9vF,EAAEf,OAAS2Y,EAAEs2E,SAAU7sB,EAAE7jC,MAAM,yBAAyB3F,EAAEh9B,OAAQ,CAAEmM,KAAM6wB,EAAG2Y,OAAQxwC,IAAM4jF,EAAE5jF,EACvH,CAAE,MAAOmf,GACPA,aAAa,MAAKnf,EAAEf,OAAS2Y,EAAE+yC,OAAQ2W,EAAE,+BAAiCthE,EAAEf,OAAS2Y,EAAE+yC,OAAQ2W,EAAE,0CAA2C,IAAE52B,QAAQ,CACpJD,OAAQ,SACRvsC,IAAK,GAAG2S,KAEZ,CACAhX,KAAK81F,WAAWznF,SAASiX,IACvB,IACEA,EAAEnf,EACJ,CAAE,MACF,IAEJ,CACA,OAAOnG,KAAK01F,UAAUhC,SAASr+E,MAAK,IAAMrV,KAAK0sC,UAAUvmC,CAAC,GAE9D,EAEF,SAAS+oB,EAAE/pB,EAAGizD,EAAGp6B,EAAGjI,EAAGv0B,EAAG+B,EAAG9B,EAAG62D,GAC9B,IAEInyD,EAFAyzE,EAAgB,mBAALz0E,EAAkBA,EAAE6L,QAAU7L,EAG7C,GAFAizD,IAAMwhB,EAAE34D,OAASm3C,EAAGwhB,EAAEyc,gBAAkBr4D,EAAG47C,EAAE0c,WAAY,GAAKvgE,IAAM6jD,EAAE94D,YAAa,GAAKvd,IAAMq2E,EAAE2c,SAAW,UAAYhzF,GAEnH9B,GAAK0E,EAAI,SAASshE,KACpBA,EAAIA,GACJznE,KAAK8hB,QAAU9hB,KAAK8hB,OAAO00E,YAC3Bx2F,KAAK2f,QAAU3f,KAAK2f,OAAOmC,QAAU9hB,KAAK2f,OAAOmC,OAAO00E,oBAAyBC,oBAAsB,MAAQhvB,EAAIgvB,qBAAsBj1F,GAAKA,EAAEN,KAAKlB,KAAMynE,GAAIA,GAAKA,EAAEivB,uBAAyBjvB,EAAEivB,sBAAsB7iF,IAAIpS,EAC7N,EAAGm4E,EAAE+c,aAAexwF,GAAK3E,IAAM2E,EAAImyD,EAAI,WACrC92D,EAAEN,KACAlB,MACC45E,EAAE94D,WAAa9gB,KAAK2f,OAAS3f,MAAM42F,MAAMl+D,SAASm+D,WAEvD,EAAIr1F,GAAI2E,EACN,GAAIyzE,EAAE94D,WAAY,CAChB84D,EAAEkd,cAAgB3wF,EAClB,IAAIu3D,EAAIkc,EAAE34D,OACV24D,EAAE34D,OAAS,SAASolE,EAAGrvE,GACrB,OAAO7Q,EAAEjF,KAAK8V,GAAI0mD,EAAE2oB,EAAGrvE,EACzB,CACF,KAAO,CACL,IAAI+yE,EAAInQ,EAAE/gD,aACV+gD,EAAE/gD,aAAekxD,EAAI,GAAG1oF,OAAO0oF,EAAG5jF,GAAK,CAACA,EAC1C,CACF,MAAO,CACLnD,QAASmC,EACT6L,QAAS4oE,EAEb,CAiCA,MAAMmd,EAV2B7nE,EAtBtB,CACTluB,KAAM,aACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,OAIN,WACP,IAAIo3C,EAAIp4D,KAAMg+B,EAAIo6B,EAAEl+B,MAAMD,GAC1B,OAAO+D,EAAE,OAAQo6B,EAAEj+B,GAAG,CAAEC,YAAa,mCAAoClX,MAAO,CAAE,eAAek1C,EAAE9wD,OAAQ,KAAW,aAAc8wD,EAAE9wD,MAAO07C,KAAM,OAASrgD,GAAI,CAAE0C,MAAO,SAAS0wB,GAChL,OAAOqiC,EAAE99B,MAAM,QAASvE,EAC1B,IAAO,OAAQqiC,EAAE79B,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAE8zE,KAAM5+B,EAAEr+B,UAAW4d,MAAOygB,EAAE1oD,KAAMugD,OAAQmI,EAAE1oD,KAAMunF,QAAS,cAAiB,CAACj5D,EAAE,OAAQ,CAAE9a,MAAO,CAAEukD,EAAG,2OAA8O,CAACrP,EAAE9wD,MAAQ02B,EAAE,QAAS,CAACo6B,EAAE59B,GAAG49B,EAAE1qD,GAAG0qD,EAAE9wD,UAAY8wD,EAAE9hD,UACne,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAgCRk0F,GAV2BhoE,EAtBL,CAC1BluB,KAAM,WACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,OAIN,WACP,IAAIo3C,EAAIp4D,KAAMg+B,EAAIo6B,EAAEl+B,MAAMD,GAC1B,OAAO+D,EAAE,OAAQo6B,EAAEj+B,GAAG,CAAEC,YAAa,iCAAkClX,MAAO,CAAE,eAAek1C,EAAE9wD,OAAQ,KAAW,aAAc8wD,EAAE9wD,MAAO07C,KAAM,OAASrgD,GAAI,CAAE0C,MAAO,SAAS0wB,GAC9K,OAAOqiC,EAAE99B,MAAM,QAASvE,EAC1B,IAAO,OAAQqiC,EAAE79B,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAE8zE,KAAM5+B,EAAEr+B,UAAW4d,MAAOygB,EAAE1oD,KAAMugD,OAAQmI,EAAE1oD,KAAMunF,QAAS,cAAiB,CAACj5D,EAAE,OAAQ,CAAE9a,MAAO,CAAEukD,EAAG,8CAAiD,CAACrP,EAAE9wD,MAAQ02B,EAAE,QAAS,CAACo6B,EAAE59B,GAAG49B,EAAE1qD,GAAG0qD,EAAE9wD,UAAY8wD,EAAE9hD,UACtS,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAgCRm0F,GAV2BjoE,EAtBL,CAC1BluB,KAAM,aACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,OAIN,WACP,IAAIo3C,EAAIp4D,KAAMg+B,EAAIo6B,EAAEl+B,MAAMD,GAC1B,OAAO+D,EAAE,OAAQo6B,EAAEj+B,GAAG,CAAEC,YAAa,mCAAoClX,MAAO,CAAE,eAAek1C,EAAE9wD,OAAQ,KAAW,aAAc8wD,EAAE9wD,MAAO07C,KAAM,OAASrgD,GAAI,CAAE0C,MAAO,SAAS0wB,GAChL,OAAOqiC,EAAE99B,MAAM,QAASvE,EAC1B,IAAO,OAAQqiC,EAAE79B,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAE8zE,KAAM5+B,EAAEr+B,UAAW4d,MAAOygB,EAAE1oD,KAAMugD,OAAQmI,EAAE1oD,KAAMunF,QAAS,cAAiB,CAACj5D,EAAE,OAAQ,CAAE9a,MAAO,CAAEukD,EAAG,mDAAsD,CAACrP,EAAE9wD,MAAQ02B,EAAE,QAAS,CAACo6B,EAAE59B,GAAG49B,EAAE1qD,GAAG0qD,EAAE9wD,UAAY8wD,EAAE9hD,UAC3S,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAuBRwiF,IAAI,SAAK4R,eACf,CAAC,CAAEC,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGhWC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,kCAAmC,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,mHAAqHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2EAI9+BC,OAAQ,CAAC,0TAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,qBAAsB,qBAAsB,yBAA0B,qBAAsB,wBAAyB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,oCAAqC,oCAAqC,wCAAyC,oCAAqC,uCAAwC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,UAAY,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,6BAA+BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,UAAY,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,gGAAkG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,8BAAgCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,kBAAoB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,6BAA+B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8BAAgC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,oBAAqB,oBAAqB,oBAAqB,oBAAqB,oBAAqB,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,cAAgB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,kBAAoB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,qEAAuE,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,wCAA0C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+DAAqE,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,qHAAuHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG73HC,OAAQ,CAAC,wUAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,MAAO,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uDAGl6BC,OAAQ,CAAC,6OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,8BAA+B,iCAAmC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,2CAA4C,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,6BAA+B,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,WAAa,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,+FAAiG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,qDAAuDO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,2BAA6B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,0CAA4C,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,sCAAwC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,4BAA8B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,kBAAoB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,kCAAoC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,gFAAsF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,oEAAqE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oEAGjrGC,OAAQ,CAAC,2PAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,uBAAyBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,eAAiB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,mEAAoE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGroCC,OAAQ,CAAC,4WAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz6BC,OAAQ,CAAC,kPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz6BC,OAAQ,CAAC,kPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,mUAAqUC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGrrCC,OAAQ,CAAC,igBAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG79BC,OAAQ,CAAC,ySAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qHAI/6BC,OAAQ,CAAC,2PAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,sBAAwBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gHAAkHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mEAG1mCC,OAAQ,CAAC,oUAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oBAAsB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,0CAA2C,gBAAiB,kFAAmF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gHAAkHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mFAIpiCC,OAAQ,CAAC,qVAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,yBAA0B,yBAA0B,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,qCAAsC,qCAAsC,uCAAyC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oBAAsB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,WAAa,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,iFAAmF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kCAAoCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,wCAA0C,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,qCAAuC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,yBAA0B,4BAA6B,4BAA6B,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,6FAA+F,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2FAAiG,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,6EAA+EC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGtyHC,OAAQ,CAAC,iSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,wCAAyC,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iFAIj6BC,OAAQ,CAAC,6OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,uBAAwB,6BAA+B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,mCAAoC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,4BAA8BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,aAAe,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,YAAc,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,yBAA2B,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6FAA+F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,oCAAsCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,+BAAiC,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qBAAuB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,iCAAmC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,wBAAyB,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,sBAAwB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,+FAAiG,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,sEAA4E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wFAInjHC,OAAQ,CAAC,oPAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,sCAAuC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mCAAqC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,mCAAqC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,mGAAqG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,QAAU,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,iBAAmB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qCAAuC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,uCAAyC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,2BAA4B,iCAAmC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,+BAAiC,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,wHAA0H,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,iFAAuF,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wFAI3rHC,OAAQ,CAAC,oQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,sCAAuC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,kCAAoC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,mCAAqC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,oGAAsG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,QAAU,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,iBAAmB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qCAAuC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,uCAAyC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,6BAA8B,iCAAmC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,+BAAiC,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,wHAA0H,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,mFAAyF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mCAGlpHC,OAAQ,CAAC,oNAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,qCAAuC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,gCAAkCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,4BAAkC,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/iCC,OAAQ,CAAC,4OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,oFAAqF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2GAI77BC,OAAQ,CAAC,sQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,wBAAyB,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,gBAAkB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,uBAAyBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,QAAU,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,mBAAqBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,+BAAiC,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,kBAAoB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8BAAgC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,iBAAkB,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,0EAAgF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG17FC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uLAMz7BC,OAAQ,CAAC,qQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,+BAAgC,gCAAiC,kCAAoC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,4CAA6C,6CAA8C,+CAAiD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,4FAA8F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,6CAA+CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,yBAA2B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,mDAAqD,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8CAAgD,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,0CAA4C,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,0BAA2B,4BAA8B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,0BAA4B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,mCAAqC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8EAAoF,CAAER,OAAQ,SAAUC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oFAAqF,eAAgB,4BAA6BknD,SAAU,SAAU,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGv1GC,OAAQ,CAAC,8RAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2CAG9jCC,OAAQ,CAAC,uRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGvjCC,OAAQ,CAAC,oRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG98BC,OAAQ,CAAC,uRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGh9BC,OAAQ,CAAC,yRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,wFAAyF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx9BC,OAAQ,CAAC,iSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG78BC,OAAQ,CAAC,sRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/8BC,OAAQ,CAAC,wRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG98BC,OAAQ,CAAC,uRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yEAI58BC,OAAQ,CAAC,qRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGpkCC,OAAQ,CAAC,wRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG58BC,OAAQ,CAAC,qRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG18BC,OAAQ,CAAC,mRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj9BC,OAAQ,CAAC,0RAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG98BC,OAAQ,CAAC,uRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj9BC,OAAQ,CAAC,0RAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG78BC,OAAQ,CAAC,sRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,8EAA+E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oDAIj6BC,OAAQ,CAAC,0OAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,uBAAyBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,SAAW,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,kCAAoCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uEAG9hCC,OAAQ,CAAC,yPAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oCAAsC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,uCAAyCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2CAGvhCC,OAAQ,CAAC,6NAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,yBAA2B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,eAAiB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,eAAiB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,iCAAmC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,0BAA4BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,6CAA8C,gBAAiB,6EAA8E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,gEAGniCC,OAAQ,CAAC,mQAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,0BAAgC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGjhCC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,qBAAsB,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oFAKj8BC,OAAQ,CAAC,6QAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,6BAA8B,8BAA+B,gCAAkC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,4CAA6C,6CAA8C,+CAAiD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,gCAAkCK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,YAAc,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,0FAA4F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kDAAoDO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,YAAc,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,qBAAuBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,sBAAwB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,2CAA6C,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,6CAA+C,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4CAA8C,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,qBAAsB,2BAA4B,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,gCAAkC,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,kCAAoC,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,qHAAuH,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8CAAgD,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,uFAA6F,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,6FAA+FC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG52HC,OAAQ,CAAC,qSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,iEAAkE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0JAK56BC,OAAQ,CAAC,wPAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,gCAAiC,mCAAqC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,6CAA8C,gDAAkD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,oBAAsBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6FAA+F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,4CAA8CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,0BAA4B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,wCAA0C,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8CAAgD,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yCAA2C,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,oBAAsB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,sBAAwB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,mCAAqC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kFAAwF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,8HAAgIC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1vGC,OAAQ,CAAC,4TAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGl6BC,OAAQ,CAAC,2OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,wGAA0GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG59BC,OAAQ,CAAC,wSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,uEAAwE,eAAgB,4BAA6BknD,SAAU,MAAO,eAAgB,oFAAsFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGh9BC,OAAQ,CAAC,2RAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGr5BC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mFAIj6BC,OAAQ,CAAC,0OAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,4BAA8BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,cAAgB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,6BAA+B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,0BAAgC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/gCC,OAAQ,CAAC,gOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oEAAqE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGv5BC,OAAQ,CAAC,mOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,mEAAoE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,+HAK15BC,OAAQ,CAAC,sOAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,kFAAoF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,+CAAiDO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,qBAAuB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,8BAAgC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,gCAAkC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,2BAA6B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,wBAA0B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8CAAgD,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8FAAoG,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGh8FC,OAAQ,CAAC,qNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,sDAAwDC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4DAG37BC,OAAQ,CAAC,uQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,gBAAkB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,+FAAiG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,0CAA4CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,cAAgBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,qBAAuB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,mBAAqB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,qCAAuC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,0CAA4C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2FAAiG,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,iBAAkB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kGAK9iGC,OAAQ,CAAC,8PAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,4BAA6B,4BAA6B,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,yCAA0C,yCAA0C,2CAA6C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,2FAA6F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,gCAAkCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,mBAAqBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,uBAAyB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,+BAAiC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,qCAAuC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,oBAAqB,qBAAsB,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,2BAA6B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,2BAA6B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,+BAAiC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,yEAA+E,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1qGC,OAAQ,CAAC,oRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,aAAc,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2CAIl5BC,OAAQ,CAAC,2NAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,iBAAmB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAaE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,8BAAgCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG17BC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,8BAAgCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGr6BC,OAAQ,CAAC,8OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,MAAO,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mCAG54BC,OAAQ,CAAC,uNAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oCAAsC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,wBAA0B,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,QAAU,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,iBAAmB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAA4B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,8BAAgCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGpgCC,OAAQ,CAAC,4NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG14BC,OAAQ,CAAC,sNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGl5BC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uGAKt4BC,OAAQ,CAAC,kNAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,sBAAwB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,kCAAoC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iBAAmB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAW,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,WAAaM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,aAAe,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,2CAA6C,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kBAAoBO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,WAAa,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,SAAWE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,aAAe,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,eAAiB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,eAAiB,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,eAAiB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,WAAa,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,YAAc,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qBAAuB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,6CAAmD,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGxrFC,OAAQ,CAAC,6NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sEAAuE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz5BC,OAAQ,CAAC,qOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4DAA6D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx4BC,OAAQ,CAAC,oNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,mKAAqKC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9iCC,OAAQ,CAAC,uXAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,mEAAqEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGt7BC,OAAQ,CAAC,kQAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,8CAA+C,gBAAiB,mEAAoE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,8DAAgEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iEAGz8BC,OAAQ,CAAC,qRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oCAAsC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,6BAAmC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,6CAGrhCC,OAAQ,CAAC,kOAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,mCAAqCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGhgCC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG95BC,OAAQ,CAAC,uOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG54BC,OAAQ,CAAC,wNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,qFAAsF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAI56BC,OAAQ,CAAC,qPAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,wBAAyB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,sCAAwC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,+BAAiCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,sBAAwB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,cAAgB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,iCAAmC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,iBAAkB,4BAA8B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,0BAA4B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,iCAAmC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kEAAwE,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9gGC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,uCAAwC,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0DAG/5BC,OAAQ,CAAC,2OAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,eAAiB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGlhCC,OAAQ,CAAC,yOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sFAAuF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/6BC,OAAQ,CAAC,wPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG95BC,OAAQ,CAAC,0OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,kLAAoLC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4GAK3hCC,OAAQ,CAAC,uWAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,mBAAoB,4BAA6B,4BAA6B,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,uCAAwC,2CAA4C,2CAA4C,6CAA+C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,+BAAiC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,wCAA0CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,eAAiB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,2BAA6B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,uCAAyC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,eAAgB,uBAAwB,uBAAwB,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,wBAA0B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,qBAAuB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,gCAAkC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+EAAqF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9wGC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,2DAA4D,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oGAI7/BC,OAAQ,CAAC,sUAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,+BAAgC,+BAAgC,iCAAmC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,4CAA6C,4CAA6C,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,aAAe,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,kGAAoG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,4CAA8CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,sBAAwB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,sCAAwC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,2CAA6C,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,sCAAwC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,2BAA4B,2BAA4B,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA2B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,oBAAsB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,8FAAgG,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,sFAA4F,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,iFAAkF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yDAGl0HC,OAAQ,CAAC,mTAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,cAAgB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,oBAAsB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,iEAAkE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yEAA2EC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wEAGnkCC,OAAQ,CAAC,qSAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4HAKpoCC,OAAQ,CAAC,kWAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,0BAA2B,0BAA2B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,sCAAuC,sCAAuC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,oFAAsF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2C,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,mBAAqB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,6BAA+B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,mCAAqC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAmB,2BAA4B,4BAA6B,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qFAA2F,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/2GC,OAAQ,CAAC,wXAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGr5BC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGn5BC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx6BC,OAAQ,CAAC,iPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,2GAA6GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj/BC,OAAQ,CAAC,0TAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,oFAAsFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,6CAG18BC,OAAQ,CAAC,sRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,wBAA0B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,oFAAsFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGrjCC,OAAQ,CAAC,sSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGp5BC,OAAQ,CAAC,gOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qFAIv9BC,OAAQ,CAAC,mSAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,wBAAyB,yBAA0B,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,oCAAqC,qCAAsC,uCAAyC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mCAAqC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,kCAAoC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,YAAc,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,yEAA2E,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,sCAAwCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qCAAuC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,kCAAoC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,qBAAsB,yBAA0B,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2EAAiF,CAAER,OAAQ,WAAYC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BknD,SAAU,WAAY,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGlxGC,OAAQ,CAAC,6TAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,gEAIj5BC,OAAQ,CAAC,6NAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,sBAAuB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,kCAAmC,sCAAwC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,WAAa,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,kGAAoG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,gCAAkCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,yBAA2B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,4BAA8B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,+BAAiC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,uBAAwB,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,wBAA0B,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,iFAAmF,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,iCAAmC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,wEAA8E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGngHC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj5BC,OAAQ,CAAC,6NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGt6BC,OAAQ,CAAC,+OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz4BC,OAAQ,CAAC,qNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,2EAA4E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uEAGx7BC,OAAQ,CAAC,iQAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1/BC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,gEAAiE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kFAIl6BC,OAAQ,CAAC,8OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,8BAA+B,gCAAkC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,mDAAoD,qDAAuD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,UAAY,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,WAAa,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,0EAA4E,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,uCAAyCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,uBAAyB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,+BAAiC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAmB,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,mFAAqF,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qEAA2E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9gHC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,2CAA4C,gBAAiB,kEAAmE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,8PAAgQC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oFAIroCC,OAAQ,CAAC,idAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,2BAA4B,4BAA6B,6BAA8B,+BAAiC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,gDAAiD,iDAAkD,kDAAmD,oDAAsD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,oBAAsB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,mGAAqG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kCAAoCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,wBAA0B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,gBAAkB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,+BAAiC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAmB,2BAA4B,4BAA6B,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,2BAA6B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,wBAA0B,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,oFAAsF,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,wBAA0B,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kFAAwF,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGzyHC,OAAQ,CAAC,6OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG14BC,OAAQ,CAAC,sNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,mEAAoE,eAAgB,4BAA6BknD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAI74BC,OAAQ,CAAC,yNAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,6BAA+B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,sBAAwB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,gBAAkBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,YAAc,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,kBAAoB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,6BAA+B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,mCAAqC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,2BAA6B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA0B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,iBAAmB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8BAAgC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,uEAA6E,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,2EAA4E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,sFAIj+FC,OAAQ,CAAC,iOAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,gBAAkB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,+BAAiC,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,eAAiB,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,QAAUE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,QAAU,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,SAAW,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,aAAe,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,SAAW,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qBAA2B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,+EAAgF,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qFAIxiFC,OAAQ,CAAC,oOAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,kBAAoB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,SAAW,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6BAA+B,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,aAAe,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,SAAWE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,QAAU,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,SAAW,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,aAAe,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,mBAAqB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8BAAoC,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASjnD,QAAS,CAAE,kBAAmB,iCAAkC,gBAAiB,4EAA6E,eAAgB,4BAA6BknD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0EAIzjFC,OAAQ,CAAC,+OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,kBAAoB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,OAAS,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,SAAW,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6BAA+B,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,aAAeO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,QAAUE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,QAAU,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,SAAW,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,aAAe,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,SAAW,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,6BAA+B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+BAAoC3oF,KAAK/J,GAAMqgF,GAAE6S,eAAelzF,EAAEkyF,OAAQlyF,EAAEmyF,QACjrF,MAAMnV,GAAIqD,GAAE5pD,QAAS08D,GAAKnW,GAAEoW,SAAS/mF,KAAK2wE,IAAIxE,GAAIwE,GAAEqW,QAAQhnF,KAAK2wE,IAAIsW,GAAK,KAAE76E,OAAO,CACjF5c,KAAM,eACN2X,WAAY,CACVu/E,OAAQnB,EACRr3C,eAAgB,IAChBC,UAAW,IACX8K,SAAU,IACV7nB,iBAAkB,IAClBzF,cAAe,IACfu7D,KAAMxB,GACNyB,OAAQxB,IAEVp2E,MAAO,CACLlU,OAAQ,CACN7F,KAAMpF,MACNof,QAAS,MAEX43E,SAAU,CACR5xF,KAAMyV,QACNuE,SAAS,GAEX63E,SAAU,CACR7xF,KAAMyV,QACNuE,SAAS,GAEX4tB,YAAa,CACX5nC,KAAM,KACNga,aAAS,GAKX0/D,QAAS,CACP15E,KAAMpF,MACNof,QAAS,IAAM,IAEjB0hC,oBAAqB,CACnB17C,KAAMpF,MACNof,QAAS,IAAM,KAGnB9W,KAAI,KACK,CACL4uF,SAAUnb,GAAE,OACZob,YAAapb,GAAE,kBACfqb,YAAarb,GAAE,gBACfsb,cAAetb,GAAE,mBACjBub,eAAgB,wBAAwBrlE,KAAKg5B,SAASrpD,SAAS,IAAIrC,MAAM,KACzEg4F,IAAK,KACLC,SAAU,GACVC,mBAAoB,GACpBC,cAAetT,OAGnB1oD,SAAU,CACR,cAAAi8D,GACE,OAAOv5F,KAAKs5F,cAAc5mF,MAAMhD,MAAQ,CAC1C,EACA,iBAAA8pF,GACE,OAAOx5F,KAAKs5F,cAAc5mF,MAAM01D,UAAY,CAC9C,EACA,QAAAA,GACE,OAAOv0C,KAAK60B,MAAM1oD,KAAKw5F,kBAAoBx5F,KAAKu5F,eAAiB,MAAQ,CAC3E,EACA,KAAAjoE,GACE,OAAOtxB,KAAKs5F,cAAchoE,KAC5B,EACA,UAAAmoE,GACE,OAAmE,IAA5Dz5F,KAAKsxB,OAAOriB,QAAQ9J,GAAMA,EAAEC,SAAW2Y,EAAE+yC,SAAQpvD,MAC1D,EACA,WAAAg4F,GACE,OAAO15F,KAAKsxB,OAAO5vB,OAAS,CAC9B,EACA,YAAAi4F,GACE,OAAuE,IAAhE35F,KAAKsxB,OAAOriB,QAAQ9J,GAAMA,EAAEC,SAAW2Y,EAAEq2E,aAAY1yF,MAC9D,EACA,QAAAkyF,GACE,OAAO5zF,KAAKs5F,cAAc5mF,MAAMtN,SAAWgwF,EAAEE,MAC/C,EAEA,UAAAsE,GACE,IAAK55F,KAAK05F,YACR,OAAO15F,KAAK84F,QAChB,GAEFt1D,MAAO,CACL,WAAAoL,CAAYzpC,GACVnF,KAAK65F,eAAe10F,EACtB,EACA,cAAAo0F,CAAep0F,GACbnF,KAAKm5F,IAAM,EAAE,CAAEr5D,IAAK,EAAGlM,IAAKzuB,IAAMnF,KAAK85F,cACzC,EACA,iBAAAN,CAAkBr0F,GAChBnF,KAAKm5F,KAAKhxB,SAAShjE,GAAInF,KAAK85F,cAC9B,EACA,QAAAlG,CAASzuF,GACPA,EAAInF,KAAKs6B,MAAM,SAAUt6B,KAAKsxB,OAAStxB,KAAKs6B,MAAM,UAAWt6B,KAAKsxB,MACpE,GAEF,WAAA4M,GACEl+B,KAAK4uC,aAAe5uC,KAAK65F,eAAe75F,KAAK4uC,aAAc5uC,KAAKs5F,cAAcpD,YAAYl2F,KAAK+5F,oBAAqBvyB,EAAE7jC,MAAM,2BAC9H,EACAjF,QAAS,CAIP,OAAA4a,GACEt5C,KAAKq7C,MAAMniC,MAAM7T,OACnB,EAIA,YAAM20F,GACJ,IAAI70F,EAAI,IAAInF,KAAKq7C,MAAMniC,MAAMhM,OAC7B,GAAI+sF,GAAG90F,EAAGnF,KAAK0gF,SAAU,CACvB,MAAMtoB,EAAIjzD,EAAE8J,QAAQ8mB,GAAM/1B,KAAK0gF,QAAQv9C,MAAM3hC,GAAMA,EAAEstC,WAAa/Y,EAAE/0B,SAAOiO,OAAOwN,SAAUuhB,EAAI74B,EAAE8J,QAAQ8mB,IAAOqiC,EAAEtvD,SAASitB,KAC5H,IACE,MAAQsW,SAAUtW,EAAGiZ,QAASxtC,SAAY04F,GAAGl6F,KAAK4uC,YAAYE,SAAUspB,EAAGp4D,KAAK0gF,SAChFv7E,EAAI,IAAI64B,KAAMjI,KAAMv0B,EACtB,CAAE,MAEA,YADA,QAAEm8E,GAAE,oBAEN,CACF,CACAx4E,EAAEkJ,SAAS+pD,IACT,MAAMriC,GAAK/1B,KAAK0iD,qBAAuB,IAAIvf,MAAM3hC,GAAM42D,EAAEp3D,KAAK8H,SAAStH,KACvEu0B,GAAI,QAAE4nD,GAAE,IAAI5nD,0CAA4C/1B,KAAKs5F,cAAc3iD,OAAOyhB,EAAEp3D,KAAMo3D,GAAGziD,OAAM,QACjG,IACA3V,KAAKq7C,MAAM8+C,KAAKztD,OACtB,EAIA,QAAAqF,GACE/xC,KAAKs5F,cAAchoE,MAAMjjB,SAASlJ,IAChCA,EAAE23B,QAAQ,IACR98B,KAAKq7C,MAAM8+C,KAAKztD,OACtB,EACA,YAAAotD,GACE,GAAI95F,KAAK4zF,SAEP,YADA5zF,KAAKo5F,SAAWzb,GAAE,WAGpB,MAAMx4E,EAAI0uB,KAAK60B,MAAM1oD,KAAKm5F,IAAI3wB,YAC9B,GAAIrjE,IAAM,IAIV,GAAIA,EAAI,GACNnF,KAAKo5F,SAAWzb,GAAE,2BAGpB,GAAIx4E,EAAI,GAAR,CACE,MAAMizD,EAAoB,IAAI3mD,KAAK,GACnC2mD,EAAEgiC,WAAWj1F,GACb,MAAM64B,EAAIo6B,EAAEiiC,cAAcl5F,MAAM,GAAI,IACpCnB,KAAKo5F,SAAWzb,GAAE,cAAe,CAAE3rE,KAAMgsB,GAE3C,MACAh+B,KAAKo5F,SAAWzb,GAAE,yBAA0B,CAAE2c,QAASn1F,SAdrDnF,KAAKo5F,SAAWzb,GAAE,uBAetB,EACA,cAAAkc,CAAe10F,GACRnF,KAAK4uC,aAIV5uC,KAAKs5F,cAAc1qD,YAAczpC,EAAGnF,KAAKq5F,oBAAqB,QAAEl0F,IAH9DqiE,EAAE7jC,MAAM,sBAIZ,EACA,kBAAAo2D,CAAmB50F,GACjBA,EAAEC,SAAW2Y,EAAE+yC,OAAS9wD,KAAKs6B,MAAM,SAAUn1B,GAAKnF,KAAKs6B,MAAM,WAAYn1B,EAC3E,KA8BEo1F,GAV2BrrE,EAC/BupE,IAlBO,WACP,IAAIrgC,EAAIp4D,KAAMg+B,EAAIo6B,EAAEl+B,MAAMD,GAC1B,OAAOm+B,EAAEl+B,MAAMmgB,YAAa+d,EAAExpB,YAAc5Q,EAAE,OAAQ,CAAEpe,IAAK,OAAQwa,YAAa,gBAAiB/Q,MAAO,CAAE,2BAA4B+uC,EAAEshC,YAAa,wBAAyBthC,EAAEw7B,UAAY1wE,MAAO,CAAE,wBAAyB,KAAQ,CAACk1C,EAAEihC,oBAAsD,IAAhCjhC,EAAEihC,mBAAmB33F,OAAes8B,EAAE,WAAY,CAAE9a,MAAO,CAAE01E,SAAUxgC,EAAEwgC,SAAU,4BAA6B,GAAI5xF,KAAM,aAAerE,GAAI,CAAE0C,MAAO+yD,EAAE9e,SAAW/W,YAAa61B,EAAE51B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WACxc,MAAO,CAACm+B,EAAE,OAAQ,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAI8qF,WAAY,MAChE,EAAGxsF,OAAO,IAAO,MAAM,EAAI,aAAe,CAACoqD,EAAE59B,GAAG,IAAM49B,EAAE1qD,GAAG0qD,EAAEwhC,YAAc,OAAS57D,EAAE,YAAa,CAAE9a,MAAO,CAAE,YAAak1C,EAAEwhC,WAAY,aAAcxhC,EAAE0gC,SAAU9xF,KAAM,aAAeu7B,YAAa61B,EAAE51B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WAC5N,MAAO,CAACm+B,EAAE,OAAQ,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAI8qF,WAAY,MAChE,EAAGxsF,OAAO,IAAO,MAAM,EAAI,aAAe,CAACgwB,EAAE,iBAAkB,CAAE9a,MAAO,CAAE,4BAA6B,GAAI,qBAAqB,GAAMvgB,GAAI,CAAE0C,MAAO+yD,EAAE9e,SAAW/W,YAAa61B,EAAE51B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WACpM,MAAO,CAACm+B,EAAE,SAAU,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAI8qF,WAAY,MAClE,EAAGxsF,OAAO,IAAO,MAAM,EAAI,aAAe,CAACoqD,EAAE59B,GAAG,IAAM49B,EAAE1qD,GAAG0qD,EAAE4gC,aAAe,OAAQ5gC,EAAE91B,GAAG81B,EAAEihC,oBAAoB,SAAStjE,GACtH,OAAOiI,EAAE,iBAAkB,CAAE90B,IAAK6sB,EAAEnsB,GAAIwwB,YAAa,4BAA6BlX,MAAO,CAAEtX,KAAMmqB,EAAE2O,UAAW,qBAAqB,GAAM/hC,GAAI,CAAE0C,MAAO,SAAS7D,GAC7J,OAAOu0B,EAAE5M,QAAQivC,EAAExpB,YAAawpB,EAAEsoB,QACpC,GAAKn+C,YAAa61B,EAAE51B,GAAG,CAACzM,EAAE4T,cAAgB,CAAEzgC,IAAK,OAAQrJ,GAAI,WAC3D,MAAO,CAACm+B,EAAE,mBAAoB,CAAE9a,MAAO,CAAEu3E,IAAK1kE,EAAE4T,iBAClD,EAAG37B,OAAO,GAAO,MAAO,MAAM,IAAO,CAACoqD,EAAE59B,GAAG,IAAM49B,EAAE1qD,GAAGqoB,EAAE2T,aAAe,MACzE,KAAK,GAAI1L,EAAE,MAAO,CAAEinB,WAAY,CAAC,CAAEjkD,KAAM,OAAQkkD,QAAS,SAAU97C,MAAOgvD,EAAEshC,YAAav0C,WAAY,gBAAkB/qB,YAAa,2BAA6B,CAAC4D,EAAE,gBAAiB,CAAE9a,MAAO,CAAE,aAAck1C,EAAE6gC,cAAe,mBAAoB7gC,EAAE8gC,eAAgBl0F,MAAOozD,EAAEqhC,WAAYrwF,MAAOgvD,EAAEgQ,SAAU14D,KAAM,YAAesuB,EAAE,IAAK,CAAE9a,MAAO,CAAEtZ,GAAIwuD,EAAE8gC,iBAAoB,CAAC9gC,EAAE59B,GAAG,IAAM49B,EAAE1qD,GAAG0qD,EAAEghC,UAAY,QAAS,GAAIhhC,EAAEshC,YAAc17D,EAAE,WAAY,CAAE5D,YAAa,wBAAyBlX,MAAO,CAAElc,KAAM,WAAY,aAAcoxD,EAAE2gC,YAAa,+BAAgC,IAAMp2F,GAAI,CAAE0C,MAAO+yD,EAAErmB,UAAYxP,YAAa61B,EAAE51B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WAC9nB,MAAO,CAACm+B,EAAE,SAAU,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,MAClD,EAAG1B,OAAO,IAAO,MAAM,EAAI,cAAiBoqD,EAAE9hD,KAAM0nB,EAAE,QAAS,CAAEinB,WAAY,CAAC,CAAEjkD,KAAM,OAAQkkD,QAAS,SAAU97C,OAAO,EAAI+7C,WAAY,UAAYvlC,IAAK,QAASsD,MAAO,CAAElc,KAAM,OAAQ6F,OAAQurD,EAAEvrD,QAAQiM,OAAO,MAAO+/E,SAAUzgC,EAAEygC,SAAU,8BAA+B,IAAMl2F,GAAI,CAAE+3F,OAAQtiC,EAAE4hC,WAAc,GAAK5hC,EAAE9hD,IAC3T,GAAQ,IAIN,EACA,KACA,WACA,KACA,MAEYtT,QACd,IAAIk5E,GAAI,KACR,SAAS8J,KACP,MAAM7gF,EAAoE,OAAhEM,SAASoqB,cAAc,qCACjC,OAAOqsD,cAAa6G,IAAM7G,GAAI,IAAI6G,EAAE59E,IAAK+2E,EAC3C,CAKAlwE,eAAekuF,GAAG/0F,EAAGizD,EAAGp6B,GACtB,MAAMjI,GAAI,SAAE,IAAM,2DAClB,OAAO,IAAIjpB,SAAQ,CAACtL,EAAG+B,KACrB,MAAM9B,EAAI,IAAI,KAAE,CACdT,KAAM,qBACNigB,OAASq3C,GAAMA,EAAEviC,EAAG,CAClBhV,MAAO,CACLirB,QAAS7mC,EACT0pC,UAAWupB,EACXsoB,QAAS1iD,GAEXr7B,GAAI,CACF,MAAAg4F,CAAO/gB,GACLp4E,EAAEo4E,GAAIn4E,EAAEm5F,WAAYn5F,EAAEu+B,KAAKyb,YAAY4rB,YAAY5lE,EAAEu+B,IACvD,EACA,MAAAlD,CAAO88C,GACLr2E,EAAEq2E,GAAK,IAAI5xE,MAAM,aAAcvG,EAAEm5F,WAAYn5F,EAAEu+B,KAAKyb,YAAY4rB,YAAY5lE,EAAEu+B,IAChF,OAINv+B,EAAEq9C,SAAUr5C,SAAS8B,KAAK04B,YAAYx+B,EAAEu+B,IAAI,GAEhD,CACA,SAASi6D,GAAG90F,EAAGizD,GACb,MAAMp6B,EAAIo6B,EAAElpD,KAAK1N,GAAMA,EAAEstC,WACzB,OAAO3pC,EAAE8J,QAAQzN,IACf,MAAM+B,EAAI/B,aAAaurC,KAAOvrC,EAAER,KAAOQ,EAAEstC,SACzC,OAAyB,IAAlB9Q,EAAE3qB,QAAQ9P,EAAS,IACzB7B,OAAS,CACd,2DCzpDA,MAAgE2kF,EAAI,CAACtwD,EAAG5wB,KACtE,IAAI5B,EACJ,OAAgD,OAAvCA,EAAS,MAAL4B,OAAY,EAASA,EAAE01F,SAAmBt3F,EAAI+iF,KAFxB,CAACvwD,GAAM,eAAiBA,EAEOyxC,CAAEzxC,EAAE,EAOrE0xC,EAAI,CAAC1xC,EAAG5wB,EAAG5B,KACZ,MAAMwa,EAAIxe,OAAO2I,OAAO,CACtBgtC,QAAQ,GACP3xC,GAAK,CAAC,GAST,MAAuB,MAAhBwyB,EAAEvS,OAAO,KAAeuS,EAAI,IAAMA,GARhC6jD,GADoBA,EASqBz0E,GAAK,CAAC,IARtC,CAAC,EAQ4B4wB,EARvB9tB,QACpB,eACA,SAASxG,EAAGu8B,GACV,MAAM73B,EAAIyzE,EAAE57C,GACZ,OAAOjgB,EAAEm3B,OAASj7B,mBAA+B,iBAAL9T,GAA6B,iBAALA,EAAgBA,EAAE3C,WAAa/B,GAAiB,iBAAL0E,GAA6B,iBAALA,EAAgBA,EAAE3C,WAAa/B,CACxK,IANa,IAAYm4E,CAS6B,EACzD14D,EAAI,CAAC6U,EAAG5wB,EAAG5B,KACZ,IAAIwa,EAAGq6C,EAAG52D,EACV,MAAMo4E,EAAIr6E,OAAO2I,OAAO,CACtB4yF,WAAW,GACVv3F,GAAK,CAAC,GAAI9B,EAA4C,OAAvCsc,EAAS,MAALxa,OAAY,EAASA,EAAEs3F,SAAmB98E,EAAIu6C,IACpE,OAAgI,KAAzC,OAA9E92D,EAAiD,OAA5C42D,EAAc,MAAVx0D,YAAiB,EAASA,OAAOigD,SAAc,EAASuU,EAAEpgD,aAAkB,EAASxW,EAAEu5F,oBAA8BnhB,EAAEkhB,UAA6Br5F,EAAI,aAAegmE,EAAE1xC,EAAG5wB,EAAG5B,GAA5C9B,EAAIgmE,EAAE1xC,EAAG5wB,EAAG5B,EAAkC,EAMlM+iF,EAAI,IAAM1iF,OAAO4C,SAASunB,SAAW,KAAOnqB,OAAO4C,SAASwnB,KAAOsqC,IACtE,SAASA,IACP,IAAIviC,EAAInyB,OAAOo3F,YACf,UAAWjlE,EAAI,IAAK,CAClBA,EAAIvvB,SAAS0vB,SACb,MAAM/wB,EAAI4wB,EAAE1iB,QAAQ,eACpB,IAAW,IAAPlO,EACF4wB,EAAIA,EAAE50B,MAAM,EAAGgE,OACZ,CACH,MAAM5B,EAAIwyB,EAAE1iB,QAAQ,IAAK,GACzB0iB,EAAIA,EAAE50B,MAAM,EAAGoC,EAAI,EAAIA,OAAI,EAC7B,CACF,CACA,OAAOwyB,CACT,0EC1CA,MAAM,MACJklE,EAAK,WACLjnD,EAAU,cACVknD,EAAa,SACbC,EAAQ,YACRC,EAAW,QACXC,EAAO,IACP1tD,EAAG,OACHuqD,EAAM,aACNoD,EAAY,OACZC,EAAM,WACNC,EAAU,aACVC,EAAY,eACZC,EAAc,WACdC,EAAU,WACVC,EAAU,YACVC,GACE,MCrBAC,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqBx5F,IAAjBy5F,EACH,OAAOA,EAAaj5F,QAGrB,IAAID,EAAS+4F,EAAyBE,GAAY,CACjDpyF,GAAIoyF,EACJE,QAAQ,EACRl5F,QAAS,CAAC,GAUX,OANAm5F,EAAoBH,GAAU96F,KAAK6B,EAAOC,QAASD,EAAQA,EAAOC,QAAS+4F,GAG3Eh5F,EAAOm5F,QAAS,EAGTn5F,EAAOC,OACf,CAGA+4F,EAAoBz2E,EAAI62E,EnR5BpBh9F,EAAW,GACf48F,EAAoBtW,EAAI,CAAC19E,EAAQq0F,EAAUv8F,EAAI6xF,KAC9C,IAAG0K,EAAH,CAMA,IAAIC,EAAe5zB,IACnB,IAASjnE,EAAI,EAAGA,EAAIrC,EAASuC,OAAQF,IAAK,CACrC46F,EAAWj9F,EAASqC,GAAG,GACvB3B,EAAKV,EAASqC,GAAG,GACjBkwF,EAAWvyF,EAASqC,GAAG,GAE3B,IAJA,IAGI86F,GAAY,EACP55F,EAAI,EAAGA,EAAI05F,EAAS16F,OAAQgB,MACpB,EAAXgvF,GAAsB2K,GAAgB3K,IAAanyF,OAAO4K,KAAK4xF,EAAoBtW,GAAGtlE,OAAOjX,GAAS6yF,EAAoBtW,EAAEv8E,GAAKkzF,EAAS15F,MAC9I05F,EAAS9oF,OAAO5Q,IAAK,IAErB45F,GAAY,EACT5K,EAAW2K,IAAcA,EAAe3K,IAG7C,GAAG4K,EAAW,CACbn9F,EAASmU,OAAO9R,IAAK,GACrB,IAAIo4E,EAAI/5E,SACE2C,IAANo3E,IAAiB7xE,EAAS6xE,EAC/B,CACD,CACA,OAAO7xE,CArBP,CAJC2pF,EAAWA,GAAY,EACvB,IAAI,IAAIlwF,EAAIrC,EAASuC,OAAQF,EAAI,GAAKrC,EAASqC,EAAI,GAAG,GAAKkwF,EAAUlwF,IAAKrC,EAASqC,GAAKrC,EAASqC,EAAI,GACrGrC,EAASqC,GAAK,CAAC46F,EAAUv8F,EAAI6xF,EAuBjB,EoR3BdqK,EAAoBhmE,EAAKhzB,IACxB,IAAIw5F,EAASx5F,GAAUA,EAAOyxB,WAC7B,IAAOzxB,EAAiB,QACxB,IAAM,EAEP,OADAg5F,EAAoBt0B,EAAE80B,EAAQ,CAAEp2F,EAAGo2F,IAC5BA,CAAM,ECLdR,EAAoBt0B,EAAI,CAACzkE,EAASw5F,KACjC,IAAI,IAAItzF,KAAOszF,EACXT,EAAoBx4F,EAAEi5F,EAAYtzF,KAAS6yF,EAAoBx4F,EAAEP,EAASkG,IAC5E3J,OAAOoX,eAAe3T,EAASkG,EAAK,CAAE6N,YAAY,EAAMpJ,IAAK6uF,EAAWtzF,IAE1E,ECND6yF,EAAoBzjC,EAAI,CAAC,EAGzByjC,EAAoB52F,EAAKs3F,GACjB3vF,QAAQ6gC,IAAIpuC,OAAO4K,KAAK4xF,EAAoBzjC,GAAGruD,QAAO,CAACwrC,EAAUvsC,KACvE6yF,EAAoBzjC,EAAEpvD,GAAKuzF,EAAShnD,GAC7BA,IACL,KCNJsmD,EAAoBpe,EAAK8e,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH9IV,EAAoBv0B,EAAI,WACvB,GAA0B,iBAAftjE,WAAyB,OAAOA,WAC3C,IACC,OAAOlE,MAAQ,IAAI+/B,SAAS,cAAb,EAChB,CAAE,MAAO56B,GACR,GAAsB,iBAAXvB,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxBm4F,EAAoBx4F,EAAI,CAACkT,EAAKF,IAAUhX,OAAOC,UAAUC,eAAeyB,KAAKuV,EAAKF,GxRA9EnX,EAAa,CAAC,EACdC,EAAoB,aAExB08F,EAAoBt6F,EAAI,CAAC4C,EAAKg0D,EAAMnvD,EAAKuzF,KACxC,GAAGr9F,EAAWiF,GAAQjF,EAAWiF,GAAK7D,KAAK63D,OAA3C,CACA,IAAI+G,EAAQs9B,EACZ,QAAWl6F,IAAR0G,EAEF,IADA,IAAIyzF,EAAUl3F,SAASwwE,qBAAqB,UACpCz0E,EAAI,EAAGA,EAAIm7F,EAAQj7F,OAAQF,IAAK,CACvC,IAAI42D,EAAIukC,EAAQn7F,GAChB,GAAG42D,EAAE1tC,aAAa,QAAUrmB,GAAO+zD,EAAE1tC,aAAa,iBAAmBrrB,EAAoB6J,EAAK,CAAEk2D,EAAShH,EAAG,KAAO,CACpH,CAEGgH,IACHs9B,GAAa,GACbt9B,EAAS35D,SAASW,cAAc,WAEzBmxF,QAAU,QACjBn4B,EAAO4J,QAAU,IACb+yB,EAAoB7Y,IACvB9jB,EAAO7Z,aAAa,QAASw2C,EAAoB7Y,IAElD9jB,EAAO7Z,aAAa,eAAgBlmD,EAAoB6J,GAExDk2D,EAAOhY,IAAM/iD,GAEdjF,EAAWiF,GAAO,CAACg0D,GACnB,IAAIukC,EAAmB,CAACxpE,EAAMjzB,KAE7Bi/D,EAAOt6D,QAAUs6D,EAAOz6D,OAAS,KACjC63B,aAAawsC,GACb,IAAI6zB,EAAUz9F,EAAWiF,GAIzB,UAHOjF,EAAWiF,GAClB+6D,EAAO3jB,YAAc2jB,EAAO3jB,WAAW4rB,YAAYjI,GACnDy9B,GAAWA,EAAQxuF,SAASxO,GAAQA,EAAGM,KACpCizB,EAAM,OAAOA,EAAKjzB,EAAM,EAExB6oE,EAAUpiE,WAAWg2F,EAAiBprF,KAAK,UAAMhP,EAAW,CAAEwE,KAAM,UAAWP,OAAQ24D,IAAW,MACtGA,EAAOt6D,QAAU83F,EAAiBprF,KAAK,KAAM4tD,EAAOt6D,SACpDs6D,EAAOz6D,OAASi4F,EAAiBprF,KAAK,KAAM4tD,EAAOz6D,QACnD+3F,GAAcj3F,SAASq3F,KAAK78D,YAAYm/B,EApCkB,CAoCX,EyRvChD28B,EAAoBniB,EAAK52E,IACH,oBAAXK,QAA0BA,OAAOuuB,aAC1CryB,OAAOoX,eAAe3T,EAASK,OAAOuuB,YAAa,CAAExoB,MAAO,WAE7D7J,OAAOoX,eAAe3T,EAAS,aAAc,CAAEoG,OAAO,GAAO,ECL9D2yF,EAAoBgB,IAAOh6F,IAC1BA,EAAOyoC,MAAQ,GACVzoC,EAAOoe,WAAUpe,EAAOoe,SAAW,IACjCpe,GCHRg5F,EAAoBr5F,EAAI,WCAxB,IAAIs6F,EACAjB,EAAoBv0B,EAAEb,gBAAeq2B,EAAYjB,EAAoBv0B,EAAEhhE,SAAW,IACtF,IAAIf,EAAWs2F,EAAoBv0B,EAAE/hE,SACrC,IAAKu3F,GAAav3F,IACbA,EAASw3F,gBACZD,EAAYv3F,EAASw3F,cAAc71C,MAC/B41C,GAAW,CACf,IAAIL,EAAUl3F,EAASwwE,qBAAqB,UAC5C,GAAG0mB,EAAQj7F,OAEV,IADA,IAAIF,EAAIm7F,EAAQj7F,OAAS,EAClBF,GAAK,KAAOw7F,IAAc,aAAah3F,KAAKg3F,KAAaA,EAAYL,EAAQn7F,KAAK4lD,GAE3F,CAID,IAAK41C,EAAW,MAAM,IAAIh1F,MAAM,yDAChCg1F,EAAYA,EAAU/0F,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpF8zF,EAAoB/kF,EAAIgmF,YClBxBjB,EAAoB/gF,EAAIvV,SAASo2E,SAAW73E,KAAKwC,SAASF,KAK1D,IAAI42F,EAAkB,CACrB,KAAM,GAGPnB,EAAoBzjC,EAAE51D,EAAI,CAAC+5F,EAAShnD,KAElC,IAAI0nD,EAAqBpB,EAAoBx4F,EAAE25F,EAAiBT,GAAWS,EAAgBT,QAAWj6F,EACtG,GAA0B,IAAvB26F,EAGF,GAAGA,EACF1nD,EAASj1C,KAAK28F,EAAmB,QAC3B,CAGL,IAAIprC,EAAU,IAAIjlD,SAAQ,CAACC,EAASC,IAAYmwF,EAAqBD,EAAgBT,GAAW,CAAC1vF,EAASC,KAC1GyoC,EAASj1C,KAAK28F,EAAmB,GAAKprC,GAGtC,IAAI1tD,EAAM03F,EAAoB/kF,EAAI+kF,EAAoBpe,EAAE8e,GAEpDz3F,EAAQ,IAAIgD,MAgBhB+zF,EAAoBt6F,EAAE4C,GAfFlE,IACnB,GAAG47F,EAAoBx4F,EAAE25F,EAAiBT,KAEf,KAD1BU,EAAqBD,EAAgBT,MACRS,EAAgBT,QAAWj6F,GACrD26F,GAAoB,CACtB,IAAI/rE,EAAYjxB,IAAyB,SAAfA,EAAM6G,KAAkB,UAAY7G,EAAM6G,MAChEo2F,EAAUj9F,GAASA,EAAMsG,QAAUtG,EAAMsG,OAAO2gD,IACpDpiD,EAAMqD,QAAU,iBAAmBo0F,EAAU,cAAgBrrE,EAAY,KAAOgsE,EAAU,IAC1Fp4F,EAAMhE,KAAO,iBACbgE,EAAMgC,KAAOoqB,EACbpsB,EAAM6rC,QAAUusD,EAChBD,EAAmB,GAAGn4F,EACvB,CACD,GAEwC,SAAWy3F,EAASA,EAE/D,CACD,EAWFV,EAAoBtW,EAAE/iF,EAAK+5F,GAA0C,IAA7BS,EAAgBT,GAGxD,IAAIY,EAAuB,CAACC,EAA4BpzF,KACvD,IAKI8xF,EAAUS,EALVL,EAAWlyF,EAAK,GAChBqzF,EAAcrzF,EAAK,GACnBszF,EAAUtzF,EAAK,GAGI1I,EAAI,EAC3B,GAAG46F,EAASx0D,MAAMh+B,GAAgC,IAAxBszF,EAAgBtzF,KAAa,CACtD,IAAIoyF,KAAYuB,EACZxB,EAAoBx4F,EAAEg6F,EAAavB,KACrCD,EAAoBz2E,EAAE02E,GAAYuB,EAAYvB,IAGhD,GAAGwB,EAAS,IAAIz1F,EAASy1F,EAAQzB,EAClC,CAEA,IADGuB,GAA4BA,EAA2BpzF,GACrD1I,EAAI46F,EAAS16F,OAAQF,IACzBi7F,EAAUL,EAAS56F,GAChBu6F,EAAoBx4F,EAAE25F,EAAiBT,IAAYS,EAAgBT,IACrES,EAAgBT,GAAS,KAE1BS,EAAgBT,GAAW,EAE5B,OAAOV,EAAoBtW,EAAE19E,EAAO,EAGjC01F,EAAqBz5F,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1Fy5F,EAAmBpvF,QAAQgvF,EAAqB7rF,KAAK,KAAM,IAC3DisF,EAAmBj9F,KAAO68F,EAAqB7rF,KAAK,KAAMisF,EAAmBj9F,KAAKgR,KAAKisF,QCvFvF1B,EAAoB7Y,QAAK1gF,ECGzB,IAAIk7F,EAAsB3B,EAAoBtW,OAAEjjF,EAAW,CAAC,OAAO,IAAOu5F,EAAoB,QAC9F2B,EAAsB3B,EAAoBtW,EAAEiY","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/eventemitter3/index.js","webpack:///nextcloud/node_modules/pinia/dist/pinia.mjs","webpack:///nextcloud/apps/files/src/store/index.ts","webpack:///nextcloud/node_modules/decode-uri-component/index.js","webpack:///nextcloud/node_modules/split-on-first/index.js","webpack:///nextcloud/node_modules/filter-obj/index.js","webpack:///nextcloud/node_modules/query-string/base.js","webpack:///nextcloud/node_modules/query-string/index.js","webpack:///nextcloud/node_modules/vue-router/dist/vue-router.esm.js","webpack:///nextcloud/apps/files/src/router/router.ts","webpack:///nextcloud/apps/files/src/FilesApp.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Cog.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Cog.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Cog.vue?4d6d","webpack:///nextcloud/node_modules/vue-material-design-icons/Cog.vue?vue&type=template&id=89df8f2e","webpack:///nextcloud/apps/files/src/store/viewConfig.ts","webpack:///nextcloud/apps/files/src/logger.js","webpack:///nextcloud/node_modules/throttle-debounce/esm/index.js","webpack:///nextcloud/node_modules/vue-material-design-icons/ChartPie.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/ChartPie.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/ChartPie.vue?421f","webpack:///nextcloud/node_modules/vue-material-design-icons/ChartPie.vue?vue&type=template&id=b117066e","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/files/src/components/NavigationQuota.vue?ebc6","webpack://nextcloud/./apps/files/src/components/NavigationQuota.vue?2966","webpack://nextcloud/./apps/files/src/components/NavigationQuota.vue?08cb","webpack://nextcloud/./apps/files/src/views/Settings.vue?84f7","webpack:///nextcloud/node_modules/vue-material-design-icons/Clipboard.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Clipboard.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Clipboard.vue?68c7","webpack:///nextcloud/node_modules/vue-material-design-icons/Clipboard.vue?vue&type=template&id=0c133921","webpack:///nextcloud/apps/files/src/components/Setting.vue","webpack:///nextcloud/apps/files/src/components/Setting.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/files/src/components/Setting.vue?98ea","webpack://nextcloud/./apps/files/src/components/Setting.vue?8d57","webpack:///nextcloud/apps/files/src/store/userconfig.ts","webpack:///nextcloud/apps/files/src/views/Settings.vue","webpack:///nextcloud/apps/files/src/views/Settings.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/files/src/views/Settings.vue?08ea","webpack://nextcloud/./apps/files/src/views/Settings.vue?b81b","webpack:///nextcloud/apps/files/src/views/Navigation.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/views/Navigation.vue","webpack://nextcloud/./apps/files/src/views/Navigation.vue?ee84","webpack://nextcloud/./apps/files/src/views/Navigation.vue?74b9","webpack:///nextcloud/apps/files/src/views/FilesList.vue","webpack:///nextcloud/node_modules/natural-orderby/dist/index.js","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?5dae","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?vue&type=template&id=00aea13f","webpack:///nextcloud/node_modules/vue-material-design-icons/AccountPlus.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/AccountPlus.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/AccountPlus.vue?2818","webpack:///nextcloud/node_modules/vue-material-design-icons/AccountPlus.vue?vue&type=template&id=a16afc28","webpack:///nextcloud/node_modules/vue-material-design-icons/ViewGrid.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/ViewGrid.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/ViewGrid.vue?4e55","webpack:///nextcloud/node_modules/vue-material-design-icons/ViewGrid.vue?vue&type=template&id=7b96a104","webpack:///nextcloud/apps/files/src/actions/sidebarAction.ts","webpack:///nextcloud/apps/files/src/store/files.ts","webpack:///nextcloud/apps/files/src/store/paths.ts","webpack:///nextcloud/apps/files/src/store/selection.ts","webpack:///nextcloud/apps/files/src/store/uploader.ts","webpack:///nextcloud/apps/files/src/services/DropServiceUtils.ts","webpack://nextcloud/./node_modules/@nextcloud/dialogs/dist/style.css?d87c","webpack:///nextcloud/apps/files/src/actions/moveOrCopyActionUtils.ts","webpack:///nextcloud/apps/files/src/services/WebdavClient.ts","webpack:///nextcloud/apps/files/src/utils/hashUtils.ts","webpack:///nextcloud/apps/files/src/services/Files.ts","webpack:///nextcloud/apps/files/src/utils/fileUtils.ts","webpack:///nextcloud/apps/files/src/actions/moveOrCopyAction.ts","webpack:///nextcloud/apps/files/src/services/DropService.ts","webpack:///nextcloud/apps/files/src/store/dragging.ts","webpack:///nextcloud/apps/files/src/mixins/filesListWidth.ts","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue","webpack://nextcloud/./apps/files/src/components/BreadCrumbs.vue?f1b7","webpack://nextcloud/./apps/files/src/components/BreadCrumbs.vue?d357","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue","webpack:///nextcloud/apps/files/src/store/actionsmenu.ts","webpack:///nextcloud/apps/files/src/store/renaming.ts","webpack:///nextcloud/node_modules/vue-material-design-icons/FileMultiple.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/FileMultiple.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/FileMultiple.vue?6e9d","webpack:///nextcloud/node_modules/vue-material-design-icons/FileMultiple.vue?vue&type=template&id=27b46e04","webpack:///nextcloud/node_modules/vue-material-design-icons/Folder.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Folder.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Folder.vue?b60e","webpack:///nextcloud/node_modules/vue-material-design-icons/Folder.vue?vue&type=template&id=07f089a4","webpack:///nextcloud/apps/files/src/components/DragAndDropPreview.vue","webpack:///nextcloud/apps/files/src/components/DragAndDropPreview.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/DragAndDropPreview.vue?3906","webpack://nextcloud/./apps/files/src/components/DragAndDropPreview.vue?36f6","webpack:///nextcloud/apps/files/src/utils/dragUtils.ts","webpack:///nextcloud/apps/files/src/components/FileEntryMixin.ts","webpack:///nextcloud/apps/files/src/components/CustomElementRender.vue","webpack:///nextcloud/apps/files/src/components/CustomElementRender.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/CustomElementRender.vue?5f5c","webpack:///nextcloud/node_modules/vue-material-design-icons/ArrowLeft.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/ArrowLeft.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/ArrowLeft.vue?f857","webpack:///nextcloud/node_modules/vue-material-design-icons/ArrowLeft.vue?vue&type=template&id=214c9a86","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?a942","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?89ae","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?7b52","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryCheckbox.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryCheckbox.vue","webpack:///nextcloud/apps/files/src/store/keyboard.ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryCheckbox.vue?a18b","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryName.vue","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryName.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryName.vue?98a4","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryPreview.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/File.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/File.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/File.vue?245d","webpack:///nextcloud/node_modules/vue-material-design-icons/File.vue?vue&type=template&id=e3c8d598","webpack:///nextcloud/node_modules/vue-material-design-icons/FolderOpen.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/FolderOpen.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/FolderOpen.vue?6818","webpack:///nextcloud/node_modules/vue-material-design-icons/FolderOpen.vue?vue&type=template&id=79cee0a4","webpack:///nextcloud/node_modules/vue-material-design-icons/Key.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Key.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Key.vue?157c","webpack:///nextcloud/node_modules/vue-material-design-icons/Key.vue?vue&type=template&id=01a06d54","webpack:///nextcloud/node_modules/vue-material-design-icons/Network.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Network.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Network.vue?11eb","webpack:///nextcloud/node_modules/vue-material-design-icons/Network.vue?vue&type=template&id=29f8873c","webpack:///nextcloud/node_modules/vue-material-design-icons/Tag.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Tag.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Tag.vue?6116","webpack:///nextcloud/node_modules/vue-material-design-icons/Tag.vue?vue&type=template&id=75dd05e4","webpack:///nextcloud/node_modules/vue-material-design-icons/PlayCircle.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/PlayCircle.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/PlayCircle.vue?0c26","webpack:///nextcloud/node_modules/vue-material-design-icons/PlayCircle.vue?vue&type=template&id=6901b3e6","webpack:///nextcloud/apps/files/src/components/FileEntry/CollectivesIcon.vue?vue&type=script&lang=js","webpack:///nextcloud/apps/files/src/components/FileEntry/CollectivesIcon.vue","webpack://nextcloud/./apps/files/src/components/FileEntry/CollectivesIcon.vue?1937","webpack://nextcloud/./apps/files/src/components/FileEntry/CollectivesIcon.vue?949d","webpack:///nextcloud/apps/files/src/components/FileEntry/FavoriteIcon.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntry/FavoriteIcon.vue","webpack://nextcloud/./apps/files/src/components/FileEntry/FavoriteIcon.vue?6d98","webpack://nextcloud/./apps/files/src/components/FileEntry/FavoriteIcon.vue?62c6","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryPreview.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/services/LivePhotos.ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryPreview.vue?8c1f","webpack:///nextcloud/apps/files/src/components/FileEntry.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntry.vue","webpack://nextcloud/./apps/files/src/components/FileEntry.vue?da7c","webpack:///nextcloud/apps/files/src/components/FileEntryGrid.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntryGrid.vue","webpack://nextcloud/./apps/files/src/components/FileEntryGrid.vue?bb8e","webpack:///nextcloud/apps/files/src/components/FilesListHeader.vue","webpack:///nextcloud/apps/files/src/components/FilesListHeader.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListHeader.vue?349b","webpack:///nextcloud/apps/files/src/components/FilesListTableFooter.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FilesListTableFooter.vue","webpack://nextcloud/./apps/files/src/components/FilesListTableFooter.vue?975a","webpack://nextcloud/./apps/files/src/components/FilesListTableFooter.vue?fa4c","webpack:///nextcloud/apps/files/src/components/FilesListTableHeader.vue","webpack:///nextcloud/apps/files/src/mixins/filesSorting.ts","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderButton.vue?7b8e","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderButton.vue?e364","webpack:///nextcloud/apps/files/src/components/FilesListTableHeader.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListTableHeader.vue?1b05","webpack://nextcloud/./apps/files/src/components/FilesListTableHeader.vue?b1c9","webpack:///nextcloud/apps/files/src/components/VirtualList.vue","webpack:///nextcloud/apps/files/src/components/VirtualList.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/VirtualList.vue?37fa","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderActions.vue?0445","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderActions.vue?9494","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?4ceb","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?22b6","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?3555","webpack:///nextcloud/node_modules/vue-material-design-icons/TrayArrowDown.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/TrayArrowDown.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/TrayArrowDown.vue?a897","webpack:///nextcloud/node_modules/vue-material-design-icons/TrayArrowDown.vue?vue&type=template&id=447c2cd4","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue","webpack://nextcloud/./apps/files/src/components/DragAndDropNotice.vue?c924","webpack://nextcloud/./apps/files/src/components/DragAndDropNotice.vue?a2e0","webpack:///nextcloud/apps/files/src/views/FilesList.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/views/FilesList.vue?d5db","webpack://nextcloud/./apps/files/src/views/FilesList.vue?1e5b","webpack:///nextcloud/apps/files/src/FilesApp.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/FilesApp.vue?597e","webpack:///nextcloud/apps/files/src/main.ts","webpack:///nextcloud/apps/files/src/services/RouterService.ts","webpack:///nextcloud/apps/files/src/services/Settings.js","webpack:///nextcloud/apps/files/src/models/Setting.js","webpack:///nextcloud/node_modules/cancelable-promise/umd/CancelablePromise.js","webpack:///nextcloud/node_modules/@nextcloud/dialogs/dist/style.css","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/FileEntry/FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/views/FilesList.vue?vue&type=style&index=0&id=dcc61216&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/views/Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/views/Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true","webpack:///nextcloud/node_modules/sax/lib/sax.js","webpack:///nextcloud/node_modules/setimmediate/setImmediate.js","webpack:///nextcloud/node_modules/simple-eta/index.js","webpack:///nextcloud/node_modules/timers-browserify/main.js","webpack:///nextcloud/node_modules/xml2js/lib/bom.js","webpack:///nextcloud/node_modules/xml2js/lib/builder.js","webpack:///nextcloud/node_modules/xml2js/lib/defaults.js","webpack:///nextcloud/node_modules/xml2js/lib/parser.js","webpack:///nextcloud/node_modules/xml2js/lib/processors.js","webpack:///nextcloud/node_modules/xml2js/lib/xml2js.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/DocumentPosition.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/NodeType.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/Utility.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/WriterState.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLAttribute.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLCData.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLCharacterData.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLComment.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMConfiguration.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMErrorHandler.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMImplementation.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMStringList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDAttList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDElement.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDEntity.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDNotation.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDeclaration.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocType.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocument.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocumentCB.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDummy.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLElement.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNamedNodeMap.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNode.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNodeList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLProcessingInstruction.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLRaw.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStreamWriter.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStringWriter.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStringifier.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLText.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLWriterBase.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/index.js","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack://nextcloud/./node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css?40cd","webpack:///nextcloud/node_modules/p-cancelable/index.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-timeout/index.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-queue/dist/priority-queue.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-queue/dist/lower-bound.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-queue/dist/index.js","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/chunks/index-DM2X1kc6.mjs","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/@nextcloud/router/dist/index.mjs","webpack:///nextcloud/node_modules/axios/index.js","webpack:///nextcloud/webpack/bootstrap","webpack:///nextcloud/webpack/runtime/compat get default export","webpack:///nextcloud/webpack/runtime/define property getters","webpack:///nextcloud/webpack/runtime/ensure chunk","webpack:///nextcloud/webpack/runtime/get javascript chunk filename","webpack:///nextcloud/webpack/runtime/global","webpack:///nextcloud/webpack/runtime/hasOwnProperty shorthand","webpack:///nextcloud/webpack/runtime/make namespace object","webpack:///nextcloud/webpack/runtime/node module decorator","webpack:///nextcloud/webpack/runtime/runtimeId","webpack:///nextcloud/webpack/runtime/publicPath","webpack:///nextcloud/webpack/runtime/jsonp chunk loading","webpack:///nextcloud/webpack/runtime/nonce","webpack:///nextcloud/webpack/startup"],"sourcesContent":["var deferred = [];\n__webpack_require__.O = (result, chunkIds, fn, priority) => {\n\tif(chunkIds) {\n\t\tpriority = priority || 0;\n\t\tfor(var i = deferred.length; i > 0 && deferred[i - 1][2] > priority; i--) deferred[i] = deferred[i - 1];\n\t\tdeferred[i] = [chunkIds, fn, priority];\n\t\treturn;\n\t}\n\tvar notFulfilled = Infinity;\n\tfor (var i = 0; i < deferred.length; i++) {\n\t\tvar chunkIds = deferred[i][0];\n\t\tvar fn = deferred[i][1];\n\t\tvar priority = deferred[i][2];\n\t\tvar fulfilled = true;\n\t\tfor (var j = 0; j < chunkIds.length; j++) {\n\t\t\tif ((priority & 1 === 0 || notFulfilled >= priority) && Object.keys(__webpack_require__.O).every((key) => (__webpack_require__.O[key](chunkIds[j])))) {\n\t\t\t\tchunkIds.splice(j--, 1);\n\t\t\t} else {\n\t\t\t\tfulfilled = false;\n\t\t\t\tif(priority < notFulfilled) notFulfilled = priority;\n\t\t\t}\n\t\t}\n\t\tif(fulfilled) {\n\t\t\tdeferred.splice(i--, 1)\n\t\t\tvar r = fn();\n\t\t\tif (r !== undefined) result = r;\n\t\t}\n\t}\n\treturn result;\n};","var inProgress = {};\nvar dataWebpackPrefix = \"nextcloud:\";\n// loadScript function to load a script via script tag\n__webpack_require__.l = (url, done, key, chunkId) => {\n\tif(inProgress[url]) { inProgress[url].push(done); return; }\n\tvar script, needAttach;\n\tif(key !== undefined) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tfor(var i = 0; i < scripts.length; i++) {\n\t\t\tvar s = scripts[i];\n\t\t\tif(s.getAttribute(\"src\") == url || s.getAttribute(\"data-webpack\") == dataWebpackPrefix + key) { script = s; break; }\n\t\t}\n\t}\n\tif(!script) {\n\t\tneedAttach = true;\n\t\tscript = document.createElement('script');\n\n\t\tscript.charset = 'utf-8';\n\t\tscript.timeout = 120;\n\t\tif (__webpack_require__.nc) {\n\t\t\tscript.setAttribute(\"nonce\", __webpack_require__.nc);\n\t\t}\n\t\tscript.setAttribute(\"data-webpack\", dataWebpackPrefix + key);\n\n\t\tscript.src = url;\n\t}\n\tinProgress[url] = [done];\n\tvar onScriptComplete = (prev, event) => {\n\t\t// avoid mem leaks in IE.\n\t\tscript.onerror = script.onload = null;\n\t\tclearTimeout(timeout);\n\t\tvar doneFns = inProgress[url];\n\t\tdelete inProgress[url];\n\t\tscript.parentNode && script.parentNode.removeChild(script);\n\t\tdoneFns && doneFns.forEach((fn) => (fn(event)));\n\t\tif(prev) return prev(event);\n\t}\n\tvar timeout = setTimeout(onScriptComplete.bind(null, undefined, { type: 'timeout', target: script }), 120000);\n\tscript.onerror = onScriptComplete.bind(null, script.onerror);\n\tscript.onload = onScriptComplete.bind(null, script.onload);\n\tneedAttach && document.head.appendChild(script);\n};","'use strict';\n\nvar has = Object.prototype.hasOwnProperty\n , prefix = '~';\n\n/**\n * Constructor to create a storage for our `EE` objects.\n * An `Events` instance is a plain object whose properties are event names.\n *\n * @constructor\n * @private\n */\nfunction Events() {}\n\n//\n// We try to not inherit from `Object.prototype`. In some engines creating an\n// instance in this way is faster than calling `Object.create(null)` directly.\n// If `Object.create(null)` is not supported we prefix the event names with a\n// character to make sure that the built-in object properties are not\n// overridden or used as an attack vector.\n//\nif (Object.create) {\n Events.prototype = Object.create(null);\n\n //\n // This hack is needed because the `__proto__` property is still inherited in\n // some old browsers like Android 4, iPhone 5.1, Opera 11 and Safari 5.\n //\n if (!new Events().__proto__) prefix = false;\n}\n\n/**\n * Representation of a single event listener.\n *\n * @param {Function} fn The listener function.\n * @param {*} context The context to invoke the listener with.\n * @param {Boolean} [once=false] Specify if the listener is a one-time listener.\n * @constructor\n * @private\n */\nfunction EE(fn, context, once) {\n this.fn = fn;\n this.context = context;\n this.once = once || false;\n}\n\n/**\n * Add a listener for a given event.\n *\n * @param {EventEmitter} emitter Reference to the `EventEmitter` instance.\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn The listener function.\n * @param {*} context The context to invoke the listener with.\n * @param {Boolean} once Specify if the listener is a one-time listener.\n * @returns {EventEmitter}\n * @private\n */\nfunction addListener(emitter, event, fn, context, once) {\n if (typeof fn !== 'function') {\n throw new TypeError('The listener must be a function');\n }\n\n var listener = new EE(fn, context || emitter, once)\n , evt = prefix ? prefix + event : event;\n\n if (!emitter._events[evt]) emitter._events[evt] = listener, emitter._eventsCount++;\n else if (!emitter._events[evt].fn) emitter._events[evt].push(listener);\n else emitter._events[evt] = [emitter._events[evt], listener];\n\n return emitter;\n}\n\n/**\n * Clear event by name.\n *\n * @param {EventEmitter} emitter Reference to the `EventEmitter` instance.\n * @param {(String|Symbol)} evt The Event name.\n * @private\n */\nfunction clearEvent(emitter, evt) {\n if (--emitter._eventsCount === 0) emitter._events = new Events();\n else delete emitter._events[evt];\n}\n\n/**\n * Minimal `EventEmitter` interface that is molded against the Node.js\n * `EventEmitter` interface.\n *\n * @constructor\n * @public\n */\nfunction EventEmitter() {\n this._events = new Events();\n this._eventsCount = 0;\n}\n\n/**\n * Return an array listing the events for which the emitter has registered\n * listeners.\n *\n * @returns {Array}\n * @public\n */\nEventEmitter.prototype.eventNames = function eventNames() {\n var names = []\n , events\n , name;\n\n if (this._eventsCount === 0) return names;\n\n for (name in (events = this._events)) {\n if (has.call(events, name)) names.push(prefix ? name.slice(1) : name);\n }\n\n if (Object.getOwnPropertySymbols) {\n return names.concat(Object.getOwnPropertySymbols(events));\n }\n\n return names;\n};\n\n/**\n * Return the listeners registered for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @returns {Array} The registered listeners.\n * @public\n */\nEventEmitter.prototype.listeners = function listeners(event) {\n var evt = prefix ? prefix + event : event\n , handlers = this._events[evt];\n\n if (!handlers) return [];\n if (handlers.fn) return [handlers.fn];\n\n for (var i = 0, l = handlers.length, ee = new Array(l); i < l; i++) {\n ee[i] = handlers[i].fn;\n }\n\n return ee;\n};\n\n/**\n * Return the number of listeners listening to a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @returns {Number} The number of listeners.\n * @public\n */\nEventEmitter.prototype.listenerCount = function listenerCount(event) {\n var evt = prefix ? prefix + event : event\n , listeners = this._events[evt];\n\n if (!listeners) return 0;\n if (listeners.fn) return 1;\n return listeners.length;\n};\n\n/**\n * Calls each of the listeners registered for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @returns {Boolean} `true` if the event had listeners, else `false`.\n * @public\n */\nEventEmitter.prototype.emit = function emit(event, a1, a2, a3, a4, a5) {\n var evt = prefix ? prefix + event : event;\n\n if (!this._events[evt]) return false;\n\n var listeners = this._events[evt]\n , len = arguments.length\n , args\n , i;\n\n if (listeners.fn) {\n if (listeners.once) this.removeListener(event, listeners.fn, undefined, true);\n\n switch (len) {\n case 1: return listeners.fn.call(listeners.context), true;\n case 2: return listeners.fn.call(listeners.context, a1), true;\n case 3: return listeners.fn.call(listeners.context, a1, a2), true;\n case 4: return listeners.fn.call(listeners.context, a1, a2, a3), true;\n case 5: return listeners.fn.call(listeners.context, a1, a2, a3, a4), true;\n case 6: return listeners.fn.call(listeners.context, a1, a2, a3, a4, a5), true;\n }\n\n for (i = 1, args = new Array(len -1); i < len; i++) {\n args[i - 1] = arguments[i];\n }\n\n listeners.fn.apply(listeners.context, args);\n } else {\n var length = listeners.length\n , j;\n\n for (i = 0; i < length; i++) {\n if (listeners[i].once) this.removeListener(event, listeners[i].fn, undefined, true);\n\n switch (len) {\n case 1: listeners[i].fn.call(listeners[i].context); break;\n case 2: listeners[i].fn.call(listeners[i].context, a1); break;\n case 3: listeners[i].fn.call(listeners[i].context, a1, a2); break;\n case 4: listeners[i].fn.call(listeners[i].context, a1, a2, a3); break;\n default:\n if (!args) for (j = 1, args = new Array(len -1); j < len; j++) {\n args[j - 1] = arguments[j];\n }\n\n listeners[i].fn.apply(listeners[i].context, args);\n }\n }\n }\n\n return true;\n};\n\n/**\n * Add a listener for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn The listener function.\n * @param {*} [context=this] The context to invoke the listener with.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.on = function on(event, fn, context) {\n return addListener(this, event, fn, context, false);\n};\n\n/**\n * Add a one-time listener for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn The listener function.\n * @param {*} [context=this] The context to invoke the listener with.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.once = function once(event, fn, context) {\n return addListener(this, event, fn, context, true);\n};\n\n/**\n * Remove the listeners of a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn Only remove the listeners that match this function.\n * @param {*} context Only remove the listeners that have this context.\n * @param {Boolean} once Only remove one-time listeners.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.removeListener = function removeListener(event, fn, context, once) {\n var evt = prefix ? prefix + event : event;\n\n if (!this._events[evt]) return this;\n if (!fn) {\n clearEvent(this, evt);\n return this;\n }\n\n var listeners = this._events[evt];\n\n if (listeners.fn) {\n if (\n listeners.fn === fn &&\n (!once || listeners.once) &&\n (!context || listeners.context === context)\n ) {\n clearEvent(this, evt);\n }\n } else {\n for (var i = 0, events = [], length = listeners.length; i < length; i++) {\n if (\n listeners[i].fn !== fn ||\n (once && !listeners[i].once) ||\n (context && listeners[i].context !== context)\n ) {\n events.push(listeners[i]);\n }\n }\n\n //\n // Reset the array, or remove it completely if we have no more listeners.\n //\n if (events.length) this._events[evt] = events.length === 1 ? events[0] : events;\n else clearEvent(this, evt);\n }\n\n return this;\n};\n\n/**\n * Remove all listeners, or those of the specified event.\n *\n * @param {(String|Symbol)} [event] The event name.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.removeAllListeners = function removeAllListeners(event) {\n var evt;\n\n if (event) {\n evt = prefix ? prefix + event : event;\n if (this._events[evt]) clearEvent(this, evt);\n } else {\n this._events = new Events();\n this._eventsCount = 0;\n }\n\n return this;\n};\n\n//\n// Alias methods names because people roll like that.\n//\nEventEmitter.prototype.off = EventEmitter.prototype.removeListener;\nEventEmitter.prototype.addListener = EventEmitter.prototype.on;\n\n//\n// Expose the prefix.\n//\nEventEmitter.prefixed = prefix;\n\n//\n// Allow `EventEmitter` to be imported as module namespace.\n//\nEventEmitter.EventEmitter = EventEmitter;\n\n//\n// Expose the module.\n//\nif ('undefined' !== typeof module) {\n module.exports = EventEmitter;\n}\n","/*!\n * pinia v2.1.7\n * (c) 2023 Eduardo San Martin Morote\n * @license MIT\n */\nimport { hasInjectionContext, inject, toRaw, watch, unref, markRaw, effectScope, ref, isVue2, isRef, isReactive, set, getCurrentScope, onScopeDispose, getCurrentInstance, reactive, toRef, del, nextTick, computed, toRefs } from 'vue-demi';\nimport { setupDevtoolsPlugin } from '@vue/devtools-api';\n\n/**\n * setActivePinia must be called to handle SSR at the top of functions like\n * `fetch`, `setup`, `serverPrefetch` and others\n */\nlet activePinia;\n/**\n * Sets or unsets the active pinia. Used in SSR and internally when calling\n * actions and getters\n *\n * @param pinia - Pinia instance\n */\n// @ts-expect-error: cannot constrain the type of the return\nconst setActivePinia = (pinia) => (activePinia = pinia);\n/**\n * Get the currently active pinia if there is any.\n */\nconst getActivePinia = () => (hasInjectionContext() && inject(piniaSymbol)) || activePinia;\nconst piniaSymbol = ((process.env.NODE_ENV !== 'production') ? Symbol('pinia') : /* istanbul ignore next */ Symbol());\n\nfunction isPlainObject(\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\no) {\n return (o &&\n typeof o === 'object' &&\n Object.prototype.toString.call(o) === '[object Object]' &&\n typeof o.toJSON !== 'function');\n}\n// type DeepReadonly<T> = { readonly [P in keyof T]: DeepReadonly<T[P]> }\n// TODO: can we change these to numbers?\n/**\n * Possible types for SubscriptionCallback\n */\nvar MutationType;\n(function (MutationType) {\n /**\n * Direct mutation of the state:\n *\n * - `store.name = 'new name'`\n * - `store.$state.name = 'new name'`\n * - `store.list.push('new item')`\n */\n MutationType[\"direct\"] = \"direct\";\n /**\n * Mutated the state with `$patch` and an object\n *\n * - `store.$patch({ name: 'newName' })`\n */\n MutationType[\"patchObject\"] = \"patch object\";\n /**\n * Mutated the state with `$patch` and a function\n *\n * - `store.$patch(state => state.name = 'newName')`\n */\n MutationType[\"patchFunction\"] = \"patch function\";\n // maybe reset? for $state = {} and $reset\n})(MutationType || (MutationType = {}));\n\nconst IS_CLIENT = typeof window !== 'undefined';\n/**\n * Should we add the devtools plugins.\n * - only if dev mode or forced through the prod devtools flag\n * - not in test\n * - only if window exists (could change in the future)\n */\nconst USE_DEVTOOLS = ((process.env.NODE_ENV !== 'production') || (typeof __VUE_PROD_DEVTOOLS__ !== 'undefined' && __VUE_PROD_DEVTOOLS__)) && !(process.env.NODE_ENV === 'test') && IS_CLIENT;\n\n/*\n * FileSaver.js A saveAs() FileSaver implementation.\n *\n * Originally by Eli Grey, adapted as an ESM module by Eduardo San Martin\n * Morote.\n *\n * License : MIT\n */\n// The one and only way of getting global scope in all environments\n// https://stackoverflow.com/q/3277182/1008999\nconst _global = /*#__PURE__*/ (() => typeof window === 'object' && window.window === window\n ? window\n : typeof self === 'object' && self.self === self\n ? self\n : typeof global === 'object' && global.global === global\n ? global\n : typeof globalThis === 'object'\n ? globalThis\n : { HTMLElement: null })();\nfunction bom(blob, { autoBom = false } = {}) {\n // prepend BOM for UTF-8 XML and text/* types (including HTML)\n // note: your browser will automatically convert UTF-16 U+FEFF to EF BB BF\n if (autoBom &&\n /^\\s*(?:text\\/\\S*|application\\/xml|\\S*\\/\\S*\\+xml)\\s*;.*charset\\s*=\\s*utf-8/i.test(blob.type)) {\n return new Blob([String.fromCharCode(0xfeff), blob], { type: blob.type });\n }\n return blob;\n}\nfunction download(url, name, opts) {\n const xhr = new XMLHttpRequest();\n xhr.open('GET', url);\n xhr.responseType = 'blob';\n xhr.onload = function () {\n saveAs(xhr.response, name, opts);\n };\n xhr.onerror = function () {\n console.error('could not download file');\n };\n xhr.send();\n}\nfunction corsEnabled(url) {\n const xhr = new XMLHttpRequest();\n // use sync to avoid popup blocker\n xhr.open('HEAD', url, false);\n try {\n xhr.send();\n }\n catch (e) { }\n return xhr.status >= 200 && xhr.status <= 299;\n}\n// `a.click()` doesn't work for all browsers (#465)\nfunction click(node) {\n try {\n node.dispatchEvent(new MouseEvent('click'));\n }\n catch (e) {\n const evt = document.createEvent('MouseEvents');\n evt.initMouseEvent('click', true, true, window, 0, 0, 0, 80, 20, false, false, false, false, 0, null);\n node.dispatchEvent(evt);\n }\n}\nconst _navigator = \n typeof navigator === 'object' ? navigator : { userAgent: '' };\n// Detect WebView inside a native macOS app by ruling out all browsers\n// We just need to check for 'Safari' because all other browsers (besides Firefox) include that too\n// https://www.whatismybrowser.com/guides/the-latest-user-agent/macos\nconst isMacOSWebView = /*#__PURE__*/ (() => /Macintosh/.test(_navigator.userAgent) &&\n /AppleWebKit/.test(_navigator.userAgent) &&\n !/Safari/.test(_navigator.userAgent))();\nconst saveAs = !IS_CLIENT\n ? () => { } // noop\n : // Use download attribute first if possible (#193 Lumia mobile) unless this is a macOS WebView or mini program\n typeof HTMLAnchorElement !== 'undefined' &&\n 'download' in HTMLAnchorElement.prototype &&\n !isMacOSWebView\n ? downloadSaveAs\n : // Use msSaveOrOpenBlob as a second approach\n 'msSaveOrOpenBlob' in _navigator\n ? msSaveAs\n : // Fallback to using FileReader and a popup\n fileSaverSaveAs;\nfunction downloadSaveAs(blob, name = 'download', opts) {\n const a = document.createElement('a');\n a.download = name;\n a.rel = 'noopener'; // tabnabbing\n // TODO: detect chrome extensions & packaged apps\n // a.target = '_blank'\n if (typeof blob === 'string') {\n // Support regular links\n a.href = blob;\n if (a.origin !== location.origin) {\n if (corsEnabled(a.href)) {\n download(blob, name, opts);\n }\n else {\n a.target = '_blank';\n click(a);\n }\n }\n else {\n click(a);\n }\n }\n else {\n // Support blobs\n a.href = URL.createObjectURL(blob);\n setTimeout(function () {\n URL.revokeObjectURL(a.href);\n }, 4e4); // 40s\n setTimeout(function () {\n click(a);\n }, 0);\n }\n}\nfunction msSaveAs(blob, name = 'download', opts) {\n if (typeof blob === 'string') {\n if (corsEnabled(blob)) {\n download(blob, name, opts);\n }\n else {\n const a = document.createElement('a');\n a.href = blob;\n a.target = '_blank';\n setTimeout(function () {\n click(a);\n });\n }\n }\n else {\n // @ts-ignore: works on windows\n navigator.msSaveOrOpenBlob(bom(blob, opts), name);\n }\n}\nfunction fileSaverSaveAs(blob, name, opts, popup) {\n // Open a popup immediately do go around popup blocker\n // Mostly only available on user interaction and the fileReader is async so...\n popup = popup || open('', '_blank');\n if (popup) {\n popup.document.title = popup.document.body.innerText = 'downloading...';\n }\n if (typeof blob === 'string')\n return download(blob, name, opts);\n const force = blob.type === 'application/octet-stream';\n const isSafari = /constructor/i.test(String(_global.HTMLElement)) || 'safari' in _global;\n const isChromeIOS = /CriOS\\/[\\d]+/.test(navigator.userAgent);\n if ((isChromeIOS || (force && isSafari) || isMacOSWebView) &&\n typeof FileReader !== 'undefined') {\n // Safari doesn't allow downloading of blob URLs\n const reader = new FileReader();\n reader.onloadend = function () {\n let url = reader.result;\n if (typeof url !== 'string') {\n popup = null;\n throw new Error('Wrong reader.result type');\n }\n url = isChromeIOS\n ? url\n : url.replace(/^data:[^;]*;/, 'data:attachment/file;');\n if (popup) {\n popup.location.href = url;\n }\n else {\n location.assign(url);\n }\n popup = null; // reverse-tabnabbing #460\n };\n reader.readAsDataURL(blob);\n }\n else {\n const url = URL.createObjectURL(blob);\n if (popup)\n popup.location.assign(url);\n else\n location.href = url;\n popup = null; // reverse-tabnabbing #460\n setTimeout(function () {\n URL.revokeObjectURL(url);\n }, 4e4); // 40s\n }\n}\n\n/**\n * Shows a toast or console.log\n *\n * @param message - message to log\n * @param type - different color of the tooltip\n */\nfunction toastMessage(message, type) {\n const piniaMessage = '🍍 ' + message;\n if (typeof __VUE_DEVTOOLS_TOAST__ === 'function') {\n // No longer available :(\n __VUE_DEVTOOLS_TOAST__(piniaMessage, type);\n }\n else if (type === 'error') {\n console.error(piniaMessage);\n }\n else if (type === 'warn') {\n console.warn(piniaMessage);\n }\n else {\n console.log(piniaMessage);\n }\n}\nfunction isPinia(o) {\n return '_a' in o && 'install' in o;\n}\n\n/**\n * This file contain devtools actions, they are not Pinia actions.\n */\n// ---\nfunction checkClipboardAccess() {\n if (!('clipboard' in navigator)) {\n toastMessage(`Your browser doesn't support the Clipboard API`, 'error');\n return true;\n }\n}\nfunction checkNotFocusedError(error) {\n if (error instanceof Error &&\n error.message.toLowerCase().includes('document is not focused')) {\n toastMessage('You need to activate the \"Emulate a focused page\" setting in the \"Rendering\" panel of devtools.', 'warn');\n return true;\n }\n return false;\n}\nasync function actionGlobalCopyState(pinia) {\n if (checkClipboardAccess())\n return;\n try {\n await navigator.clipboard.writeText(JSON.stringify(pinia.state.value));\n toastMessage('Global state copied to clipboard.');\n }\n catch (error) {\n if (checkNotFocusedError(error))\n return;\n toastMessage(`Failed to serialize the state. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nasync function actionGlobalPasteState(pinia) {\n if (checkClipboardAccess())\n return;\n try {\n loadStoresState(pinia, JSON.parse(await navigator.clipboard.readText()));\n toastMessage('Global state pasted from clipboard.');\n }\n catch (error) {\n if (checkNotFocusedError(error))\n return;\n toastMessage(`Failed to deserialize the state from clipboard. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nasync function actionGlobalSaveState(pinia) {\n try {\n saveAs(new Blob([JSON.stringify(pinia.state.value)], {\n type: 'text/plain;charset=utf-8',\n }), 'pinia-state.json');\n }\n catch (error) {\n toastMessage(`Failed to export the state as JSON. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nlet fileInput;\nfunction getFileOpener() {\n if (!fileInput) {\n fileInput = document.createElement('input');\n fileInput.type = 'file';\n fileInput.accept = '.json';\n }\n function openFile() {\n return new Promise((resolve, reject) => {\n fileInput.onchange = async () => {\n const files = fileInput.files;\n if (!files)\n return resolve(null);\n const file = files.item(0);\n if (!file)\n return resolve(null);\n return resolve({ text: await file.text(), file });\n };\n // @ts-ignore: TODO: changed from 4.3 to 4.4\n fileInput.oncancel = () => resolve(null);\n fileInput.onerror = reject;\n fileInput.click();\n });\n }\n return openFile;\n}\nasync function actionGlobalOpenStateFile(pinia) {\n try {\n const open = getFileOpener();\n const result = await open();\n if (!result)\n return;\n const { text, file } = result;\n loadStoresState(pinia, JSON.parse(text));\n toastMessage(`Global state imported from \"${file.name}\".`);\n }\n catch (error) {\n toastMessage(`Failed to import the state from JSON. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nfunction loadStoresState(pinia, state) {\n for (const key in state) {\n const storeState = pinia.state.value[key];\n // store is already instantiated, patch it\n if (storeState) {\n Object.assign(storeState, state[key]);\n }\n else {\n // store is not instantiated, set the initial state\n pinia.state.value[key] = state[key];\n }\n }\n}\n\nfunction formatDisplay(display) {\n return {\n _custom: {\n display,\n },\n };\n}\nconst PINIA_ROOT_LABEL = '🍍 Pinia (root)';\nconst PINIA_ROOT_ID = '_root';\nfunction formatStoreForInspectorTree(store) {\n return isPinia(store)\n ? {\n id: PINIA_ROOT_ID,\n label: PINIA_ROOT_LABEL,\n }\n : {\n id: store.$id,\n label: store.$id,\n };\n}\nfunction formatStoreForInspectorState(store) {\n if (isPinia(store)) {\n const storeNames = Array.from(store._s.keys());\n const storeMap = store._s;\n const state = {\n state: storeNames.map((storeId) => ({\n editable: true,\n key: storeId,\n value: store.state.value[storeId],\n })),\n getters: storeNames\n .filter((id) => storeMap.get(id)._getters)\n .map((id) => {\n const store = storeMap.get(id);\n return {\n editable: false,\n key: id,\n value: store._getters.reduce((getters, key) => {\n getters[key] = store[key];\n return getters;\n }, {}),\n };\n }),\n };\n return state;\n }\n const state = {\n state: Object.keys(store.$state).map((key) => ({\n editable: true,\n key,\n value: store.$state[key],\n })),\n };\n // avoid adding empty getters\n if (store._getters && store._getters.length) {\n state.getters = store._getters.map((getterName) => ({\n editable: false,\n key: getterName,\n value: store[getterName],\n }));\n }\n if (store._customProperties.size) {\n state.customProperties = Array.from(store._customProperties).map((key) => ({\n editable: true,\n key,\n value: store[key],\n }));\n }\n return state;\n}\nfunction formatEventData(events) {\n if (!events)\n return {};\n if (Array.isArray(events)) {\n // TODO: handle add and delete for arrays and objects\n return events.reduce((data, event) => {\n data.keys.push(event.key);\n data.operations.push(event.type);\n data.oldValue[event.key] = event.oldValue;\n data.newValue[event.key] = event.newValue;\n return data;\n }, {\n oldValue: {},\n keys: [],\n operations: [],\n newValue: {},\n });\n }\n else {\n return {\n operation: formatDisplay(events.type),\n key: formatDisplay(events.key),\n oldValue: events.oldValue,\n newValue: events.newValue,\n };\n }\n}\nfunction formatMutationType(type) {\n switch (type) {\n case MutationType.direct:\n return 'mutation';\n case MutationType.patchFunction:\n return '$patch';\n case MutationType.patchObject:\n return '$patch';\n default:\n return 'unknown';\n }\n}\n\n// timeline can be paused when directly changing the state\nlet isTimelineActive = true;\nconst componentStateTypes = [];\nconst MUTATIONS_LAYER_ID = 'pinia:mutations';\nconst INSPECTOR_ID = 'pinia';\nconst { assign: assign$1 } = Object;\n/**\n * Gets the displayed name of a store in devtools\n *\n * @param id - id of the store\n * @returns a formatted string\n */\nconst getStoreType = (id) => '🍍 ' + id;\n/**\n * Add the pinia plugin without any store. Allows displaying a Pinia plugin tab\n * as soon as it is added to the application.\n *\n * @param app - Vue application\n * @param pinia - pinia instance\n */\nfunction registerPiniaDevtools(app, pinia) {\n setupDevtoolsPlugin({\n id: 'dev.esm.pinia',\n label: 'Pinia 🍍',\n logo: 'https://pinia.vuejs.org/logo.svg',\n packageName: 'pinia',\n homepage: 'https://pinia.vuejs.org',\n componentStateTypes,\n app,\n }, (api) => {\n if (typeof api.now !== 'function') {\n toastMessage('You seem to be using an outdated version of Vue Devtools. Are you still using the Beta release instead of the stable one? You can find the links at https://devtools.vuejs.org/guide/installation.html.');\n }\n api.addTimelineLayer({\n id: MUTATIONS_LAYER_ID,\n label: `Pinia 🍍`,\n color: 0xe5df88,\n });\n api.addInspector({\n id: INSPECTOR_ID,\n label: 'Pinia 🍍',\n icon: 'storage',\n treeFilterPlaceholder: 'Search stores',\n actions: [\n {\n icon: 'content_copy',\n action: () => {\n actionGlobalCopyState(pinia);\n },\n tooltip: 'Serialize and copy the state',\n },\n {\n icon: 'content_paste',\n action: async () => {\n await actionGlobalPasteState(pinia);\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n },\n tooltip: 'Replace the state with the content of your clipboard',\n },\n {\n icon: 'save',\n action: () => {\n actionGlobalSaveState(pinia);\n },\n tooltip: 'Save the state as a JSON file',\n },\n {\n icon: 'folder_open',\n action: async () => {\n await actionGlobalOpenStateFile(pinia);\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n },\n tooltip: 'Import the state from a JSON file',\n },\n ],\n nodeActions: [\n {\n icon: 'restore',\n tooltip: 'Reset the state (with \"$reset\")',\n action: (nodeId) => {\n const store = pinia._s.get(nodeId);\n if (!store) {\n toastMessage(`Cannot reset \"${nodeId}\" store because it wasn't found.`, 'warn');\n }\n else if (typeof store.$reset !== 'function') {\n toastMessage(`Cannot reset \"${nodeId}\" store because it doesn't have a \"$reset\" method implemented.`, 'warn');\n }\n else {\n store.$reset();\n toastMessage(`Store \"${nodeId}\" reset.`);\n }\n },\n },\n ],\n });\n api.on.inspectComponent((payload, ctx) => {\n const proxy = (payload.componentInstance &&\n payload.componentInstance.proxy);\n if (proxy && proxy._pStores) {\n const piniaStores = payload.componentInstance.proxy._pStores;\n Object.values(piniaStores).forEach((store) => {\n payload.instanceData.state.push({\n type: getStoreType(store.$id),\n key: 'state',\n editable: true,\n value: store._isOptionsAPI\n ? {\n _custom: {\n value: toRaw(store.$state),\n actions: [\n {\n icon: 'restore',\n tooltip: 'Reset the state of this store',\n action: () => store.$reset(),\n },\n ],\n },\n }\n : // NOTE: workaround to unwrap transferred refs\n Object.keys(store.$state).reduce((state, key) => {\n state[key] = store.$state[key];\n return state;\n }, {}),\n });\n if (store._getters && store._getters.length) {\n payload.instanceData.state.push({\n type: getStoreType(store.$id),\n key: 'getters',\n editable: false,\n value: store._getters.reduce((getters, key) => {\n try {\n getters[key] = store[key];\n }\n catch (error) {\n // @ts-expect-error: we just want to show it in devtools\n getters[key] = error;\n }\n return getters;\n }, {}),\n });\n }\n });\n }\n });\n api.on.getInspectorTree((payload) => {\n if (payload.app === app && payload.inspectorId === INSPECTOR_ID) {\n let stores = [pinia];\n stores = stores.concat(Array.from(pinia._s.values()));\n payload.rootNodes = (payload.filter\n ? stores.filter((store) => '$id' in store\n ? store.$id\n .toLowerCase()\n .includes(payload.filter.toLowerCase())\n : PINIA_ROOT_LABEL.toLowerCase().includes(payload.filter.toLowerCase()))\n : stores).map(formatStoreForInspectorTree);\n }\n });\n api.on.getInspectorState((payload) => {\n if (payload.app === app && payload.inspectorId === INSPECTOR_ID) {\n const inspectedStore = payload.nodeId === PINIA_ROOT_ID\n ? pinia\n : pinia._s.get(payload.nodeId);\n if (!inspectedStore) {\n // this could be the selected store restored for a different project\n // so it's better not to say anything here\n return;\n }\n if (inspectedStore) {\n payload.state = formatStoreForInspectorState(inspectedStore);\n }\n }\n });\n api.on.editInspectorState((payload, ctx) => {\n if (payload.app === app && payload.inspectorId === INSPECTOR_ID) {\n const inspectedStore = payload.nodeId === PINIA_ROOT_ID\n ? pinia\n : pinia._s.get(payload.nodeId);\n if (!inspectedStore) {\n return toastMessage(`store \"${payload.nodeId}\" not found`, 'error');\n }\n const { path } = payload;\n if (!isPinia(inspectedStore)) {\n // access only the state\n if (path.length !== 1 ||\n !inspectedStore._customProperties.has(path[0]) ||\n path[0] in inspectedStore.$state) {\n path.unshift('$state');\n }\n }\n else {\n // Root access, we can omit the `.value` because the devtools API does it for us\n path.unshift('state');\n }\n isTimelineActive = false;\n payload.set(inspectedStore, path, payload.state.value);\n isTimelineActive = true;\n }\n });\n api.on.editComponentState((payload) => {\n if (payload.type.startsWith('🍍')) {\n const storeId = payload.type.replace(/^🍍\\s*/, '');\n const store = pinia._s.get(storeId);\n if (!store) {\n return toastMessage(`store \"${storeId}\" not found`, 'error');\n }\n const { path } = payload;\n if (path[0] !== 'state') {\n return toastMessage(`Invalid path for store \"${storeId}\":\\n${path}\\nOnly state can be modified.`);\n }\n // rewrite the first entry to be able to directly set the state as\n // well as any other path\n path[0] = '$state';\n isTimelineActive = false;\n payload.set(store, path, payload.state.value);\n isTimelineActive = true;\n }\n });\n });\n}\nfunction addStoreToDevtools(app, store) {\n if (!componentStateTypes.includes(getStoreType(store.$id))) {\n componentStateTypes.push(getStoreType(store.$id));\n }\n setupDevtoolsPlugin({\n id: 'dev.esm.pinia',\n label: 'Pinia 🍍',\n logo: 'https://pinia.vuejs.org/logo.svg',\n packageName: 'pinia',\n homepage: 'https://pinia.vuejs.org',\n componentStateTypes,\n app,\n settings: {\n logStoreChanges: {\n label: 'Notify about new/deleted stores',\n type: 'boolean',\n defaultValue: true,\n },\n // useEmojis: {\n // label: 'Use emojis in messages ⚡️',\n // type: 'boolean',\n // defaultValue: true,\n // },\n },\n }, (api) => {\n // gracefully handle errors\n const now = typeof api.now === 'function' ? api.now.bind(api) : Date.now;\n store.$onAction(({ after, onError, name, args }) => {\n const groupId = runningActionId++;\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: '🛫 ' + name,\n subtitle: 'start',\n data: {\n store: formatDisplay(store.$id),\n action: formatDisplay(name),\n args,\n },\n groupId,\n },\n });\n after((result) => {\n activeAction = undefined;\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: '🛬 ' + name,\n subtitle: 'end',\n data: {\n store: formatDisplay(store.$id),\n action: formatDisplay(name),\n args,\n result,\n },\n groupId,\n },\n });\n });\n onError((error) => {\n activeAction = undefined;\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n logType: 'error',\n title: '💥 ' + name,\n subtitle: 'end',\n data: {\n store: formatDisplay(store.$id),\n action: formatDisplay(name),\n args,\n error,\n },\n groupId,\n },\n });\n });\n }, true);\n store._customProperties.forEach((name) => {\n watch(() => unref(store[name]), (newValue, oldValue) => {\n api.notifyComponentUpdate();\n api.sendInspectorState(INSPECTOR_ID);\n if (isTimelineActive) {\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: 'Change',\n subtitle: name,\n data: {\n newValue,\n oldValue,\n },\n groupId: activeAction,\n },\n });\n }\n }, { deep: true });\n });\n store.$subscribe(({ events, type }, state) => {\n api.notifyComponentUpdate();\n api.sendInspectorState(INSPECTOR_ID);\n if (!isTimelineActive)\n return;\n // rootStore.state[store.id] = state\n const eventData = {\n time: now(),\n title: formatMutationType(type),\n data: assign$1({ store: formatDisplay(store.$id) }, formatEventData(events)),\n groupId: activeAction,\n };\n if (type === MutationType.patchFunction) {\n eventData.subtitle = '⤵️';\n }\n else if (type === MutationType.patchObject) {\n eventData.subtitle = '🧩';\n }\n else if (events && !Array.isArray(events)) {\n eventData.subtitle = events.type;\n }\n if (events) {\n eventData.data['rawEvent(s)'] = {\n _custom: {\n display: 'DebuggerEvent',\n type: 'object',\n tooltip: 'raw DebuggerEvent[]',\n value: events,\n },\n };\n }\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: eventData,\n });\n }, { detached: true, flush: 'sync' });\n const hotUpdate = store._hotUpdate;\n store._hotUpdate = markRaw((newStore) => {\n hotUpdate(newStore);\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: '🔥 ' + store.$id,\n subtitle: 'HMR update',\n data: {\n store: formatDisplay(store.$id),\n info: formatDisplay(`HMR update`),\n },\n },\n });\n // update the devtools too\n api.notifyComponentUpdate();\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n });\n const { $dispose } = store;\n store.$dispose = () => {\n $dispose();\n api.notifyComponentUpdate();\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n api.getSettings().logStoreChanges &&\n toastMessage(`Disposed \"${store.$id}\" store 🗑`);\n };\n // trigger an update so it can display new registered stores\n api.notifyComponentUpdate();\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n api.getSettings().logStoreChanges &&\n toastMessage(`\"${store.$id}\" store installed 🆕`);\n });\n}\nlet runningActionId = 0;\nlet activeAction;\n/**\n * Patches a store to enable action grouping in devtools by wrapping the store with a Proxy that is passed as the\n * context of all actions, allowing us to set `runningAction` on each access and effectively associating any state\n * mutation to the action.\n *\n * @param store - store to patch\n * @param actionNames - list of actionst to patch\n */\nfunction patchActionForGrouping(store, actionNames, wrapWithProxy) {\n // original actions of the store as they are given by pinia. We are going to override them\n const actions = actionNames.reduce((storeActions, actionName) => {\n // use toRaw to avoid tracking #541\n storeActions[actionName] = toRaw(store)[actionName];\n return storeActions;\n }, {});\n for (const actionName in actions) {\n store[actionName] = function () {\n // the running action id is incremented in a before action hook\n const _actionId = runningActionId;\n const trackedStore = wrapWithProxy\n ? new Proxy(store, {\n get(...args) {\n activeAction = _actionId;\n return Reflect.get(...args);\n },\n set(...args) {\n activeAction = _actionId;\n return Reflect.set(...args);\n },\n })\n : store;\n // For Setup Stores we need https://github.com/tc39/proposal-async-context\n activeAction = _actionId;\n const retValue = actions[actionName].apply(trackedStore, arguments);\n // this is safer as async actions in Setup Stores would associate mutations done outside of the action\n activeAction = undefined;\n return retValue;\n };\n }\n}\n/**\n * pinia.use(devtoolsPlugin)\n */\nfunction devtoolsPlugin({ app, store, options }) {\n // HMR module\n if (store.$id.startsWith('__hot:')) {\n return;\n }\n // detect option api vs setup api\n store._isOptionsAPI = !!options.state;\n patchActionForGrouping(store, Object.keys(options.actions), store._isOptionsAPI);\n // Upgrade the HMR to also update the new actions\n const originalHotUpdate = store._hotUpdate;\n toRaw(store)._hotUpdate = function (newStore) {\n originalHotUpdate.apply(this, arguments);\n patchActionForGrouping(store, Object.keys(newStore._hmrPayload.actions), !!store._isOptionsAPI);\n };\n addStoreToDevtools(app, \n // FIXME: is there a way to allow the assignment from Store<Id, S, G, A> to StoreGeneric?\n store);\n}\n\n/**\n * Creates a Pinia instance to be used by the application\n */\nfunction createPinia() {\n const scope = effectScope(true);\n // NOTE: here we could check the window object for a state and directly set it\n // if there is anything like it with Vue 3 SSR\n const state = scope.run(() => ref({}));\n let _p = [];\n // plugins added before calling app.use(pinia)\n let toBeInstalled = [];\n const pinia = markRaw({\n install(app) {\n // this allows calling useStore() outside of a component setup after\n // installing pinia's plugin\n setActivePinia(pinia);\n if (!isVue2) {\n pinia._a = app;\n app.provide(piniaSymbol, pinia);\n app.config.globalProperties.$pinia = pinia;\n /* istanbul ignore else */\n if (USE_DEVTOOLS) {\n registerPiniaDevtools(app, pinia);\n }\n toBeInstalled.forEach((plugin) => _p.push(plugin));\n toBeInstalled = [];\n }\n },\n use(plugin) {\n if (!this._a && !isVue2) {\n toBeInstalled.push(plugin);\n }\n else {\n _p.push(plugin);\n }\n return this;\n },\n _p,\n // it's actually undefined here\n // @ts-expect-error\n _a: null,\n _e: scope,\n _s: new Map(),\n state,\n });\n // pinia devtools rely on dev only features so they cannot be forced unless\n // the dev build of Vue is used. Avoid old browsers like IE11.\n if (USE_DEVTOOLS && typeof Proxy !== 'undefined') {\n pinia.use(devtoolsPlugin);\n }\n return pinia;\n}\n\n/**\n * Checks if a function is a `StoreDefinition`.\n *\n * @param fn - object to test\n * @returns true if `fn` is a StoreDefinition\n */\nconst isUseStore = (fn) => {\n return typeof fn === 'function' && typeof fn.$id === 'string';\n};\n/**\n * Mutates in place `newState` with `oldState` to _hot update_ it. It will\n * remove any key not existing in `newState` and recursively merge plain\n * objects.\n *\n * @param newState - new state object to be patched\n * @param oldState - old state that should be used to patch newState\n * @returns - newState\n */\nfunction patchObject(newState, oldState) {\n // no need to go through symbols because they cannot be serialized anyway\n for (const key in oldState) {\n const subPatch = oldState[key];\n // skip the whole sub tree\n if (!(key in newState)) {\n continue;\n }\n const targetValue = newState[key];\n if (isPlainObject(targetValue) &&\n isPlainObject(subPatch) &&\n !isRef(subPatch) &&\n !isReactive(subPatch)) {\n newState[key] = patchObject(targetValue, subPatch);\n }\n else {\n // objects are either a bit more complex (e.g. refs) or primitives, so we\n // just set the whole thing\n if (isVue2) {\n set(newState, key, subPatch);\n }\n else {\n newState[key] = subPatch;\n }\n }\n }\n return newState;\n}\n/**\n * Creates an _accept_ function to pass to `import.meta.hot` in Vite applications.\n *\n * @example\n * ```js\n * const useUser = defineStore(...)\n * if (import.meta.hot) {\n * import.meta.hot.accept(acceptHMRUpdate(useUser, import.meta.hot))\n * }\n * ```\n *\n * @param initialUseStore - return of the defineStore to hot update\n * @param hot - `import.meta.hot`\n */\nfunction acceptHMRUpdate(initialUseStore, hot) {\n // strip as much as possible from iife.prod\n if (!(process.env.NODE_ENV !== 'production')) {\n return () => { };\n }\n return (newModule) => {\n const pinia = hot.data.pinia || initialUseStore._pinia;\n if (!pinia) {\n // this store is still not used\n return;\n }\n // preserve the pinia instance across loads\n hot.data.pinia = pinia;\n // console.log('got data', newStore)\n for (const exportName in newModule) {\n const useStore = newModule[exportName];\n // console.log('checking for', exportName)\n if (isUseStore(useStore) && pinia._s.has(useStore.$id)) {\n // console.log('Accepting update for', useStore.$id)\n const id = useStore.$id;\n if (id !== initialUseStore.$id) {\n console.warn(`The id of the store changed from \"${initialUseStore.$id}\" to \"${id}\". Reloading.`);\n // return import.meta.hot.invalidate()\n return hot.invalidate();\n }\n const existingStore = pinia._s.get(id);\n if (!existingStore) {\n console.log(`[Pinia]: skipping hmr because store doesn't exist yet`);\n return;\n }\n useStore(pinia, existingStore);\n }\n }\n };\n}\n\nconst noop = () => { };\nfunction addSubscription(subscriptions, callback, detached, onCleanup = noop) {\n subscriptions.push(callback);\n const removeSubscription = () => {\n const idx = subscriptions.indexOf(callback);\n if (idx > -1) {\n subscriptions.splice(idx, 1);\n onCleanup();\n }\n };\n if (!detached && getCurrentScope()) {\n onScopeDispose(removeSubscription);\n }\n return removeSubscription;\n}\nfunction triggerSubscriptions(subscriptions, ...args) {\n subscriptions.slice().forEach((callback) => {\n callback(...args);\n });\n}\n\nconst fallbackRunWithContext = (fn) => fn();\nfunction mergeReactiveObjects(target, patchToApply) {\n // Handle Map instances\n if (target instanceof Map && patchToApply instanceof Map) {\n patchToApply.forEach((value, key) => target.set(key, value));\n }\n // Handle Set instances\n if (target instanceof Set && patchToApply instanceof Set) {\n patchToApply.forEach(target.add, target);\n }\n // no need to go through symbols because they cannot be serialized anyway\n for (const key in patchToApply) {\n if (!patchToApply.hasOwnProperty(key))\n continue;\n const subPatch = patchToApply[key];\n const targetValue = target[key];\n if (isPlainObject(targetValue) &&\n isPlainObject(subPatch) &&\n target.hasOwnProperty(key) &&\n !isRef(subPatch) &&\n !isReactive(subPatch)) {\n // NOTE: here I wanted to warn about inconsistent types but it's not possible because in setup stores one might\n // start the value of a property as a certain type e.g. a Map, and then for some reason, during SSR, change that\n // to `undefined`. When trying to hydrate, we want to override the Map with `undefined`.\n target[key] = mergeReactiveObjects(targetValue, subPatch);\n }\n else {\n // @ts-expect-error: subPatch is a valid value\n target[key] = subPatch;\n }\n }\n return target;\n}\nconst skipHydrateSymbol = (process.env.NODE_ENV !== 'production')\n ? Symbol('pinia:skipHydration')\n : /* istanbul ignore next */ Symbol();\nconst skipHydrateMap = /*#__PURE__*/ new WeakMap();\n/**\n * Tells Pinia to skip the hydration process of a given object. This is useful in setup stores (only) when you return a\n * stateful object in the store but it isn't really state. e.g. returning a router instance in a setup store.\n *\n * @param obj - target object\n * @returns obj\n */\nfunction skipHydrate(obj) {\n return isVue2\n ? // in @vue/composition-api, the refs are sealed so defineProperty doesn't work...\n /* istanbul ignore next */ skipHydrateMap.set(obj, 1) && obj\n : Object.defineProperty(obj, skipHydrateSymbol, {});\n}\n/**\n * Returns whether a value should be hydrated\n *\n * @param obj - target variable\n * @returns true if `obj` should be hydrated\n */\nfunction shouldHydrate(obj) {\n return isVue2\n ? /* istanbul ignore next */ !skipHydrateMap.has(obj)\n : !isPlainObject(obj) || !obj.hasOwnProperty(skipHydrateSymbol);\n}\nconst { assign } = Object;\nfunction isComputed(o) {\n return !!(isRef(o) && o.effect);\n}\nfunction createOptionsStore(id, options, pinia, hot) {\n const { state, actions, getters } = options;\n const initialState = pinia.state.value[id];\n let store;\n function setup() {\n if (!initialState && (!(process.env.NODE_ENV !== 'production') || !hot)) {\n /* istanbul ignore if */\n if (isVue2) {\n set(pinia.state.value, id, state ? state() : {});\n }\n else {\n pinia.state.value[id] = state ? state() : {};\n }\n }\n // avoid creating a state in pinia.state.value\n const localState = (process.env.NODE_ENV !== 'production') && hot\n ? // use ref() to unwrap refs inside state TODO: check if this is still necessary\n toRefs(ref(state ? state() : {}).value)\n : toRefs(pinia.state.value[id]);\n return assign(localState, actions, Object.keys(getters || {}).reduce((computedGetters, name) => {\n if ((process.env.NODE_ENV !== 'production') && name in localState) {\n console.warn(`[🍍]: A getter cannot have the same name as another state property. Rename one of them. Found with \"${name}\" in store \"${id}\".`);\n }\n computedGetters[name] = markRaw(computed(() => {\n setActivePinia(pinia);\n // it was created just before\n const store = pinia._s.get(id);\n // allow cross using stores\n /* istanbul ignore next */\n if (isVue2 && !store._r)\n return;\n // @ts-expect-error\n // return getters![name].call(context, context)\n // TODO: avoid reading the getter while assigning with a global variable\n return getters[name].call(store, store);\n }));\n return computedGetters;\n }, {}));\n }\n store = createSetupStore(id, setup, options, pinia, hot, true);\n return store;\n}\nfunction createSetupStore($id, setup, options = {}, pinia, hot, isOptionsStore) {\n let scope;\n const optionsForPlugin = assign({ actions: {} }, options);\n /* istanbul ignore if */\n if ((process.env.NODE_ENV !== 'production') && !pinia._e.active) {\n throw new Error('Pinia destroyed');\n }\n // watcher options for $subscribe\n const $subscribeOptions = {\n deep: true,\n // flush: 'post',\n };\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production') && !isVue2) {\n $subscribeOptions.onTrigger = (event) => {\n /* istanbul ignore else */\n if (isListening) {\n debuggerEvents = event;\n // avoid triggering this while the store is being built and the state is being set in pinia\n }\n else if (isListening == false && !store._hotUpdating) {\n // let patch send all the events together later\n /* istanbul ignore else */\n if (Array.isArray(debuggerEvents)) {\n debuggerEvents.push(event);\n }\n else {\n console.error('🍍 debuggerEvents should be an array. This is most likely an internal Pinia bug.');\n }\n }\n };\n }\n // internal state\n let isListening; // set to true at the end\n let isSyncListening; // set to true at the end\n let subscriptions = [];\n let actionSubscriptions = [];\n let debuggerEvents;\n const initialState = pinia.state.value[$id];\n // avoid setting the state for option stores if it is set\n // by the setup\n if (!isOptionsStore && !initialState && (!(process.env.NODE_ENV !== 'production') || !hot)) {\n /* istanbul ignore if */\n if (isVue2) {\n set(pinia.state.value, $id, {});\n }\n else {\n pinia.state.value[$id] = {};\n }\n }\n const hotState = ref({});\n // avoid triggering too many listeners\n // https://github.com/vuejs/pinia/issues/1129\n let activeListener;\n function $patch(partialStateOrMutator) {\n let subscriptionMutation;\n isListening = isSyncListening = false;\n // reset the debugger events since patches are sync\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n debuggerEvents = [];\n }\n if (typeof partialStateOrMutator === 'function') {\n partialStateOrMutator(pinia.state.value[$id]);\n subscriptionMutation = {\n type: MutationType.patchFunction,\n storeId: $id,\n events: debuggerEvents,\n };\n }\n else {\n mergeReactiveObjects(pinia.state.value[$id], partialStateOrMutator);\n subscriptionMutation = {\n type: MutationType.patchObject,\n payload: partialStateOrMutator,\n storeId: $id,\n events: debuggerEvents,\n };\n }\n const myListenerId = (activeListener = Symbol());\n nextTick().then(() => {\n if (activeListener === myListenerId) {\n isListening = true;\n }\n });\n isSyncListening = true;\n // because we paused the watcher, we need to manually call the subscriptions\n triggerSubscriptions(subscriptions, subscriptionMutation, pinia.state.value[$id]);\n }\n const $reset = isOptionsStore\n ? function $reset() {\n const { state } = options;\n const newState = state ? state() : {};\n // we use a patch to group all changes into one single subscription\n this.$patch(($state) => {\n assign($state, newState);\n });\n }\n : /* istanbul ignore next */\n (process.env.NODE_ENV !== 'production')\n ? () => {\n throw new Error(`🍍: Store \"${$id}\" is built using the setup syntax and does not implement $reset().`);\n }\n : noop;\n function $dispose() {\n scope.stop();\n subscriptions = [];\n actionSubscriptions = [];\n pinia._s.delete($id);\n }\n /**\n * Wraps an action to handle subscriptions.\n *\n * @param name - name of the action\n * @param action - action to wrap\n * @returns a wrapped action to handle subscriptions\n */\n function wrapAction(name, action) {\n return function () {\n setActivePinia(pinia);\n const args = Array.from(arguments);\n const afterCallbackList = [];\n const onErrorCallbackList = [];\n function after(callback) {\n afterCallbackList.push(callback);\n }\n function onError(callback) {\n onErrorCallbackList.push(callback);\n }\n // @ts-expect-error\n triggerSubscriptions(actionSubscriptions, {\n args,\n name,\n store,\n after,\n onError,\n });\n let ret;\n try {\n ret = action.apply(this && this.$id === $id ? this : store, args);\n // handle sync errors\n }\n catch (error) {\n triggerSubscriptions(onErrorCallbackList, error);\n throw error;\n }\n if (ret instanceof Promise) {\n return ret\n .then((value) => {\n triggerSubscriptions(afterCallbackList, value);\n return value;\n })\n .catch((error) => {\n triggerSubscriptions(onErrorCallbackList, error);\n return Promise.reject(error);\n });\n }\n // trigger after callbacks\n triggerSubscriptions(afterCallbackList, ret);\n return ret;\n };\n }\n const _hmrPayload = /*#__PURE__*/ markRaw({\n actions: {},\n getters: {},\n state: [],\n hotState,\n });\n const partialStore = {\n _p: pinia,\n // _s: scope,\n $id,\n $onAction: addSubscription.bind(null, actionSubscriptions),\n $patch,\n $reset,\n $subscribe(callback, options = {}) {\n const removeSubscription = addSubscription(subscriptions, callback, options.detached, () => stopWatcher());\n const stopWatcher = scope.run(() => watch(() => pinia.state.value[$id], (state) => {\n if (options.flush === 'sync' ? isSyncListening : isListening) {\n callback({\n storeId: $id,\n type: MutationType.direct,\n events: debuggerEvents,\n }, state);\n }\n }, assign({}, $subscribeOptions, options)));\n return removeSubscription;\n },\n $dispose,\n };\n /* istanbul ignore if */\n if (isVue2) {\n // start as non ready\n partialStore._r = false;\n }\n const store = reactive((process.env.NODE_ENV !== 'production') || USE_DEVTOOLS\n ? assign({\n _hmrPayload,\n _customProperties: markRaw(new Set()), // devtools custom properties\n }, partialStore\n // must be added later\n // setupStore\n )\n : partialStore);\n // store the partial store now so the setup of stores can instantiate each other before they are finished without\n // creating infinite loops.\n pinia._s.set($id, store);\n const runWithContext = (pinia._a && pinia._a.runWithContext) || fallbackRunWithContext;\n // TODO: idea create skipSerialize that marks properties as non serializable and they are skipped\n const setupStore = runWithContext(() => pinia._e.run(() => (scope = effectScope()).run(setup)));\n // overwrite existing actions to support $onAction\n for (const key in setupStore) {\n const prop = setupStore[key];\n if ((isRef(prop) && !isComputed(prop)) || isReactive(prop)) {\n // mark it as a piece of state to be serialized\n if ((process.env.NODE_ENV !== 'production') && hot) {\n set(hotState.value, key, toRef(setupStore, key));\n // createOptionStore directly sets the state in pinia.state.value so we\n // can just skip that\n }\n else if (!isOptionsStore) {\n // in setup stores we must hydrate the state and sync pinia state tree with the refs the user just created\n if (initialState && shouldHydrate(prop)) {\n if (isRef(prop)) {\n prop.value = initialState[key];\n }\n else {\n // probably a reactive object, lets recursively assign\n // @ts-expect-error: prop is unknown\n mergeReactiveObjects(prop, initialState[key]);\n }\n }\n // transfer the ref to the pinia state to keep everything in sync\n /* istanbul ignore if */\n if (isVue2) {\n set(pinia.state.value[$id], key, prop);\n }\n else {\n pinia.state.value[$id][key] = prop;\n }\n }\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n _hmrPayload.state.push(key);\n }\n // action\n }\n else if (typeof prop === 'function') {\n // @ts-expect-error: we are overriding the function we avoid wrapping if\n const actionValue = (process.env.NODE_ENV !== 'production') && hot ? prop : wrapAction(key, prop);\n // this a hot module replacement store because the hotUpdate method needs\n // to do it with the right context\n /* istanbul ignore if */\n if (isVue2) {\n set(setupStore, key, actionValue);\n }\n else {\n // @ts-expect-error\n setupStore[key] = actionValue;\n }\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n _hmrPayload.actions[key] = prop;\n }\n // list actions so they can be used in plugins\n // @ts-expect-error\n optionsForPlugin.actions[key] = prop;\n }\n else if ((process.env.NODE_ENV !== 'production')) {\n // add getters for devtools\n if (isComputed(prop)) {\n _hmrPayload.getters[key] = isOptionsStore\n ? // @ts-expect-error\n options.getters[key]\n : prop;\n if (IS_CLIENT) {\n const getters = setupStore._getters ||\n // @ts-expect-error: same\n (setupStore._getters = markRaw([]));\n getters.push(key);\n }\n }\n }\n }\n // add the state, getters, and action properties\n /* istanbul ignore if */\n if (isVue2) {\n Object.keys(setupStore).forEach((key) => {\n set(store, key, setupStore[key]);\n });\n }\n else {\n assign(store, setupStore);\n // allows retrieving reactive objects with `storeToRefs()`. Must be called after assigning to the reactive object.\n // Make `storeToRefs()` work with `reactive()` #799\n assign(toRaw(store), setupStore);\n }\n // use this instead of a computed with setter to be able to create it anywhere\n // without linking the computed lifespan to wherever the store is first\n // created.\n Object.defineProperty(store, '$state', {\n get: () => ((process.env.NODE_ENV !== 'production') && hot ? hotState.value : pinia.state.value[$id]),\n set: (state) => {\n /* istanbul ignore if */\n if ((process.env.NODE_ENV !== 'production') && hot) {\n throw new Error('cannot set hotState');\n }\n $patch(($state) => {\n assign($state, state);\n });\n },\n });\n // add the hotUpdate before plugins to allow them to override it\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n store._hotUpdate = markRaw((newStore) => {\n store._hotUpdating = true;\n newStore._hmrPayload.state.forEach((stateKey) => {\n if (stateKey in store.$state) {\n const newStateTarget = newStore.$state[stateKey];\n const oldStateSource = store.$state[stateKey];\n if (typeof newStateTarget === 'object' &&\n isPlainObject(newStateTarget) &&\n isPlainObject(oldStateSource)) {\n patchObject(newStateTarget, oldStateSource);\n }\n else {\n // transfer the ref\n newStore.$state[stateKey] = oldStateSource;\n }\n }\n // patch direct access properties to allow store.stateProperty to work as\n // store.$state.stateProperty\n set(store, stateKey, toRef(newStore.$state, stateKey));\n });\n // remove deleted state properties\n Object.keys(store.$state).forEach((stateKey) => {\n if (!(stateKey in newStore.$state)) {\n del(store, stateKey);\n }\n });\n // avoid devtools logging this as a mutation\n isListening = false;\n isSyncListening = false;\n pinia.state.value[$id] = toRef(newStore._hmrPayload, 'hotState');\n isSyncListening = true;\n nextTick().then(() => {\n isListening = true;\n });\n for (const actionName in newStore._hmrPayload.actions) {\n const action = newStore[actionName];\n set(store, actionName, wrapAction(actionName, action));\n }\n // TODO: does this work in both setup and option store?\n for (const getterName in newStore._hmrPayload.getters) {\n const getter = newStore._hmrPayload.getters[getterName];\n const getterValue = isOptionsStore\n ? // special handling of options api\n computed(() => {\n setActivePinia(pinia);\n return getter.call(store, store);\n })\n : getter;\n set(store, getterName, getterValue);\n }\n // remove deleted getters\n Object.keys(store._hmrPayload.getters).forEach((key) => {\n if (!(key in newStore._hmrPayload.getters)) {\n del(store, key);\n }\n });\n // remove old actions\n Object.keys(store._hmrPayload.actions).forEach((key) => {\n if (!(key in newStore._hmrPayload.actions)) {\n del(store, key);\n }\n });\n // update the values used in devtools and to allow deleting new properties later on\n store._hmrPayload = newStore._hmrPayload;\n store._getters = newStore._getters;\n store._hotUpdating = false;\n });\n }\n if (USE_DEVTOOLS) {\n const nonEnumerable = {\n writable: true,\n configurable: true,\n // avoid warning on devtools trying to display this property\n enumerable: false,\n };\n ['_p', '_hmrPayload', '_getters', '_customProperties'].forEach((p) => {\n Object.defineProperty(store, p, assign({ value: store[p] }, nonEnumerable));\n });\n }\n /* istanbul ignore if */\n if (isVue2) {\n // mark the store as ready before plugins\n store._r = true;\n }\n // apply all plugins\n pinia._p.forEach((extender) => {\n /* istanbul ignore else */\n if (USE_DEVTOOLS) {\n const extensions = scope.run(() => extender({\n store,\n app: pinia._a,\n pinia,\n options: optionsForPlugin,\n }));\n Object.keys(extensions || {}).forEach((key) => store._customProperties.add(key));\n assign(store, extensions);\n }\n else {\n assign(store, scope.run(() => extender({\n store,\n app: pinia._a,\n pinia,\n options: optionsForPlugin,\n })));\n }\n });\n if ((process.env.NODE_ENV !== 'production') &&\n store.$state &&\n typeof store.$state === 'object' &&\n typeof store.$state.constructor === 'function' &&\n !store.$state.constructor.toString().includes('[native code]')) {\n console.warn(`[🍍]: The \"state\" must be a plain object. It cannot be\\n` +\n `\\tstate: () => new MyClass()\\n` +\n `Found in store \"${store.$id}\".`);\n }\n // only apply hydrate to option stores with an initial state in pinia\n if (initialState &&\n isOptionsStore &&\n options.hydrate) {\n options.hydrate(store.$state, initialState);\n }\n isListening = true;\n isSyncListening = true;\n return store;\n}\nfunction defineStore(\n// TODO: add proper types from above\nidOrOptions, setup, setupOptions) {\n let id;\n let options;\n const isSetupStore = typeof setup === 'function';\n if (typeof idOrOptions === 'string') {\n id = idOrOptions;\n // the option store setup will contain the actual options in this case\n options = isSetupStore ? setupOptions : setup;\n }\n else {\n options = idOrOptions;\n id = idOrOptions.id;\n if ((process.env.NODE_ENV !== 'production') && typeof id !== 'string') {\n throw new Error(`[🍍]: \"defineStore()\" must be passed a store id as its first argument.`);\n }\n }\n function useStore(pinia, hot) {\n const hasContext = hasInjectionContext();\n pinia =\n // in test mode, ignore the argument provided as we can always retrieve a\n // pinia instance with getActivePinia()\n ((process.env.NODE_ENV === 'test') && activePinia && activePinia._testing ? null : pinia) ||\n (hasContext ? inject(piniaSymbol, null) : null);\n if (pinia)\n setActivePinia(pinia);\n if ((process.env.NODE_ENV !== 'production') && !activePinia) {\n throw new Error(`[🍍]: \"getActivePinia()\" was called but there was no active Pinia. Are you trying to use a store before calling \"app.use(pinia)\"?\\n` +\n `See https://pinia.vuejs.org/core-concepts/outside-component-usage.html for help.\\n` +\n `This will fail in production.`);\n }\n pinia = activePinia;\n if (!pinia._s.has(id)) {\n // creating the store registers it in `pinia._s`\n if (isSetupStore) {\n createSetupStore(id, setup, options, pinia);\n }\n else {\n createOptionsStore(id, options, pinia);\n }\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n // @ts-expect-error: not the right inferred type\n useStore._pinia = pinia;\n }\n }\n const store = pinia._s.get(id);\n if ((process.env.NODE_ENV !== 'production') && hot) {\n const hotId = '__hot:' + id;\n const newStore = isSetupStore\n ? createSetupStore(hotId, setup, options, pinia, true)\n : createOptionsStore(hotId, assign({}, options), pinia, true);\n hot._hotUpdate(newStore);\n // cleanup the state properties and the store from the cache\n delete pinia.state.value[hotId];\n pinia._s.delete(hotId);\n }\n if ((process.env.NODE_ENV !== 'production') && IS_CLIENT) {\n const currentInstance = getCurrentInstance();\n // save stores in instances to access them devtools\n if (currentInstance &&\n currentInstance.proxy &&\n // avoid adding stores that are just built for hot module replacement\n !hot) {\n const vm = currentInstance.proxy;\n const cache = '_pStores' in vm ? vm._pStores : (vm._pStores = {});\n cache[id] = store;\n }\n }\n // StoreGeneric cannot be casted towards Store\n return store;\n }\n useStore.$id = id;\n return useStore;\n}\n\nlet mapStoreSuffix = 'Store';\n/**\n * Changes the suffix added by `mapStores()`. Can be set to an empty string.\n * Defaults to `\"Store\"`. Make sure to extend the MapStoresCustomization\n * interface if you are using TypeScript.\n *\n * @param suffix - new suffix\n */\nfunction setMapStoreSuffix(suffix // could be 'Store' but that would be annoying for JS\n) {\n mapStoreSuffix = suffix;\n}\n/**\n * Allows using stores without the composition API (`setup()`) by generating an\n * object to be spread in the `computed` field of a component. It accepts a list\n * of store definitions.\n *\n * @example\n * ```js\n * export default {\n * computed: {\n * // other computed properties\n * ...mapStores(useUserStore, useCartStore)\n * },\n *\n * created() {\n * this.userStore // store with id \"user\"\n * this.cartStore // store with id \"cart\"\n * }\n * }\n * ```\n *\n * @param stores - list of stores to map to an object\n */\nfunction mapStores(...stores) {\n if ((process.env.NODE_ENV !== 'production') && Array.isArray(stores[0])) {\n console.warn(`[🍍]: Directly pass all stores to \"mapStores()\" without putting them in an array:\\n` +\n `Replace\\n` +\n `\\tmapStores([useAuthStore, useCartStore])\\n` +\n `with\\n` +\n `\\tmapStores(useAuthStore, useCartStore)\\n` +\n `This will fail in production if not fixed.`);\n stores = stores[0];\n }\n return stores.reduce((reduced, useStore) => {\n // @ts-expect-error: $id is added by defineStore\n reduced[useStore.$id + mapStoreSuffix] = function () {\n return useStore(this.$pinia);\n };\n return reduced;\n }, {});\n}\n/**\n * Allows using state and getters from one store without using the composition\n * API (`setup()`) by generating an object to be spread in the `computed` field\n * of a component.\n *\n * @param useStore - store to map from\n * @param keysOrMapper - array or object\n */\nfunction mapState(useStore, keysOrMapper) {\n return Array.isArray(keysOrMapper)\n ? keysOrMapper.reduce((reduced, key) => {\n reduced[key] = function () {\n return useStore(this.$pinia)[key];\n };\n return reduced;\n }, {})\n : Object.keys(keysOrMapper).reduce((reduced, key) => {\n // @ts-expect-error\n reduced[key] = function () {\n const store = useStore(this.$pinia);\n const storeKey = keysOrMapper[key];\n // for some reason TS is unable to infer the type of storeKey to be a\n // function\n return typeof storeKey === 'function'\n ? storeKey.call(this, store)\n : store[storeKey];\n };\n return reduced;\n }, {});\n}\n/**\n * Alias for `mapState()`. You should use `mapState()` instead.\n * @deprecated use `mapState()` instead.\n */\nconst mapGetters = mapState;\n/**\n * Allows directly using actions from your store without using the composition\n * API (`setup()`) by generating an object to be spread in the `methods` field\n * of a component.\n *\n * @param useStore - store to map from\n * @param keysOrMapper - array or object\n */\nfunction mapActions(useStore, keysOrMapper) {\n return Array.isArray(keysOrMapper)\n ? keysOrMapper.reduce((reduced, key) => {\n // @ts-expect-error\n reduced[key] = function (...args) {\n return useStore(this.$pinia)[key](...args);\n };\n return reduced;\n }, {})\n : Object.keys(keysOrMapper).reduce((reduced, key) => {\n // @ts-expect-error\n reduced[key] = function (...args) {\n return useStore(this.$pinia)[keysOrMapper[key]](...args);\n };\n return reduced;\n }, {});\n}\n/**\n * Allows using state and getters from one store without using the composition\n * API (`setup()`) by generating an object to be spread in the `computed` field\n * of a component.\n *\n * @param useStore - store to map from\n * @param keysOrMapper - array or object\n */\nfunction mapWritableState(useStore, keysOrMapper) {\n return Array.isArray(keysOrMapper)\n ? keysOrMapper.reduce((reduced, key) => {\n // @ts-ignore\n reduced[key] = {\n get() {\n return useStore(this.$pinia)[key];\n },\n set(value) {\n // it's easier to type it here as any\n return (useStore(this.$pinia)[key] = value);\n },\n };\n return reduced;\n }, {})\n : Object.keys(keysOrMapper).reduce((reduced, key) => {\n // @ts-ignore\n reduced[key] = {\n get() {\n return useStore(this.$pinia)[keysOrMapper[key]];\n },\n set(value) {\n // it's easier to type it here as any\n return (useStore(this.$pinia)[keysOrMapper[key]] = value);\n },\n };\n return reduced;\n }, {});\n}\n\n/**\n * Creates an object of references with all the state, getters, and plugin-added\n * state properties of the store. Similar to `toRefs()` but specifically\n * designed for Pinia stores so methods and non reactive properties are\n * completely ignored.\n *\n * @param store - store to extract the refs from\n */\nfunction storeToRefs(store) {\n // See https://github.com/vuejs/pinia/issues/852\n // It's easier to just use toRefs() even if it includes more stuff\n if (isVue2) {\n // @ts-expect-error: toRefs include methods and others\n return toRefs(store);\n }\n else {\n store = toRaw(store);\n const refs = {};\n for (const key in store) {\n const value = store[key];\n if (isRef(value) || isReactive(value)) {\n // @ts-expect-error: the key is state or getter\n refs[key] =\n // ---\n toRef(store, key);\n }\n }\n return refs;\n }\n}\n\n/**\n * Vue 2 Plugin that must be installed for pinia to work. Note **you don't need\n * this plugin if you are using Nuxt.js**. Use the `buildModule` instead:\n * https://pinia.vuejs.org/ssr/nuxt.html.\n *\n * @example\n * ```js\n * import Vue from 'vue'\n * import { PiniaVuePlugin, createPinia } from 'pinia'\n *\n * Vue.use(PiniaVuePlugin)\n * const pinia = createPinia()\n *\n * new Vue({\n * el: '#app',\n * // ...\n * pinia,\n * })\n * ```\n *\n * @param _Vue - `Vue` imported from 'vue'.\n */\nconst PiniaVuePlugin = function (_Vue) {\n // Equivalent of\n // app.config.globalProperties.$pinia = pinia\n _Vue.mixin({\n beforeCreate() {\n const options = this.$options;\n if (options.pinia) {\n const pinia = options.pinia;\n // HACK: taken from provide(): https://github.com/vuejs/composition-api/blob/main/src/apis/inject.ts#L31\n /* istanbul ignore else */\n if (!this._provided) {\n const provideCache = {};\n Object.defineProperty(this, '_provided', {\n get: () => provideCache,\n set: (v) => Object.assign(provideCache, v),\n });\n }\n this._provided[piniaSymbol] = pinia;\n // propagate the pinia instance in an SSR friendly way\n // avoid adding it to nuxt twice\n /* istanbul ignore else */\n if (!this.$pinia) {\n this.$pinia = pinia;\n }\n pinia._a = this;\n if (IS_CLIENT) {\n // this allows calling useStore() outside of a component setup after\n // installing pinia's plugin\n setActivePinia(pinia);\n }\n if (USE_DEVTOOLS) {\n registerPiniaDevtools(pinia._a, pinia);\n }\n }\n else if (!this.$pinia && options.parent && options.parent.$pinia) {\n this.$pinia = options.parent.$pinia;\n }\n },\n destroyed() {\n delete this._pStores;\n },\n });\n};\n\nexport { MutationType, PiniaVuePlugin, acceptHMRUpdate, createPinia, defineStore, getActivePinia, mapActions, mapGetters, mapState, mapStores, mapWritableState, setActivePinia, setMapStoreSuffix, skipHydrate, storeToRefs };\n","/**\n * @copyright Copyright (c) 2024 Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { createPinia } from 'pinia';\nexport const pinia = createPinia();\n","const token = '%[a-f0-9]{2}';\nconst singleMatcher = new RegExp('(' + token + ')|([^%]+?)', 'gi');\nconst multiMatcher = new RegExp('(' + token + ')+', 'gi');\n\nfunction decodeComponents(components, split) {\n\ttry {\n\t\t// Try to decode the entire string first\n\t\treturn [decodeURIComponent(components.join(''))];\n\t} catch {\n\t\t// Do nothing\n\t}\n\n\tif (components.length === 1) {\n\t\treturn components;\n\t}\n\n\tsplit = split || 1;\n\n\t// Split the array in 2 parts\n\tconst left = components.slice(0, split);\n\tconst right = components.slice(split);\n\n\treturn Array.prototype.concat.call([], decodeComponents(left), decodeComponents(right));\n}\n\nfunction decode(input) {\n\ttry {\n\t\treturn decodeURIComponent(input);\n\t} catch {\n\t\tlet tokens = input.match(singleMatcher) || [];\n\n\t\tfor (let i = 1; i < tokens.length; i++) {\n\t\t\tinput = decodeComponents(tokens, i).join('');\n\n\t\t\ttokens = input.match(singleMatcher) || [];\n\t\t}\n\n\t\treturn input;\n\t}\n}\n\nfunction customDecodeURIComponent(input) {\n\t// Keep track of all the replacements and prefill the map with the `BOM`\n\tconst replaceMap = {\n\t\t'%FE%FF': '\\uFFFD\\uFFFD',\n\t\t'%FF%FE': '\\uFFFD\\uFFFD',\n\t};\n\n\tlet match = multiMatcher.exec(input);\n\twhile (match) {\n\t\ttry {\n\t\t\t// Decode as big chunks as possible\n\t\t\treplaceMap[match[0]] = decodeURIComponent(match[0]);\n\t\t} catch {\n\t\t\tconst result = decode(match[0]);\n\n\t\t\tif (result !== match[0]) {\n\t\t\t\treplaceMap[match[0]] = result;\n\t\t\t}\n\t\t}\n\n\t\tmatch = multiMatcher.exec(input);\n\t}\n\n\t// Add `%C2` at the end of the map to make sure it does not replace the combinator before everything else\n\treplaceMap['%C2'] = '\\uFFFD';\n\n\tconst entries = Object.keys(replaceMap);\n\n\tfor (const key of entries) {\n\t\t// Replace all decoded components\n\t\tinput = input.replace(new RegExp(key, 'g'), replaceMap[key]);\n\t}\n\n\treturn input;\n}\n\nexport default function decodeUriComponent(encodedURI) {\n\tif (typeof encodedURI !== 'string') {\n\t\tthrow new TypeError('Expected `encodedURI` to be of type `string`, got `' + typeof encodedURI + '`');\n\t}\n\n\ttry {\n\t\t// Try the built in decoder first\n\t\treturn decodeURIComponent(encodedURI);\n\t} catch {\n\t\t// Fallback to a more advanced decoder\n\t\treturn customDecodeURIComponent(encodedURI);\n\t}\n}\n","export default function splitOnFirst(string, separator) {\n\tif (!(typeof string === 'string' && typeof separator === 'string')) {\n\t\tthrow new TypeError('Expected the arguments to be of type `string`');\n\t}\n\n\tif (string === '' || separator === '') {\n\t\treturn [];\n\t}\n\n\tconst separatorIndex = string.indexOf(separator);\n\n\tif (separatorIndex === -1) {\n\t\treturn [];\n\t}\n\n\treturn [\n\t\tstring.slice(0, separatorIndex),\n\t\tstring.slice(separatorIndex + separator.length)\n\t];\n}\n","export function includeKeys(object, predicate) {\n\tconst result = {};\n\n\tif (Array.isArray(predicate)) {\n\t\tfor (const key of predicate) {\n\t\t\tconst descriptor = Object.getOwnPropertyDescriptor(object, key);\n\t\t\tif (descriptor?.enumerable) {\n\t\t\t\tObject.defineProperty(result, key, descriptor);\n\t\t\t}\n\t\t}\n\t} else {\n\t\t// `Reflect.ownKeys()` is required to retrieve symbol properties\n\t\tfor (const key of Reflect.ownKeys(object)) {\n\t\t\tconst descriptor = Object.getOwnPropertyDescriptor(object, key);\n\t\t\tif (descriptor.enumerable) {\n\t\t\t\tconst value = object[key];\n\t\t\t\tif (predicate(key, value, object)) {\n\t\t\t\t\tObject.defineProperty(result, key, descriptor);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn result;\n}\n\nexport function excludeKeys(object, predicate) {\n\tif (Array.isArray(predicate)) {\n\t\tconst set = new Set(predicate);\n\t\treturn includeKeys(object, key => !set.has(key));\n\t}\n\n\treturn includeKeys(object, (key, value, object) => !predicate(key, value, object));\n}\n","import decodeComponent from 'decode-uri-component';\nimport splitOnFirst from 'split-on-first';\nimport {includeKeys} from 'filter-obj';\n\nconst isNullOrUndefined = value => value === null || value === undefined;\n\n// eslint-disable-next-line unicorn/prefer-code-point\nconst strictUriEncode = string => encodeURIComponent(string).replace(/[!'()*]/g, x => `%${x.charCodeAt(0).toString(16).toUpperCase()}`);\n\nconst encodeFragmentIdentifier = Symbol('encodeFragmentIdentifier');\n\nfunction encoderForArrayFormat(options) {\n\tswitch (options.arrayFormat) {\n\t\tcase 'index': {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tconst index = result.length;\n\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result, [encode(key, options), '[', index, ']'].join(''),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), '[', encode(index, options), ']=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\n\t\tcase 'bracket': {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result,\n\t\t\t\t\t\t[encode(key, options), '[]'].join(''),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), '[]=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\n\t\tcase 'colon-list-separator': {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result,\n\t\t\t\t\t\t[encode(key, options), ':list='].join(''),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), ':list=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\n\t\tcase 'comma':\n\t\tcase 'separator':\n\t\tcase 'bracket-separator': {\n\t\t\tconst keyValueSep = options.arrayFormat === 'bracket-separator'\n\t\t\t\t? '[]='\n\t\t\t\t: '=';\n\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\t// Translate null to an empty string so that it doesn't serialize as 'null'\n\t\t\t\tvalue = value === null ? '' : value;\n\n\t\t\t\tif (result.length === 0) {\n\t\t\t\t\treturn [[encode(key, options), keyValueSep, encode(value, options)].join('')];\n\t\t\t\t}\n\n\t\t\t\treturn [[result, encode(value, options)].join(options.arrayFormatSeparator)];\n\t\t\t};\n\t\t}\n\n\t\tdefault: {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result,\n\t\t\t\t\t\tencode(key, options),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), '=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\t}\n}\n\nfunction parserForArrayFormat(options) {\n\tlet result;\n\n\tswitch (options.arrayFormat) {\n\t\tcase 'index': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tresult = /\\[(\\d*)]$/.exec(key);\n\n\t\t\t\tkey = key.replace(/\\[\\d*]$/, '');\n\n\t\t\t\tif (!result) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = {};\n\t\t\t\t}\n\n\t\t\t\taccumulator[key][result[1]] = value;\n\t\t\t};\n\t\t}\n\n\t\tcase 'bracket': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tresult = /(\\[])$/.exec(key);\n\t\t\t\tkey = key.replace(/\\[]$/, '');\n\n\t\t\t\tif (!result) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = [value];\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...accumulator[key], value];\n\t\t\t};\n\t\t}\n\n\t\tcase 'colon-list-separator': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tresult = /(:list)$/.exec(key);\n\t\t\t\tkey = key.replace(/:list$/, '');\n\n\t\t\t\tif (!result) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = [value];\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...accumulator[key], value];\n\t\t\t};\n\t\t}\n\n\t\tcase 'comma':\n\t\tcase 'separator': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tconst isArray = typeof value === 'string' && value.includes(options.arrayFormatSeparator);\n\t\t\t\tconst isEncodedArray = (typeof value === 'string' && !isArray && decode(value, options).includes(options.arrayFormatSeparator));\n\t\t\t\tvalue = isEncodedArray ? decode(value, options) : value;\n\t\t\t\tconst newValue = isArray || isEncodedArray ? value.split(options.arrayFormatSeparator).map(item => decode(item, options)) : (value === null ? value : decode(value, options));\n\t\t\t\taccumulator[key] = newValue;\n\t\t\t};\n\t\t}\n\n\t\tcase 'bracket-separator': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tconst isArray = /(\\[])$/.test(key);\n\t\t\t\tkey = key.replace(/\\[]$/, '');\n\n\t\t\t\tif (!isArray) {\n\t\t\t\t\taccumulator[key] = value ? decode(value, options) : value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst arrayValue = value === null\n\t\t\t\t\t? []\n\t\t\t\t\t: value.split(options.arrayFormatSeparator).map(item => decode(item, options));\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = arrayValue;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...accumulator[key], ...arrayValue];\n\t\t\t};\n\t\t}\n\n\t\tdefault: {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...[accumulator[key]].flat(), value];\n\t\t\t};\n\t\t}\n\t}\n}\n\nfunction validateArrayFormatSeparator(value) {\n\tif (typeof value !== 'string' || value.length !== 1) {\n\t\tthrow new TypeError('arrayFormatSeparator must be single character string');\n\t}\n}\n\nfunction encode(value, options) {\n\tif (options.encode) {\n\t\treturn options.strict ? strictUriEncode(value) : encodeURIComponent(value);\n\t}\n\n\treturn value;\n}\n\nfunction decode(value, options) {\n\tif (options.decode) {\n\t\treturn decodeComponent(value);\n\t}\n\n\treturn value;\n}\n\nfunction keysSorter(input) {\n\tif (Array.isArray(input)) {\n\t\treturn input.sort();\n\t}\n\n\tif (typeof input === 'object') {\n\t\treturn keysSorter(Object.keys(input))\n\t\t\t.sort((a, b) => Number(a) - Number(b))\n\t\t\t.map(key => input[key]);\n\t}\n\n\treturn input;\n}\n\nfunction removeHash(input) {\n\tconst hashStart = input.indexOf('#');\n\tif (hashStart !== -1) {\n\t\tinput = input.slice(0, hashStart);\n\t}\n\n\treturn input;\n}\n\nfunction getHash(url) {\n\tlet hash = '';\n\tconst hashStart = url.indexOf('#');\n\tif (hashStart !== -1) {\n\t\thash = url.slice(hashStart);\n\t}\n\n\treturn hash;\n}\n\nfunction parseValue(value, options) {\n\tif (options.parseNumbers && !Number.isNaN(Number(value)) && (typeof value === 'string' && value.trim() !== '')) {\n\t\tvalue = Number(value);\n\t} else if (options.parseBooleans && value !== null && (value.toLowerCase() === 'true' || value.toLowerCase() === 'false')) {\n\t\tvalue = value.toLowerCase() === 'true';\n\t}\n\n\treturn value;\n}\n\nexport function extract(input) {\n\tinput = removeHash(input);\n\tconst queryStart = input.indexOf('?');\n\tif (queryStart === -1) {\n\t\treturn '';\n\t}\n\n\treturn input.slice(queryStart + 1);\n}\n\nexport function parse(query, options) {\n\toptions = {\n\t\tdecode: true,\n\t\tsort: true,\n\t\tarrayFormat: 'none',\n\t\tarrayFormatSeparator: ',',\n\t\tparseNumbers: false,\n\t\tparseBooleans: false,\n\t\t...options,\n\t};\n\n\tvalidateArrayFormatSeparator(options.arrayFormatSeparator);\n\n\tconst formatter = parserForArrayFormat(options);\n\n\t// Create an object with no prototype\n\tconst returnValue = Object.create(null);\n\n\tif (typeof query !== 'string') {\n\t\treturn returnValue;\n\t}\n\n\tquery = query.trim().replace(/^[?#&]/, '');\n\n\tif (!query) {\n\t\treturn returnValue;\n\t}\n\n\tfor (const parameter of query.split('&')) {\n\t\tif (parameter === '') {\n\t\t\tcontinue;\n\t\t}\n\n\t\tconst parameter_ = options.decode ? parameter.replace(/\\+/g, ' ') : parameter;\n\n\t\tlet [key, value] = splitOnFirst(parameter_, '=');\n\n\t\tif (key === undefined) {\n\t\t\tkey = parameter_;\n\t\t}\n\n\t\t// Missing `=` should be `null`:\n\t\t// http://w3.org/TR/2012/WD-url-20120524/#collect-url-parameters\n\t\tvalue = value === undefined ? null : (['comma', 'separator', 'bracket-separator'].includes(options.arrayFormat) ? value : decode(value, options));\n\t\tformatter(decode(key, options), value, returnValue);\n\t}\n\n\tfor (const [key, value] of Object.entries(returnValue)) {\n\t\tif (typeof value === 'object' && value !== null) {\n\t\t\tfor (const [key2, value2] of Object.entries(value)) {\n\t\t\t\tvalue[key2] = parseValue(value2, options);\n\t\t\t}\n\t\t} else {\n\t\t\treturnValue[key] = parseValue(value, options);\n\t\t}\n\t}\n\n\tif (options.sort === false) {\n\t\treturn returnValue;\n\t}\n\n\t// TODO: Remove the use of `reduce`.\n\t// eslint-disable-next-line unicorn/no-array-reduce\n\treturn (options.sort === true ? Object.keys(returnValue).sort() : Object.keys(returnValue).sort(options.sort)).reduce((result, key) => {\n\t\tconst value = returnValue[key];\n\t\tresult[key] = Boolean(value) && typeof value === 'object' && !Array.isArray(value) ? keysSorter(value) : value;\n\t\treturn result;\n\t}, Object.create(null));\n}\n\nexport function stringify(object, options) {\n\tif (!object) {\n\t\treturn '';\n\t}\n\n\toptions = {encode: true,\n\t\tstrict: true,\n\t\tarrayFormat: 'none',\n\t\tarrayFormatSeparator: ',', ...options};\n\n\tvalidateArrayFormatSeparator(options.arrayFormatSeparator);\n\n\tconst shouldFilter = key => (\n\t\t(options.skipNull && isNullOrUndefined(object[key]))\n\t\t|| (options.skipEmptyString && object[key] === '')\n\t);\n\n\tconst formatter = encoderForArrayFormat(options);\n\n\tconst objectCopy = {};\n\n\tfor (const [key, value] of Object.entries(object)) {\n\t\tif (!shouldFilter(key)) {\n\t\t\tobjectCopy[key] = value;\n\t\t}\n\t}\n\n\tconst keys = Object.keys(objectCopy);\n\n\tif (options.sort !== false) {\n\t\tkeys.sort(options.sort);\n\t}\n\n\treturn keys.map(key => {\n\t\tconst value = object[key];\n\n\t\tif (value === undefined) {\n\t\t\treturn '';\n\t\t}\n\n\t\tif (value === null) {\n\t\t\treturn encode(key, options);\n\t\t}\n\n\t\tif (Array.isArray(value)) {\n\t\t\tif (value.length === 0 && options.arrayFormat === 'bracket-separator') {\n\t\t\t\treturn encode(key, options) + '[]';\n\t\t\t}\n\n\t\t\treturn value\n\t\t\t\t.reduce(formatter(key), [])\n\t\t\t\t.join('&');\n\t\t}\n\n\t\treturn encode(key, options) + '=' + encode(value, options);\n\t}).filter(x => x.length > 0).join('&');\n}\n\nexport function parseUrl(url, options) {\n\toptions = {\n\t\tdecode: true,\n\t\t...options,\n\t};\n\n\tlet [url_, hash] = splitOnFirst(url, '#');\n\n\tif (url_ === undefined) {\n\t\turl_ = url;\n\t}\n\n\treturn {\n\t\turl: url_?.split('?')?.[0] ?? '',\n\t\tquery: parse(extract(url), options),\n\t\t...(options && options.parseFragmentIdentifier && hash ? {fragmentIdentifier: decode(hash, options)} : {}),\n\t};\n}\n\nexport function stringifyUrl(object, options) {\n\toptions = {\n\t\tencode: true,\n\t\tstrict: true,\n\t\t[encodeFragmentIdentifier]: true,\n\t\t...options,\n\t};\n\n\tconst url = removeHash(object.url).split('?')[0] || '';\n\tconst queryFromUrl = extract(object.url);\n\n\tconst query = {\n\t\t...parse(queryFromUrl, {sort: false}),\n\t\t...object.query,\n\t};\n\n\tlet queryString = stringify(query, options);\n\tif (queryString) {\n\t\tqueryString = `?${queryString}`;\n\t}\n\n\tlet hash = getHash(object.url);\n\tif (object.fragmentIdentifier) {\n\t\tconst urlObjectForFragmentEncode = new URL(url);\n\t\turlObjectForFragmentEncode.hash = object.fragmentIdentifier;\n\t\thash = options[encodeFragmentIdentifier] ? urlObjectForFragmentEncode.hash : `#${object.fragmentIdentifier}`;\n\t}\n\n\treturn `${url}${queryString}${hash}`;\n}\n\nexport function pick(input, filter, options) {\n\toptions = {\n\t\tparseFragmentIdentifier: true,\n\t\t[encodeFragmentIdentifier]: false,\n\t\t...options,\n\t};\n\n\tconst {url, query, fragmentIdentifier} = parseUrl(input, options);\n\n\treturn stringifyUrl({\n\t\turl,\n\t\tquery: includeKeys(query, filter),\n\t\tfragmentIdentifier,\n\t}, options);\n}\n\nexport function exclude(input, filter, options) {\n\tconst exclusionFilter = Array.isArray(filter) ? key => !filter.includes(key) : (key, value) => !filter(key, value);\n\n\treturn pick(input, exclusionFilter, options);\n}\n","import * as queryString from './base.js';\n\nexport default queryString;\n","/*!\n * vue-router v3.6.5\n * (c) 2022 Evan You\n * @license MIT\n */\n/* */\n\nfunction assert (condition, message) {\n if (!condition) {\n throw new Error((\"[vue-router] \" + message))\n }\n}\n\nfunction warn (condition, message) {\n if (!condition) {\n typeof console !== 'undefined' && console.warn((\"[vue-router] \" + message));\n }\n}\n\nfunction extend (a, b) {\n for (var key in b) {\n a[key] = b[key];\n }\n return a\n}\n\n/* */\n\nvar encodeReserveRE = /[!'()*]/g;\nvar encodeReserveReplacer = function (c) { return '%' + c.charCodeAt(0).toString(16); };\nvar commaRE = /%2C/g;\n\n// fixed encodeURIComponent which is more conformant to RFC3986:\n// - escapes [!'()*]\n// - preserve commas\nvar encode = function (str) { return encodeURIComponent(str)\n .replace(encodeReserveRE, encodeReserveReplacer)\n .replace(commaRE, ','); };\n\nfunction decode (str) {\n try {\n return decodeURIComponent(str)\n } catch (err) {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, (\"Error decoding \\\"\" + str + \"\\\". Leaving it intact.\"));\n }\n }\n return str\n}\n\nfunction resolveQuery (\n query,\n extraQuery,\n _parseQuery\n) {\n if ( extraQuery === void 0 ) extraQuery = {};\n\n var parse = _parseQuery || parseQuery;\n var parsedQuery;\n try {\n parsedQuery = parse(query || '');\n } catch (e) {\n process.env.NODE_ENV !== 'production' && warn(false, e.message);\n parsedQuery = {};\n }\n for (var key in extraQuery) {\n var value = extraQuery[key];\n parsedQuery[key] = Array.isArray(value)\n ? value.map(castQueryParamValue)\n : castQueryParamValue(value);\n }\n return parsedQuery\n}\n\nvar castQueryParamValue = function (value) { return (value == null || typeof value === 'object' ? value : String(value)); };\n\nfunction parseQuery (query) {\n var res = {};\n\n query = query.trim().replace(/^(\\?|#|&)/, '');\n\n if (!query) {\n return res\n }\n\n query.split('&').forEach(function (param) {\n var parts = param.replace(/\\+/g, ' ').split('=');\n var key = decode(parts.shift());\n var val = parts.length > 0 ? decode(parts.join('=')) : null;\n\n if (res[key] === undefined) {\n res[key] = val;\n } else if (Array.isArray(res[key])) {\n res[key].push(val);\n } else {\n res[key] = [res[key], val];\n }\n });\n\n return res\n}\n\nfunction stringifyQuery (obj) {\n var res = obj\n ? Object.keys(obj)\n .map(function (key) {\n var val = obj[key];\n\n if (val === undefined) {\n return ''\n }\n\n if (val === null) {\n return encode(key)\n }\n\n if (Array.isArray(val)) {\n var result = [];\n val.forEach(function (val2) {\n if (val2 === undefined) {\n return\n }\n if (val2 === null) {\n result.push(encode(key));\n } else {\n result.push(encode(key) + '=' + encode(val2));\n }\n });\n return result.join('&')\n }\n\n return encode(key) + '=' + encode(val)\n })\n .filter(function (x) { return x.length > 0; })\n .join('&')\n : null;\n return res ? (\"?\" + res) : ''\n}\n\n/* */\n\nvar trailingSlashRE = /\\/?$/;\n\nfunction createRoute (\n record,\n location,\n redirectedFrom,\n router\n) {\n var stringifyQuery = router && router.options.stringifyQuery;\n\n var query = location.query || {};\n try {\n query = clone(query);\n } catch (e) {}\n\n var route = {\n name: location.name || (record && record.name),\n meta: (record && record.meta) || {},\n path: location.path || '/',\n hash: location.hash || '',\n query: query,\n params: location.params || {},\n fullPath: getFullPath(location, stringifyQuery),\n matched: record ? formatMatch(record) : []\n };\n if (redirectedFrom) {\n route.redirectedFrom = getFullPath(redirectedFrom, stringifyQuery);\n }\n return Object.freeze(route)\n}\n\nfunction clone (value) {\n if (Array.isArray(value)) {\n return value.map(clone)\n } else if (value && typeof value === 'object') {\n var res = {};\n for (var key in value) {\n res[key] = clone(value[key]);\n }\n return res\n } else {\n return value\n }\n}\n\n// the starting route that represents the initial state\nvar START = createRoute(null, {\n path: '/'\n});\n\nfunction formatMatch (record) {\n var res = [];\n while (record) {\n res.unshift(record);\n record = record.parent;\n }\n return res\n}\n\nfunction getFullPath (\n ref,\n _stringifyQuery\n) {\n var path = ref.path;\n var query = ref.query; if ( query === void 0 ) query = {};\n var hash = ref.hash; if ( hash === void 0 ) hash = '';\n\n var stringify = _stringifyQuery || stringifyQuery;\n return (path || '/') + stringify(query) + hash\n}\n\nfunction isSameRoute (a, b, onlyPath) {\n if (b === START) {\n return a === b\n } else if (!b) {\n return false\n } else if (a.path && b.path) {\n return a.path.replace(trailingSlashRE, '') === b.path.replace(trailingSlashRE, '') && (onlyPath ||\n a.hash === b.hash &&\n isObjectEqual(a.query, b.query))\n } else if (a.name && b.name) {\n return (\n a.name === b.name &&\n (onlyPath || (\n a.hash === b.hash &&\n isObjectEqual(a.query, b.query) &&\n isObjectEqual(a.params, b.params))\n )\n )\n } else {\n return false\n }\n}\n\nfunction isObjectEqual (a, b) {\n if ( a === void 0 ) a = {};\n if ( b === void 0 ) b = {};\n\n // handle null value #1566\n if (!a || !b) { return a === b }\n var aKeys = Object.keys(a).sort();\n var bKeys = Object.keys(b).sort();\n if (aKeys.length !== bKeys.length) {\n return false\n }\n return aKeys.every(function (key, i) {\n var aVal = a[key];\n var bKey = bKeys[i];\n if (bKey !== key) { return false }\n var bVal = b[key];\n // query values can be null and undefined\n if (aVal == null || bVal == null) { return aVal === bVal }\n // check nested equality\n if (typeof aVal === 'object' && typeof bVal === 'object') {\n return isObjectEqual(aVal, bVal)\n }\n return String(aVal) === String(bVal)\n })\n}\n\nfunction isIncludedRoute (current, target) {\n return (\n current.path.replace(trailingSlashRE, '/').indexOf(\n target.path.replace(trailingSlashRE, '/')\n ) === 0 &&\n (!target.hash || current.hash === target.hash) &&\n queryIncludes(current.query, target.query)\n )\n}\n\nfunction queryIncludes (current, target) {\n for (var key in target) {\n if (!(key in current)) {\n return false\n }\n }\n return true\n}\n\nfunction handleRouteEntered (route) {\n for (var i = 0; i < route.matched.length; i++) {\n var record = route.matched[i];\n for (var name in record.instances) {\n var instance = record.instances[name];\n var cbs = record.enteredCbs[name];\n if (!instance || !cbs) { continue }\n delete record.enteredCbs[name];\n for (var i$1 = 0; i$1 < cbs.length; i$1++) {\n if (!instance._isBeingDestroyed) { cbs[i$1](instance); }\n }\n }\n }\n}\n\nvar View = {\n name: 'RouterView',\n functional: true,\n props: {\n name: {\n type: String,\n default: 'default'\n }\n },\n render: function render (_, ref) {\n var props = ref.props;\n var children = ref.children;\n var parent = ref.parent;\n var data = ref.data;\n\n // used by devtools to display a router-view badge\n data.routerView = true;\n\n // directly use parent context's createElement() function\n // so that components rendered by router-view can resolve named slots\n var h = parent.$createElement;\n var name = props.name;\n var route = parent.$route;\n var cache = parent._routerViewCache || (parent._routerViewCache = {});\n\n // determine current view depth, also check to see if the tree\n // has been toggled inactive but kept-alive.\n var depth = 0;\n var inactive = false;\n while (parent && parent._routerRoot !== parent) {\n var vnodeData = parent.$vnode ? parent.$vnode.data : {};\n if (vnodeData.routerView) {\n depth++;\n }\n if (vnodeData.keepAlive && parent._directInactive && parent._inactive) {\n inactive = true;\n }\n parent = parent.$parent;\n }\n data.routerViewDepth = depth;\n\n // render previous view if the tree is inactive and kept-alive\n if (inactive) {\n var cachedData = cache[name];\n var cachedComponent = cachedData && cachedData.component;\n if (cachedComponent) {\n // #2301\n // pass props\n if (cachedData.configProps) {\n fillPropsinData(cachedComponent, data, cachedData.route, cachedData.configProps);\n }\n return h(cachedComponent, data, children)\n } else {\n // render previous empty view\n return h()\n }\n }\n\n var matched = route.matched[depth];\n var component = matched && matched.components[name];\n\n // render empty node if no matched route or no config component\n if (!matched || !component) {\n cache[name] = null;\n return h()\n }\n\n // cache component\n cache[name] = { component: component };\n\n // attach instance registration hook\n // this will be called in the instance's injected lifecycle hooks\n data.registerRouteInstance = function (vm, val) {\n // val could be undefined for unregistration\n var current = matched.instances[name];\n if (\n (val && current !== vm) ||\n (!val && current === vm)\n ) {\n matched.instances[name] = val;\n }\n }\n\n // also register instance in prepatch hook\n // in case the same component instance is reused across different routes\n ;(data.hook || (data.hook = {})).prepatch = function (_, vnode) {\n matched.instances[name] = vnode.componentInstance;\n };\n\n // register instance in init hook\n // in case kept-alive component be actived when routes changed\n data.hook.init = function (vnode) {\n if (vnode.data.keepAlive &&\n vnode.componentInstance &&\n vnode.componentInstance !== matched.instances[name]\n ) {\n matched.instances[name] = vnode.componentInstance;\n }\n\n // if the route transition has already been confirmed then we weren't\n // able to call the cbs during confirmation as the component was not\n // registered yet, so we call it here.\n handleRouteEntered(route);\n };\n\n var configProps = matched.props && matched.props[name];\n // save route and configProps in cache\n if (configProps) {\n extend(cache[name], {\n route: route,\n configProps: configProps\n });\n fillPropsinData(component, data, route, configProps);\n }\n\n return h(component, data, children)\n }\n};\n\nfunction fillPropsinData (component, data, route, configProps) {\n // resolve props\n var propsToPass = data.props = resolveProps(route, configProps);\n if (propsToPass) {\n // clone to prevent mutation\n propsToPass = data.props = extend({}, propsToPass);\n // pass non-declared props as attrs\n var attrs = data.attrs = data.attrs || {};\n for (var key in propsToPass) {\n if (!component.props || !(key in component.props)) {\n attrs[key] = propsToPass[key];\n delete propsToPass[key];\n }\n }\n }\n}\n\nfunction resolveProps (route, config) {\n switch (typeof config) {\n case 'undefined':\n return\n case 'object':\n return config\n case 'function':\n return config(route)\n case 'boolean':\n return config ? route.params : undefined\n default:\n if (process.env.NODE_ENV !== 'production') {\n warn(\n false,\n \"props in \\\"\" + (route.path) + \"\\\" is a \" + (typeof config) + \", \" +\n \"expecting an object, function or boolean.\"\n );\n }\n }\n}\n\n/* */\n\nfunction resolvePath (\n relative,\n base,\n append\n) {\n var firstChar = relative.charAt(0);\n if (firstChar === '/') {\n return relative\n }\n\n if (firstChar === '?' || firstChar === '#') {\n return base + relative\n }\n\n var stack = base.split('/');\n\n // remove trailing segment if:\n // - not appending\n // - appending to trailing slash (last segment is empty)\n if (!append || !stack[stack.length - 1]) {\n stack.pop();\n }\n\n // resolve relative path\n var segments = relative.replace(/^\\//, '').split('/');\n for (var i = 0; i < segments.length; i++) {\n var segment = segments[i];\n if (segment === '..') {\n stack.pop();\n } else if (segment !== '.') {\n stack.push(segment);\n }\n }\n\n // ensure leading slash\n if (stack[0] !== '') {\n stack.unshift('');\n }\n\n return stack.join('/')\n}\n\nfunction parsePath (path) {\n var hash = '';\n var query = '';\n\n var hashIndex = path.indexOf('#');\n if (hashIndex >= 0) {\n hash = path.slice(hashIndex);\n path = path.slice(0, hashIndex);\n }\n\n var queryIndex = path.indexOf('?');\n if (queryIndex >= 0) {\n query = path.slice(queryIndex + 1);\n path = path.slice(0, queryIndex);\n }\n\n return {\n path: path,\n query: query,\n hash: hash\n }\n}\n\nfunction cleanPath (path) {\n return path.replace(/\\/(?:\\s*\\/)+/g, '/')\n}\n\nvar isarray = Array.isArray || function (arr) {\n return Object.prototype.toString.call(arr) == '[object Array]';\n};\n\n/**\n * Expose `pathToRegexp`.\n */\nvar pathToRegexp_1 = pathToRegexp;\nvar parse_1 = parse;\nvar compile_1 = compile;\nvar tokensToFunction_1 = tokensToFunction;\nvar tokensToRegExp_1 = tokensToRegExp;\n\n/**\n * The main path matching regexp utility.\n *\n * @type {RegExp}\n */\nvar PATH_REGEXP = new RegExp([\n // Match escaped characters that would otherwise appear in future matches.\n // This allows the user to escape special characters that won't transform.\n '(\\\\\\\\.)',\n // Match Express-style parameters and un-named parameters with a prefix\n // and optional suffixes. Matches appear as:\n //\n // \"/:test(\\\\d+)?\" => [\"/\", \"test\", \"\\d+\", undefined, \"?\", undefined]\n // \"/route(\\\\d+)\" => [undefined, undefined, undefined, \"\\d+\", undefined, undefined]\n // \"/*\" => [\"/\", undefined, undefined, undefined, undefined, \"*\"]\n '([\\\\/.])?(?:(?:\\\\:(\\\\w+)(?:\\\\(((?:\\\\\\\\.|[^\\\\\\\\()])+)\\\\))?|\\\\(((?:\\\\\\\\.|[^\\\\\\\\()])+)\\\\))([+*?])?|(\\\\*))'\n].join('|'), 'g');\n\n/**\n * Parse a string for the raw tokens.\n *\n * @param {string} str\n * @param {Object=} options\n * @return {!Array}\n */\nfunction parse (str, options) {\n var tokens = [];\n var key = 0;\n var index = 0;\n var path = '';\n var defaultDelimiter = options && options.delimiter || '/';\n var res;\n\n while ((res = PATH_REGEXP.exec(str)) != null) {\n var m = res[0];\n var escaped = res[1];\n var offset = res.index;\n path += str.slice(index, offset);\n index = offset + m.length;\n\n // Ignore already escaped sequences.\n if (escaped) {\n path += escaped[1];\n continue\n }\n\n var next = str[index];\n var prefix = res[2];\n var name = res[3];\n var capture = res[4];\n var group = res[5];\n var modifier = res[6];\n var asterisk = res[7];\n\n // Push the current path onto the tokens.\n if (path) {\n tokens.push(path);\n path = '';\n }\n\n var partial = prefix != null && next != null && next !== prefix;\n var repeat = modifier === '+' || modifier === '*';\n var optional = modifier === '?' || modifier === '*';\n var delimiter = res[2] || defaultDelimiter;\n var pattern = capture || group;\n\n tokens.push({\n name: name || key++,\n prefix: prefix || '',\n delimiter: delimiter,\n optional: optional,\n repeat: repeat,\n partial: partial,\n asterisk: !!asterisk,\n pattern: pattern ? escapeGroup(pattern) : (asterisk ? '.*' : '[^' + escapeString(delimiter) + ']+?')\n });\n }\n\n // Match any characters still remaining.\n if (index < str.length) {\n path += str.substr(index);\n }\n\n // If the path exists, push it onto the end.\n if (path) {\n tokens.push(path);\n }\n\n return tokens\n}\n\n/**\n * Compile a string to a template function for the path.\n *\n * @param {string} str\n * @param {Object=} options\n * @return {!function(Object=, Object=)}\n */\nfunction compile (str, options) {\n return tokensToFunction(parse(str, options), options)\n}\n\n/**\n * Prettier encoding of URI path segments.\n *\n * @param {string}\n * @return {string}\n */\nfunction encodeURIComponentPretty (str) {\n return encodeURI(str).replace(/[\\/?#]/g, function (c) {\n return '%' + c.charCodeAt(0).toString(16).toUpperCase()\n })\n}\n\n/**\n * Encode the asterisk parameter. Similar to `pretty`, but allows slashes.\n *\n * @param {string}\n * @return {string}\n */\nfunction encodeAsterisk (str) {\n return encodeURI(str).replace(/[?#]/g, function (c) {\n return '%' + c.charCodeAt(0).toString(16).toUpperCase()\n })\n}\n\n/**\n * Expose a method for transforming tokens into the path function.\n */\nfunction tokensToFunction (tokens, options) {\n // Compile all the tokens into regexps.\n var matches = new Array(tokens.length);\n\n // Compile all the patterns before compilation.\n for (var i = 0; i < tokens.length; i++) {\n if (typeof tokens[i] === 'object') {\n matches[i] = new RegExp('^(?:' + tokens[i].pattern + ')$', flags(options));\n }\n }\n\n return function (obj, opts) {\n var path = '';\n var data = obj || {};\n var options = opts || {};\n var encode = options.pretty ? encodeURIComponentPretty : encodeURIComponent;\n\n for (var i = 0; i < tokens.length; i++) {\n var token = tokens[i];\n\n if (typeof token === 'string') {\n path += token;\n\n continue\n }\n\n var value = data[token.name];\n var segment;\n\n if (value == null) {\n if (token.optional) {\n // Prepend partial segment prefixes.\n if (token.partial) {\n path += token.prefix;\n }\n\n continue\n } else {\n throw new TypeError('Expected \"' + token.name + '\" to be defined')\n }\n }\n\n if (isarray(value)) {\n if (!token.repeat) {\n throw new TypeError('Expected \"' + token.name + '\" to not repeat, but received `' + JSON.stringify(value) + '`')\n }\n\n if (value.length === 0) {\n if (token.optional) {\n continue\n } else {\n throw new TypeError('Expected \"' + token.name + '\" to not be empty')\n }\n }\n\n for (var j = 0; j < value.length; j++) {\n segment = encode(value[j]);\n\n if (!matches[i].test(segment)) {\n throw new TypeError('Expected all \"' + token.name + '\" to match \"' + token.pattern + '\", but received `' + JSON.stringify(segment) + '`')\n }\n\n path += (j === 0 ? token.prefix : token.delimiter) + segment;\n }\n\n continue\n }\n\n segment = token.asterisk ? encodeAsterisk(value) : encode(value);\n\n if (!matches[i].test(segment)) {\n throw new TypeError('Expected \"' + token.name + '\" to match \"' + token.pattern + '\", but received \"' + segment + '\"')\n }\n\n path += token.prefix + segment;\n }\n\n return path\n }\n}\n\n/**\n * Escape a regular expression string.\n *\n * @param {string} str\n * @return {string}\n */\nfunction escapeString (str) {\n return str.replace(/([.+*?=^!:${}()[\\]|\\/\\\\])/g, '\\\\$1')\n}\n\n/**\n * Escape the capturing group by escaping special characters and meaning.\n *\n * @param {string} group\n * @return {string}\n */\nfunction escapeGroup (group) {\n return group.replace(/([=!:$\\/()])/g, '\\\\$1')\n}\n\n/**\n * Attach the keys as a property of the regexp.\n *\n * @param {!RegExp} re\n * @param {Array} keys\n * @return {!RegExp}\n */\nfunction attachKeys (re, keys) {\n re.keys = keys;\n return re\n}\n\n/**\n * Get the flags for a regexp from the options.\n *\n * @param {Object} options\n * @return {string}\n */\nfunction flags (options) {\n return options && options.sensitive ? '' : 'i'\n}\n\n/**\n * Pull out keys from a regexp.\n *\n * @param {!RegExp} path\n * @param {!Array} keys\n * @return {!RegExp}\n */\nfunction regexpToRegexp (path, keys) {\n // Use a negative lookahead to match only capturing groups.\n var groups = path.source.match(/\\((?!\\?)/g);\n\n if (groups) {\n for (var i = 0; i < groups.length; i++) {\n keys.push({\n name: i,\n prefix: null,\n delimiter: null,\n optional: false,\n repeat: false,\n partial: false,\n asterisk: false,\n pattern: null\n });\n }\n }\n\n return attachKeys(path, keys)\n}\n\n/**\n * Transform an array into a regexp.\n *\n * @param {!Array} path\n * @param {Array} keys\n * @param {!Object} options\n * @return {!RegExp}\n */\nfunction arrayToRegexp (path, keys, options) {\n var parts = [];\n\n for (var i = 0; i < path.length; i++) {\n parts.push(pathToRegexp(path[i], keys, options).source);\n }\n\n var regexp = new RegExp('(?:' + parts.join('|') + ')', flags(options));\n\n return attachKeys(regexp, keys)\n}\n\n/**\n * Create a path regexp from string input.\n *\n * @param {string} path\n * @param {!Array} keys\n * @param {!Object} options\n * @return {!RegExp}\n */\nfunction stringToRegexp (path, keys, options) {\n return tokensToRegExp(parse(path, options), keys, options)\n}\n\n/**\n * Expose a function for taking tokens and returning a RegExp.\n *\n * @param {!Array} tokens\n * @param {(Array|Object)=} keys\n * @param {Object=} options\n * @return {!RegExp}\n */\nfunction tokensToRegExp (tokens, keys, options) {\n if (!isarray(keys)) {\n options = /** @type {!Object} */ (keys || options);\n keys = [];\n }\n\n options = options || {};\n\n var strict = options.strict;\n var end = options.end !== false;\n var route = '';\n\n // Iterate over the tokens and create our regexp string.\n for (var i = 0; i < tokens.length; i++) {\n var token = tokens[i];\n\n if (typeof token === 'string') {\n route += escapeString(token);\n } else {\n var prefix = escapeString(token.prefix);\n var capture = '(?:' + token.pattern + ')';\n\n keys.push(token);\n\n if (token.repeat) {\n capture += '(?:' + prefix + capture + ')*';\n }\n\n if (token.optional) {\n if (!token.partial) {\n capture = '(?:' + prefix + '(' + capture + '))?';\n } else {\n capture = prefix + '(' + capture + ')?';\n }\n } else {\n capture = prefix + '(' + capture + ')';\n }\n\n route += capture;\n }\n }\n\n var delimiter = escapeString(options.delimiter || '/');\n var endsWithDelimiter = route.slice(-delimiter.length) === delimiter;\n\n // In non-strict mode we allow a slash at the end of match. If the path to\n // match already ends with a slash, we remove it for consistency. The slash\n // is valid at the end of a path match, not in the middle. This is important\n // in non-ending mode, where \"/test/\" shouldn't match \"/test//route\".\n if (!strict) {\n route = (endsWithDelimiter ? route.slice(0, -delimiter.length) : route) + '(?:' + delimiter + '(?=$))?';\n }\n\n if (end) {\n route += '$';\n } else {\n // In non-ending mode, we need the capturing groups to match as much as\n // possible by using a positive lookahead to the end or next path segment.\n route += strict && endsWithDelimiter ? '' : '(?=' + delimiter + '|$)';\n }\n\n return attachKeys(new RegExp('^' + route, flags(options)), keys)\n}\n\n/**\n * Normalize the given path string, returning a regular expression.\n *\n * An empty array can be passed in for the keys, which will hold the\n * placeholder key descriptions. For example, using `/user/:id`, `keys` will\n * contain `[{ name: 'id', delimiter: '/', optional: false, repeat: false }]`.\n *\n * @param {(string|RegExp|Array)} path\n * @param {(Array|Object)=} keys\n * @param {Object=} options\n * @return {!RegExp}\n */\nfunction pathToRegexp (path, keys, options) {\n if (!isarray(keys)) {\n options = /** @type {!Object} */ (keys || options);\n keys = [];\n }\n\n options = options || {};\n\n if (path instanceof RegExp) {\n return regexpToRegexp(path, /** @type {!Array} */ (keys))\n }\n\n if (isarray(path)) {\n return arrayToRegexp(/** @type {!Array} */ (path), /** @type {!Array} */ (keys), options)\n }\n\n return stringToRegexp(/** @type {string} */ (path), /** @type {!Array} */ (keys), options)\n}\npathToRegexp_1.parse = parse_1;\npathToRegexp_1.compile = compile_1;\npathToRegexp_1.tokensToFunction = tokensToFunction_1;\npathToRegexp_1.tokensToRegExp = tokensToRegExp_1;\n\n/* */\n\n// $flow-disable-line\nvar regexpCompileCache = Object.create(null);\n\nfunction fillParams (\n path,\n params,\n routeMsg\n) {\n params = params || {};\n try {\n var filler =\n regexpCompileCache[path] ||\n (regexpCompileCache[path] = pathToRegexp_1.compile(path));\n\n // Fix #2505 resolving asterisk routes { name: 'not-found', params: { pathMatch: '/not-found' }}\n // and fix #3106 so that you can work with location descriptor object having params.pathMatch equal to empty string\n if (typeof params.pathMatch === 'string') { params[0] = params.pathMatch; }\n\n return filler(params, { pretty: true })\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n // Fix #3072 no warn if `pathMatch` is string\n warn(typeof params.pathMatch === 'string', (\"missing param for \" + routeMsg + \": \" + (e.message)));\n }\n return ''\n } finally {\n // delete the 0 if it was added\n delete params[0];\n }\n}\n\n/* */\n\nfunction normalizeLocation (\n raw,\n current,\n append,\n router\n) {\n var next = typeof raw === 'string' ? { path: raw } : raw;\n // named target\n if (next._normalized) {\n return next\n } else if (next.name) {\n next = extend({}, raw);\n var params = next.params;\n if (params && typeof params === 'object') {\n next.params = extend({}, params);\n }\n return next\n }\n\n // relative params\n if (!next.path && next.params && current) {\n next = extend({}, next);\n next._normalized = true;\n var params$1 = extend(extend({}, current.params), next.params);\n if (current.name) {\n next.name = current.name;\n next.params = params$1;\n } else if (current.matched.length) {\n var rawPath = current.matched[current.matched.length - 1].path;\n next.path = fillParams(rawPath, params$1, (\"path \" + (current.path)));\n } else if (process.env.NODE_ENV !== 'production') {\n warn(false, \"relative params navigation requires a current route.\");\n }\n return next\n }\n\n var parsedPath = parsePath(next.path || '');\n var basePath = (current && current.path) || '/';\n var path = parsedPath.path\n ? resolvePath(parsedPath.path, basePath, append || next.append)\n : basePath;\n\n var query = resolveQuery(\n parsedPath.query,\n next.query,\n router && router.options.parseQuery\n );\n\n var hash = next.hash || parsedPath.hash;\n if (hash && hash.charAt(0) !== '#') {\n hash = \"#\" + hash;\n }\n\n return {\n _normalized: true,\n path: path,\n query: query,\n hash: hash\n }\n}\n\n/* */\n\n// work around weird flow bug\nvar toTypes = [String, Object];\nvar eventTypes = [String, Array];\n\nvar noop = function () {};\n\nvar warnedCustomSlot;\nvar warnedTagProp;\nvar warnedEventProp;\n\nvar Link = {\n name: 'RouterLink',\n props: {\n to: {\n type: toTypes,\n required: true\n },\n tag: {\n type: String,\n default: 'a'\n },\n custom: Boolean,\n exact: Boolean,\n exactPath: Boolean,\n append: Boolean,\n replace: Boolean,\n activeClass: String,\n exactActiveClass: String,\n ariaCurrentValue: {\n type: String,\n default: 'page'\n },\n event: {\n type: eventTypes,\n default: 'click'\n }\n },\n render: function render (h) {\n var this$1$1 = this;\n\n var router = this.$router;\n var current = this.$route;\n var ref = router.resolve(\n this.to,\n current,\n this.append\n );\n var location = ref.location;\n var route = ref.route;\n var href = ref.href;\n\n var classes = {};\n var globalActiveClass = router.options.linkActiveClass;\n var globalExactActiveClass = router.options.linkExactActiveClass;\n // Support global empty active class\n var activeClassFallback =\n globalActiveClass == null ? 'router-link-active' : globalActiveClass;\n var exactActiveClassFallback =\n globalExactActiveClass == null\n ? 'router-link-exact-active'\n : globalExactActiveClass;\n var activeClass =\n this.activeClass == null ? activeClassFallback : this.activeClass;\n var exactActiveClass =\n this.exactActiveClass == null\n ? exactActiveClassFallback\n : this.exactActiveClass;\n\n var compareTarget = route.redirectedFrom\n ? createRoute(null, normalizeLocation(route.redirectedFrom), null, router)\n : route;\n\n classes[exactActiveClass] = isSameRoute(current, compareTarget, this.exactPath);\n classes[activeClass] = this.exact || this.exactPath\n ? classes[exactActiveClass]\n : isIncludedRoute(current, compareTarget);\n\n var ariaCurrentValue = classes[exactActiveClass] ? this.ariaCurrentValue : null;\n\n var handler = function (e) {\n if (guardEvent(e)) {\n if (this$1$1.replace) {\n router.replace(location, noop);\n } else {\n router.push(location, noop);\n }\n }\n };\n\n var on = { click: guardEvent };\n if (Array.isArray(this.event)) {\n this.event.forEach(function (e) {\n on[e] = handler;\n });\n } else {\n on[this.event] = handler;\n }\n\n var data = { class: classes };\n\n var scopedSlot =\n !this.$scopedSlots.$hasNormal &&\n this.$scopedSlots.default &&\n this.$scopedSlots.default({\n href: href,\n route: route,\n navigate: handler,\n isActive: classes[activeClass],\n isExactActive: classes[exactActiveClass]\n });\n\n if (scopedSlot) {\n if (process.env.NODE_ENV !== 'production' && !this.custom) {\n !warnedCustomSlot && warn(false, 'In Vue Router 4, the v-slot API will by default wrap its content with an <a> element. Use the custom prop to remove this warning:\\n<router-link v-slot=\"{ navigate, href }\" custom></router-link>\\n');\n warnedCustomSlot = true;\n }\n if (scopedSlot.length === 1) {\n return scopedSlot[0]\n } else if (scopedSlot.length > 1 || !scopedSlot.length) {\n if (process.env.NODE_ENV !== 'production') {\n warn(\n false,\n (\"<router-link> with to=\\\"\" + (this.to) + \"\\\" is trying to use a scoped slot but it didn't provide exactly one child. Wrapping the content with a span element.\")\n );\n }\n return scopedSlot.length === 0 ? h() : h('span', {}, scopedSlot)\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if ('tag' in this.$options.propsData && !warnedTagProp) {\n warn(\n false,\n \"<router-link>'s tag prop is deprecated and has been removed in Vue Router 4. Use the v-slot API to remove this warning: https://next.router.vuejs.org/guide/migration/#removal-of-event-and-tag-props-in-router-link.\"\n );\n warnedTagProp = true;\n }\n if ('event' in this.$options.propsData && !warnedEventProp) {\n warn(\n false,\n \"<router-link>'s event prop is deprecated and has been removed in Vue Router 4. Use the v-slot API to remove this warning: https://next.router.vuejs.org/guide/migration/#removal-of-event-and-tag-props-in-router-link.\"\n );\n warnedEventProp = true;\n }\n }\n\n if (this.tag === 'a') {\n data.on = on;\n data.attrs = { href: href, 'aria-current': ariaCurrentValue };\n } else {\n // find the first <a> child and apply listener and href\n var a = findAnchor(this.$slots.default);\n if (a) {\n // in case the <a> is a static node\n a.isStatic = false;\n var aData = (a.data = extend({}, a.data));\n aData.on = aData.on || {};\n // transform existing events in both objects into arrays so we can push later\n for (var event in aData.on) {\n var handler$1 = aData.on[event];\n if (event in on) {\n aData.on[event] = Array.isArray(handler$1) ? handler$1 : [handler$1];\n }\n }\n // append new listeners for router-link\n for (var event$1 in on) {\n if (event$1 in aData.on) {\n // on[event] is always a function\n aData.on[event$1].push(on[event$1]);\n } else {\n aData.on[event$1] = handler;\n }\n }\n\n var aAttrs = (a.data.attrs = extend({}, a.data.attrs));\n aAttrs.href = href;\n aAttrs['aria-current'] = ariaCurrentValue;\n } else {\n // doesn't have <a> child, apply listener to self\n data.on = on;\n }\n }\n\n return h(this.tag, data, this.$slots.default)\n }\n};\n\nfunction guardEvent (e) {\n // don't redirect with control keys\n if (e.metaKey || e.altKey || e.ctrlKey || e.shiftKey) { return }\n // don't redirect when preventDefault called\n if (e.defaultPrevented) { return }\n // don't redirect on right click\n if (e.button !== undefined && e.button !== 0) { return }\n // don't redirect if `target=\"_blank\"`\n if (e.currentTarget && e.currentTarget.getAttribute) {\n var target = e.currentTarget.getAttribute('target');\n if (/\\b_blank\\b/i.test(target)) { return }\n }\n // this may be a Weex event which doesn't have this method\n if (e.preventDefault) {\n e.preventDefault();\n }\n return true\n}\n\nfunction findAnchor (children) {\n if (children) {\n var child;\n for (var i = 0; i < children.length; i++) {\n child = children[i];\n if (child.tag === 'a') {\n return child\n }\n if (child.children && (child = findAnchor(child.children))) {\n return child\n }\n }\n }\n}\n\nvar _Vue;\n\nfunction install (Vue) {\n if (install.installed && _Vue === Vue) { return }\n install.installed = true;\n\n _Vue = Vue;\n\n var isDef = function (v) { return v !== undefined; };\n\n var registerInstance = function (vm, callVal) {\n var i = vm.$options._parentVnode;\n if (isDef(i) && isDef(i = i.data) && isDef(i = i.registerRouteInstance)) {\n i(vm, callVal);\n }\n };\n\n Vue.mixin({\n beforeCreate: function beforeCreate () {\n if (isDef(this.$options.router)) {\n this._routerRoot = this;\n this._router = this.$options.router;\n this._router.init(this);\n Vue.util.defineReactive(this, '_route', this._router.history.current);\n } else {\n this._routerRoot = (this.$parent && this.$parent._routerRoot) || this;\n }\n registerInstance(this, this);\n },\n destroyed: function destroyed () {\n registerInstance(this);\n }\n });\n\n Object.defineProperty(Vue.prototype, '$router', {\n get: function get () { return this._routerRoot._router }\n });\n\n Object.defineProperty(Vue.prototype, '$route', {\n get: function get () { return this._routerRoot._route }\n });\n\n Vue.component('RouterView', View);\n Vue.component('RouterLink', Link);\n\n var strats = Vue.config.optionMergeStrategies;\n // use the same hook merging strategy for route hooks\n strats.beforeRouteEnter = strats.beforeRouteLeave = strats.beforeRouteUpdate = strats.created;\n}\n\n/* */\n\nvar inBrowser = typeof window !== 'undefined';\n\n/* */\n\nfunction createRouteMap (\n routes,\n oldPathList,\n oldPathMap,\n oldNameMap,\n parentRoute\n) {\n // the path list is used to control path matching priority\n var pathList = oldPathList || [];\n // $flow-disable-line\n var pathMap = oldPathMap || Object.create(null);\n // $flow-disable-line\n var nameMap = oldNameMap || Object.create(null);\n\n routes.forEach(function (route) {\n addRouteRecord(pathList, pathMap, nameMap, route, parentRoute);\n });\n\n // ensure wildcard routes are always at the end\n for (var i = 0, l = pathList.length; i < l; i++) {\n if (pathList[i] === '*') {\n pathList.push(pathList.splice(i, 1)[0]);\n l--;\n i--;\n }\n }\n\n if (process.env.NODE_ENV === 'development') {\n // warn if routes do not include leading slashes\n var found = pathList\n // check for missing leading slash\n .filter(function (path) { return path && path.charAt(0) !== '*' && path.charAt(0) !== '/'; });\n\n if (found.length > 0) {\n var pathNames = found.map(function (path) { return (\"- \" + path); }).join('\\n');\n warn(false, (\"Non-nested routes must include a leading slash character. Fix the following routes: \\n\" + pathNames));\n }\n }\n\n return {\n pathList: pathList,\n pathMap: pathMap,\n nameMap: nameMap\n }\n}\n\nfunction addRouteRecord (\n pathList,\n pathMap,\n nameMap,\n route,\n parent,\n matchAs\n) {\n var path = route.path;\n var name = route.name;\n if (process.env.NODE_ENV !== 'production') {\n assert(path != null, \"\\\"path\\\" is required in a route configuration.\");\n assert(\n typeof route.component !== 'string',\n \"route config \\\"component\\\" for path: \" + (String(\n path || name\n )) + \" cannot be a \" + \"string id. Use an actual component instead.\"\n );\n\n warn(\n // eslint-disable-next-line no-control-regex\n !/[^\\u0000-\\u007F]+/.test(path),\n \"Route with path \\\"\" + path + \"\\\" contains unencoded characters, make sure \" +\n \"your path is correctly encoded before passing it to the router. Use \" +\n \"encodeURI to encode static segments of your path.\"\n );\n }\n\n var pathToRegexpOptions =\n route.pathToRegexpOptions || {};\n var normalizedPath = normalizePath(path, parent, pathToRegexpOptions.strict);\n\n if (typeof route.caseSensitive === 'boolean') {\n pathToRegexpOptions.sensitive = route.caseSensitive;\n }\n\n var record = {\n path: normalizedPath,\n regex: compileRouteRegex(normalizedPath, pathToRegexpOptions),\n components: route.components || { default: route.component },\n alias: route.alias\n ? typeof route.alias === 'string'\n ? [route.alias]\n : route.alias\n : [],\n instances: {},\n enteredCbs: {},\n name: name,\n parent: parent,\n matchAs: matchAs,\n redirect: route.redirect,\n beforeEnter: route.beforeEnter,\n meta: route.meta || {},\n props:\n route.props == null\n ? {}\n : route.components\n ? route.props\n : { default: route.props }\n };\n\n if (route.children) {\n // Warn if route is named, does not redirect and has a default child route.\n // If users navigate to this route by name, the default child will\n // not be rendered (GH Issue #629)\n if (process.env.NODE_ENV !== 'production') {\n if (\n route.name &&\n !route.redirect &&\n route.children.some(function (child) { return /^\\/?$/.test(child.path); })\n ) {\n warn(\n false,\n \"Named Route '\" + (route.name) + \"' has a default child route. \" +\n \"When navigating to this named route (:to=\\\"{name: '\" + (route.name) + \"'}\\\"), \" +\n \"the default child route will not be rendered. Remove the name from \" +\n \"this route and use the name of the default child route for named \" +\n \"links instead.\"\n );\n }\n }\n route.children.forEach(function (child) {\n var childMatchAs = matchAs\n ? cleanPath((matchAs + \"/\" + (child.path)))\n : undefined;\n addRouteRecord(pathList, pathMap, nameMap, child, record, childMatchAs);\n });\n }\n\n if (!pathMap[record.path]) {\n pathList.push(record.path);\n pathMap[record.path] = record;\n }\n\n if (route.alias !== undefined) {\n var aliases = Array.isArray(route.alias) ? route.alias : [route.alias];\n for (var i = 0; i < aliases.length; ++i) {\n var alias = aliases[i];\n if (process.env.NODE_ENV !== 'production' && alias === path) {\n warn(\n false,\n (\"Found an alias with the same value as the path: \\\"\" + path + \"\\\". You have to remove that alias. It will be ignored in development.\")\n );\n // skip in dev to make it work\n continue\n }\n\n var aliasRoute = {\n path: alias,\n children: route.children\n };\n addRouteRecord(\n pathList,\n pathMap,\n nameMap,\n aliasRoute,\n parent,\n record.path || '/' // matchAs\n );\n }\n }\n\n if (name) {\n if (!nameMap[name]) {\n nameMap[name] = record;\n } else if (process.env.NODE_ENV !== 'production' && !matchAs) {\n warn(\n false,\n \"Duplicate named routes definition: \" +\n \"{ name: \\\"\" + name + \"\\\", path: \\\"\" + (record.path) + \"\\\" }\"\n );\n }\n }\n}\n\nfunction compileRouteRegex (\n path,\n pathToRegexpOptions\n) {\n var regex = pathToRegexp_1(path, [], pathToRegexpOptions);\n if (process.env.NODE_ENV !== 'production') {\n var keys = Object.create(null);\n regex.keys.forEach(function (key) {\n warn(\n !keys[key.name],\n (\"Duplicate param keys in route with path: \\\"\" + path + \"\\\"\")\n );\n keys[key.name] = true;\n });\n }\n return regex\n}\n\nfunction normalizePath (\n path,\n parent,\n strict\n) {\n if (!strict) { path = path.replace(/\\/$/, ''); }\n if (path[0] === '/') { return path }\n if (parent == null) { return path }\n return cleanPath(((parent.path) + \"/\" + path))\n}\n\n/* */\n\n\n\nfunction createMatcher (\n routes,\n router\n) {\n var ref = createRouteMap(routes);\n var pathList = ref.pathList;\n var pathMap = ref.pathMap;\n var nameMap = ref.nameMap;\n\n function addRoutes (routes) {\n createRouteMap(routes, pathList, pathMap, nameMap);\n }\n\n function addRoute (parentOrRoute, route) {\n var parent = (typeof parentOrRoute !== 'object') ? nameMap[parentOrRoute] : undefined;\n // $flow-disable-line\n createRouteMap([route || parentOrRoute], pathList, pathMap, nameMap, parent);\n\n // add aliases of parent\n if (parent && parent.alias.length) {\n createRouteMap(\n // $flow-disable-line route is defined if parent is\n parent.alias.map(function (alias) { return ({ path: alias, children: [route] }); }),\n pathList,\n pathMap,\n nameMap,\n parent\n );\n }\n }\n\n function getRoutes () {\n return pathList.map(function (path) { return pathMap[path]; })\n }\n\n function match (\n raw,\n currentRoute,\n redirectedFrom\n ) {\n var location = normalizeLocation(raw, currentRoute, false, router);\n var name = location.name;\n\n if (name) {\n var record = nameMap[name];\n if (process.env.NODE_ENV !== 'production') {\n warn(record, (\"Route with name '\" + name + \"' does not exist\"));\n }\n if (!record) { return _createRoute(null, location) }\n var paramNames = record.regex.keys\n .filter(function (key) { return !key.optional; })\n .map(function (key) { return key.name; });\n\n if (typeof location.params !== 'object') {\n location.params = {};\n }\n\n if (currentRoute && typeof currentRoute.params === 'object') {\n for (var key in currentRoute.params) {\n if (!(key in location.params) && paramNames.indexOf(key) > -1) {\n location.params[key] = currentRoute.params[key];\n }\n }\n }\n\n location.path = fillParams(record.path, location.params, (\"named route \\\"\" + name + \"\\\"\"));\n return _createRoute(record, location, redirectedFrom)\n } else if (location.path) {\n location.params = {};\n for (var i = 0; i < pathList.length; i++) {\n var path = pathList[i];\n var record$1 = pathMap[path];\n if (matchRoute(record$1.regex, location.path, location.params)) {\n return _createRoute(record$1, location, redirectedFrom)\n }\n }\n }\n // no match\n return _createRoute(null, location)\n }\n\n function redirect (\n record,\n location\n ) {\n var originalRedirect = record.redirect;\n var redirect = typeof originalRedirect === 'function'\n ? originalRedirect(createRoute(record, location, null, router))\n : originalRedirect;\n\n if (typeof redirect === 'string') {\n redirect = { path: redirect };\n }\n\n if (!redirect || typeof redirect !== 'object') {\n if (process.env.NODE_ENV !== 'production') {\n warn(\n false, (\"invalid redirect option: \" + (JSON.stringify(redirect)))\n );\n }\n return _createRoute(null, location)\n }\n\n var re = redirect;\n var name = re.name;\n var path = re.path;\n var query = location.query;\n var hash = location.hash;\n var params = location.params;\n query = re.hasOwnProperty('query') ? re.query : query;\n hash = re.hasOwnProperty('hash') ? re.hash : hash;\n params = re.hasOwnProperty('params') ? re.params : params;\n\n if (name) {\n // resolved named direct\n var targetRecord = nameMap[name];\n if (process.env.NODE_ENV !== 'production') {\n assert(targetRecord, (\"redirect failed: named route \\\"\" + name + \"\\\" not found.\"));\n }\n return match({\n _normalized: true,\n name: name,\n query: query,\n hash: hash,\n params: params\n }, undefined, location)\n } else if (path) {\n // 1. resolve relative redirect\n var rawPath = resolveRecordPath(path, record);\n // 2. resolve params\n var resolvedPath = fillParams(rawPath, params, (\"redirect route with path \\\"\" + rawPath + \"\\\"\"));\n // 3. rematch with existing query and hash\n return match({\n _normalized: true,\n path: resolvedPath,\n query: query,\n hash: hash\n }, undefined, location)\n } else {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, (\"invalid redirect option: \" + (JSON.stringify(redirect))));\n }\n return _createRoute(null, location)\n }\n }\n\n function alias (\n record,\n location,\n matchAs\n ) {\n var aliasedPath = fillParams(matchAs, location.params, (\"aliased route with path \\\"\" + matchAs + \"\\\"\"));\n var aliasedMatch = match({\n _normalized: true,\n path: aliasedPath\n });\n if (aliasedMatch) {\n var matched = aliasedMatch.matched;\n var aliasedRecord = matched[matched.length - 1];\n location.params = aliasedMatch.params;\n return _createRoute(aliasedRecord, location)\n }\n return _createRoute(null, location)\n }\n\n function _createRoute (\n record,\n location,\n redirectedFrom\n ) {\n if (record && record.redirect) {\n return redirect(record, redirectedFrom || location)\n }\n if (record && record.matchAs) {\n return alias(record, location, record.matchAs)\n }\n return createRoute(record, location, redirectedFrom, router)\n }\n\n return {\n match: match,\n addRoute: addRoute,\n getRoutes: getRoutes,\n addRoutes: addRoutes\n }\n}\n\nfunction matchRoute (\n regex,\n path,\n params\n) {\n var m = path.match(regex);\n\n if (!m) {\n return false\n } else if (!params) {\n return true\n }\n\n for (var i = 1, len = m.length; i < len; ++i) {\n var key = regex.keys[i - 1];\n if (key) {\n // Fix #1994: using * with props: true generates a param named 0\n params[key.name || 'pathMatch'] = typeof m[i] === 'string' ? decode(m[i]) : m[i];\n }\n }\n\n return true\n}\n\nfunction resolveRecordPath (path, record) {\n return resolvePath(path, record.parent ? record.parent.path : '/', true)\n}\n\n/* */\n\n// use User Timing api (if present) for more accurate key precision\nvar Time =\n inBrowser && window.performance && window.performance.now\n ? window.performance\n : Date;\n\nfunction genStateKey () {\n return Time.now().toFixed(3)\n}\n\nvar _key = genStateKey();\n\nfunction getStateKey () {\n return _key\n}\n\nfunction setStateKey (key) {\n return (_key = key)\n}\n\n/* */\n\nvar positionStore = Object.create(null);\n\nfunction setupScroll () {\n // Prevent browser scroll behavior on History popstate\n if ('scrollRestoration' in window.history) {\n window.history.scrollRestoration = 'manual';\n }\n // Fix for #1585 for Firefox\n // Fix for #2195 Add optional third attribute to workaround a bug in safari https://bugs.webkit.org/show_bug.cgi?id=182678\n // Fix for #2774 Support for apps loaded from Windows file shares not mapped to network drives: replaced location.origin with\n // window.location.protocol + '//' + window.location.host\n // location.host contains the port and location.hostname doesn't\n var protocolAndPath = window.location.protocol + '//' + window.location.host;\n var absolutePath = window.location.href.replace(protocolAndPath, '');\n // preserve existing history state as it could be overriden by the user\n var stateCopy = extend({}, window.history.state);\n stateCopy.key = getStateKey();\n window.history.replaceState(stateCopy, '', absolutePath);\n window.addEventListener('popstate', handlePopState);\n return function () {\n window.removeEventListener('popstate', handlePopState);\n }\n}\n\nfunction handleScroll (\n router,\n to,\n from,\n isPop\n) {\n if (!router.app) {\n return\n }\n\n var behavior = router.options.scrollBehavior;\n if (!behavior) {\n return\n }\n\n if (process.env.NODE_ENV !== 'production') {\n assert(typeof behavior === 'function', \"scrollBehavior must be a function\");\n }\n\n // wait until re-render finishes before scrolling\n router.app.$nextTick(function () {\n var position = getScrollPosition();\n var shouldScroll = behavior.call(\n router,\n to,\n from,\n isPop ? position : null\n );\n\n if (!shouldScroll) {\n return\n }\n\n if (typeof shouldScroll.then === 'function') {\n shouldScroll\n .then(function (shouldScroll) {\n scrollToPosition((shouldScroll), position);\n })\n .catch(function (err) {\n if (process.env.NODE_ENV !== 'production') {\n assert(false, err.toString());\n }\n });\n } else {\n scrollToPosition(shouldScroll, position);\n }\n });\n}\n\nfunction saveScrollPosition () {\n var key = getStateKey();\n if (key) {\n positionStore[key] = {\n x: window.pageXOffset,\n y: window.pageYOffset\n };\n }\n}\n\nfunction handlePopState (e) {\n saveScrollPosition();\n if (e.state && e.state.key) {\n setStateKey(e.state.key);\n }\n}\n\nfunction getScrollPosition () {\n var key = getStateKey();\n if (key) {\n return positionStore[key]\n }\n}\n\nfunction getElementPosition (el, offset) {\n var docEl = document.documentElement;\n var docRect = docEl.getBoundingClientRect();\n var elRect = el.getBoundingClientRect();\n return {\n x: elRect.left - docRect.left - offset.x,\n y: elRect.top - docRect.top - offset.y\n }\n}\n\nfunction isValidPosition (obj) {\n return isNumber(obj.x) || isNumber(obj.y)\n}\n\nfunction normalizePosition (obj) {\n return {\n x: isNumber(obj.x) ? obj.x : window.pageXOffset,\n y: isNumber(obj.y) ? obj.y : window.pageYOffset\n }\n}\n\nfunction normalizeOffset (obj) {\n return {\n x: isNumber(obj.x) ? obj.x : 0,\n y: isNumber(obj.y) ? obj.y : 0\n }\n}\n\nfunction isNumber (v) {\n return typeof v === 'number'\n}\n\nvar hashStartsWithNumberRE = /^#\\d/;\n\nfunction scrollToPosition (shouldScroll, position) {\n var isObject = typeof shouldScroll === 'object';\n if (isObject && typeof shouldScroll.selector === 'string') {\n // getElementById would still fail if the selector contains a more complicated query like #main[data-attr]\n // but at the same time, it doesn't make much sense to select an element with an id and an extra selector\n var el = hashStartsWithNumberRE.test(shouldScroll.selector) // $flow-disable-line\n ? document.getElementById(shouldScroll.selector.slice(1)) // $flow-disable-line\n : document.querySelector(shouldScroll.selector);\n\n if (el) {\n var offset =\n shouldScroll.offset && typeof shouldScroll.offset === 'object'\n ? shouldScroll.offset\n : {};\n offset = normalizeOffset(offset);\n position = getElementPosition(el, offset);\n } else if (isValidPosition(shouldScroll)) {\n position = normalizePosition(shouldScroll);\n }\n } else if (isObject && isValidPosition(shouldScroll)) {\n position = normalizePosition(shouldScroll);\n }\n\n if (position) {\n // $flow-disable-line\n if ('scrollBehavior' in document.documentElement.style) {\n window.scrollTo({\n left: position.x,\n top: position.y,\n // $flow-disable-line\n behavior: shouldScroll.behavior\n });\n } else {\n window.scrollTo(position.x, position.y);\n }\n }\n}\n\n/* */\n\nvar supportsPushState =\n inBrowser &&\n (function () {\n var ua = window.navigator.userAgent;\n\n if (\n (ua.indexOf('Android 2.') !== -1 || ua.indexOf('Android 4.0') !== -1) &&\n ua.indexOf('Mobile Safari') !== -1 &&\n ua.indexOf('Chrome') === -1 &&\n ua.indexOf('Windows Phone') === -1\n ) {\n return false\n }\n\n return window.history && typeof window.history.pushState === 'function'\n })();\n\nfunction pushState (url, replace) {\n saveScrollPosition();\n // try...catch the pushState call to get around Safari\n // DOM Exception 18 where it limits to 100 pushState calls\n var history = window.history;\n try {\n if (replace) {\n // preserve existing history state as it could be overriden by the user\n var stateCopy = extend({}, history.state);\n stateCopy.key = getStateKey();\n history.replaceState(stateCopy, '', url);\n } else {\n history.pushState({ key: setStateKey(genStateKey()) }, '', url);\n }\n } catch (e) {\n window.location[replace ? 'replace' : 'assign'](url);\n }\n}\n\nfunction replaceState (url) {\n pushState(url, true);\n}\n\n// When changing thing, also edit router.d.ts\nvar NavigationFailureType = {\n redirected: 2,\n aborted: 4,\n cancelled: 8,\n duplicated: 16\n};\n\nfunction createNavigationRedirectedError (from, to) {\n return createRouterError(\n from,\n to,\n NavigationFailureType.redirected,\n (\"Redirected when going from \\\"\" + (from.fullPath) + \"\\\" to \\\"\" + (stringifyRoute(\n to\n )) + \"\\\" via a navigation guard.\")\n )\n}\n\nfunction createNavigationDuplicatedError (from, to) {\n var error = createRouterError(\n from,\n to,\n NavigationFailureType.duplicated,\n (\"Avoided redundant navigation to current location: \\\"\" + (from.fullPath) + \"\\\".\")\n );\n // backwards compatible with the first introduction of Errors\n error.name = 'NavigationDuplicated';\n return error\n}\n\nfunction createNavigationCancelledError (from, to) {\n return createRouterError(\n from,\n to,\n NavigationFailureType.cancelled,\n (\"Navigation cancelled from \\\"\" + (from.fullPath) + \"\\\" to \\\"\" + (to.fullPath) + \"\\\" with a new navigation.\")\n )\n}\n\nfunction createNavigationAbortedError (from, to) {\n return createRouterError(\n from,\n to,\n NavigationFailureType.aborted,\n (\"Navigation aborted from \\\"\" + (from.fullPath) + \"\\\" to \\\"\" + (to.fullPath) + \"\\\" via a navigation guard.\")\n )\n}\n\nfunction createRouterError (from, to, type, message) {\n var error = new Error(message);\n error._isRouter = true;\n error.from = from;\n error.to = to;\n error.type = type;\n\n return error\n}\n\nvar propertiesToLog = ['params', 'query', 'hash'];\n\nfunction stringifyRoute (to) {\n if (typeof to === 'string') { return to }\n if ('path' in to) { return to.path }\n var location = {};\n propertiesToLog.forEach(function (key) {\n if (key in to) { location[key] = to[key]; }\n });\n return JSON.stringify(location, null, 2)\n}\n\nfunction isError (err) {\n return Object.prototype.toString.call(err).indexOf('Error') > -1\n}\n\nfunction isNavigationFailure (err, errorType) {\n return (\n isError(err) &&\n err._isRouter &&\n (errorType == null || err.type === errorType)\n )\n}\n\n/* */\n\nfunction runQueue (queue, fn, cb) {\n var step = function (index) {\n if (index >= queue.length) {\n cb();\n } else {\n if (queue[index]) {\n fn(queue[index], function () {\n step(index + 1);\n });\n } else {\n step(index + 1);\n }\n }\n };\n step(0);\n}\n\n/* */\n\nfunction resolveAsyncComponents (matched) {\n return function (to, from, next) {\n var hasAsync = false;\n var pending = 0;\n var error = null;\n\n flatMapComponents(matched, function (def, _, match, key) {\n // if it's a function and doesn't have cid attached,\n // assume it's an async component resolve function.\n // we are not using Vue's default async resolving mechanism because\n // we want to halt the navigation until the incoming component has been\n // resolved.\n if (typeof def === 'function' && def.cid === undefined) {\n hasAsync = true;\n pending++;\n\n var resolve = once(function (resolvedDef) {\n if (isESModule(resolvedDef)) {\n resolvedDef = resolvedDef.default;\n }\n // save resolved on async factory in case it's used elsewhere\n def.resolved = typeof resolvedDef === 'function'\n ? resolvedDef\n : _Vue.extend(resolvedDef);\n match.components[key] = resolvedDef;\n pending--;\n if (pending <= 0) {\n next();\n }\n });\n\n var reject = once(function (reason) {\n var msg = \"Failed to resolve async component \" + key + \": \" + reason;\n process.env.NODE_ENV !== 'production' && warn(false, msg);\n if (!error) {\n error = isError(reason)\n ? reason\n : new Error(msg);\n next(error);\n }\n });\n\n var res;\n try {\n res = def(resolve, reject);\n } catch (e) {\n reject(e);\n }\n if (res) {\n if (typeof res.then === 'function') {\n res.then(resolve, reject);\n } else {\n // new syntax in Vue 2.3\n var comp = res.component;\n if (comp && typeof comp.then === 'function') {\n comp.then(resolve, reject);\n }\n }\n }\n }\n });\n\n if (!hasAsync) { next(); }\n }\n}\n\nfunction flatMapComponents (\n matched,\n fn\n) {\n return flatten(matched.map(function (m) {\n return Object.keys(m.components).map(function (key) { return fn(\n m.components[key],\n m.instances[key],\n m, key\n ); })\n }))\n}\n\nfunction flatten (arr) {\n return Array.prototype.concat.apply([], arr)\n}\n\nvar hasSymbol =\n typeof Symbol === 'function' &&\n typeof Symbol.toStringTag === 'symbol';\n\nfunction isESModule (obj) {\n return obj.__esModule || (hasSymbol && obj[Symbol.toStringTag] === 'Module')\n}\n\n// in Webpack 2, require.ensure now also returns a Promise\n// so the resolve/reject functions may get called an extra time\n// if the user uses an arrow function shorthand that happens to\n// return that Promise.\nfunction once (fn) {\n var called = false;\n return function () {\n var args = [], len = arguments.length;\n while ( len-- ) args[ len ] = arguments[ len ];\n\n if (called) { return }\n called = true;\n return fn.apply(this, args)\n }\n}\n\n/* */\n\nvar History = function History (router, base) {\n this.router = router;\n this.base = normalizeBase(base);\n // start with a route object that stands for \"nowhere\"\n this.current = START;\n this.pending = null;\n this.ready = false;\n this.readyCbs = [];\n this.readyErrorCbs = [];\n this.errorCbs = [];\n this.listeners = [];\n};\n\nHistory.prototype.listen = function listen (cb) {\n this.cb = cb;\n};\n\nHistory.prototype.onReady = function onReady (cb, errorCb) {\n if (this.ready) {\n cb();\n } else {\n this.readyCbs.push(cb);\n if (errorCb) {\n this.readyErrorCbs.push(errorCb);\n }\n }\n};\n\nHistory.prototype.onError = function onError (errorCb) {\n this.errorCbs.push(errorCb);\n};\n\nHistory.prototype.transitionTo = function transitionTo (\n location,\n onComplete,\n onAbort\n) {\n var this$1$1 = this;\n\n var route;\n // catch redirect option https://github.com/vuejs/vue-router/issues/3201\n try {\n route = this.router.match(location, this.current);\n } catch (e) {\n this.errorCbs.forEach(function (cb) {\n cb(e);\n });\n // Exception should still be thrown\n throw e\n }\n var prev = this.current;\n this.confirmTransition(\n route,\n function () {\n this$1$1.updateRoute(route);\n onComplete && onComplete(route);\n this$1$1.ensureURL();\n this$1$1.router.afterHooks.forEach(function (hook) {\n hook && hook(route, prev);\n });\n\n // fire ready cbs once\n if (!this$1$1.ready) {\n this$1$1.ready = true;\n this$1$1.readyCbs.forEach(function (cb) {\n cb(route);\n });\n }\n },\n function (err) {\n if (onAbort) {\n onAbort(err);\n }\n if (err && !this$1$1.ready) {\n // Initial redirection should not mark the history as ready yet\n // because it's triggered by the redirection instead\n // https://github.com/vuejs/vue-router/issues/3225\n // https://github.com/vuejs/vue-router/issues/3331\n if (!isNavigationFailure(err, NavigationFailureType.redirected) || prev !== START) {\n this$1$1.ready = true;\n this$1$1.readyErrorCbs.forEach(function (cb) {\n cb(err);\n });\n }\n }\n }\n );\n};\n\nHistory.prototype.confirmTransition = function confirmTransition (route, onComplete, onAbort) {\n var this$1$1 = this;\n\n var current = this.current;\n this.pending = route;\n var abort = function (err) {\n // changed after adding errors with\n // https://github.com/vuejs/vue-router/pull/3047 before that change,\n // redirect and aborted navigation would produce an err == null\n if (!isNavigationFailure(err) && isError(err)) {\n if (this$1$1.errorCbs.length) {\n this$1$1.errorCbs.forEach(function (cb) {\n cb(err);\n });\n } else {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, 'uncaught error during route navigation:');\n }\n console.error(err);\n }\n }\n onAbort && onAbort(err);\n };\n var lastRouteIndex = route.matched.length - 1;\n var lastCurrentIndex = current.matched.length - 1;\n if (\n isSameRoute(route, current) &&\n // in the case the route map has been dynamically appended to\n lastRouteIndex === lastCurrentIndex &&\n route.matched[lastRouteIndex] === current.matched[lastCurrentIndex]\n ) {\n this.ensureURL();\n if (route.hash) {\n handleScroll(this.router, current, route, false);\n }\n return abort(createNavigationDuplicatedError(current, route))\n }\n\n var ref = resolveQueue(\n this.current.matched,\n route.matched\n );\n var updated = ref.updated;\n var deactivated = ref.deactivated;\n var activated = ref.activated;\n\n var queue = [].concat(\n // in-component leave guards\n extractLeaveGuards(deactivated),\n // global before hooks\n this.router.beforeHooks,\n // in-component update hooks\n extractUpdateHooks(updated),\n // in-config enter guards\n activated.map(function (m) { return m.beforeEnter; }),\n // async components\n resolveAsyncComponents(activated)\n );\n\n var iterator = function (hook, next) {\n if (this$1$1.pending !== route) {\n return abort(createNavigationCancelledError(current, route))\n }\n try {\n hook(route, current, function (to) {\n if (to === false) {\n // next(false) -> abort navigation, ensure current URL\n this$1$1.ensureURL(true);\n abort(createNavigationAbortedError(current, route));\n } else if (isError(to)) {\n this$1$1.ensureURL(true);\n abort(to);\n } else if (\n typeof to === 'string' ||\n (typeof to === 'object' &&\n (typeof to.path === 'string' || typeof to.name === 'string'))\n ) {\n // next('/') or next({ path: '/' }) -> redirect\n abort(createNavigationRedirectedError(current, route));\n if (typeof to === 'object' && to.replace) {\n this$1$1.replace(to);\n } else {\n this$1$1.push(to);\n }\n } else {\n // confirm transition and pass on the value\n next(to);\n }\n });\n } catch (e) {\n abort(e);\n }\n };\n\n runQueue(queue, iterator, function () {\n // wait until async components are resolved before\n // extracting in-component enter guards\n var enterGuards = extractEnterGuards(activated);\n var queue = enterGuards.concat(this$1$1.router.resolveHooks);\n runQueue(queue, iterator, function () {\n if (this$1$1.pending !== route) {\n return abort(createNavigationCancelledError(current, route))\n }\n this$1$1.pending = null;\n onComplete(route);\n if (this$1$1.router.app) {\n this$1$1.router.app.$nextTick(function () {\n handleRouteEntered(route);\n });\n }\n });\n });\n};\n\nHistory.prototype.updateRoute = function updateRoute (route) {\n this.current = route;\n this.cb && this.cb(route);\n};\n\nHistory.prototype.setupListeners = function setupListeners () {\n // Default implementation is empty\n};\n\nHistory.prototype.teardown = function teardown () {\n // clean up event listeners\n // https://github.com/vuejs/vue-router/issues/2341\n this.listeners.forEach(function (cleanupListener) {\n cleanupListener();\n });\n this.listeners = [];\n\n // reset current history route\n // https://github.com/vuejs/vue-router/issues/3294\n this.current = START;\n this.pending = null;\n};\n\nfunction normalizeBase (base) {\n if (!base) {\n if (inBrowser) {\n // respect <base> tag\n var baseEl = document.querySelector('base');\n base = (baseEl && baseEl.getAttribute('href')) || '/';\n // strip full URL origin\n base = base.replace(/^https?:\\/\\/[^\\/]+/, '');\n } else {\n base = '/';\n }\n }\n // make sure there's the starting slash\n if (base.charAt(0) !== '/') {\n base = '/' + base;\n }\n // remove trailing slash\n return base.replace(/\\/$/, '')\n}\n\nfunction resolveQueue (\n current,\n next\n) {\n var i;\n var max = Math.max(current.length, next.length);\n for (i = 0; i < max; i++) {\n if (current[i] !== next[i]) {\n break\n }\n }\n return {\n updated: next.slice(0, i),\n activated: next.slice(i),\n deactivated: current.slice(i)\n }\n}\n\nfunction extractGuards (\n records,\n name,\n bind,\n reverse\n) {\n var guards = flatMapComponents(records, function (def, instance, match, key) {\n var guard = extractGuard(def, name);\n if (guard) {\n return Array.isArray(guard)\n ? guard.map(function (guard) { return bind(guard, instance, match, key); })\n : bind(guard, instance, match, key)\n }\n });\n return flatten(reverse ? guards.reverse() : guards)\n}\n\nfunction extractGuard (\n def,\n key\n) {\n if (typeof def !== 'function') {\n // extend now so that global mixins are applied.\n def = _Vue.extend(def);\n }\n return def.options[key]\n}\n\nfunction extractLeaveGuards (deactivated) {\n return extractGuards(deactivated, 'beforeRouteLeave', bindGuard, true)\n}\n\nfunction extractUpdateHooks (updated) {\n return extractGuards(updated, 'beforeRouteUpdate', bindGuard)\n}\n\nfunction bindGuard (guard, instance) {\n if (instance) {\n return function boundRouteGuard () {\n return guard.apply(instance, arguments)\n }\n }\n}\n\nfunction extractEnterGuards (\n activated\n) {\n return extractGuards(\n activated,\n 'beforeRouteEnter',\n function (guard, _, match, key) {\n return bindEnterGuard(guard, match, key)\n }\n )\n}\n\nfunction bindEnterGuard (\n guard,\n match,\n key\n) {\n return function routeEnterGuard (to, from, next) {\n return guard(to, from, function (cb) {\n if (typeof cb === 'function') {\n if (!match.enteredCbs[key]) {\n match.enteredCbs[key] = [];\n }\n match.enteredCbs[key].push(cb);\n }\n next(cb);\n })\n }\n}\n\n/* */\n\nvar HTML5History = /*@__PURE__*/(function (History) {\n function HTML5History (router, base) {\n History.call(this, router, base);\n\n this._startLocation = getLocation(this.base);\n }\n\n if ( History ) HTML5History.__proto__ = History;\n HTML5History.prototype = Object.create( History && History.prototype );\n HTML5History.prototype.constructor = HTML5History;\n\n HTML5History.prototype.setupListeners = function setupListeners () {\n var this$1$1 = this;\n\n if (this.listeners.length > 0) {\n return\n }\n\n var router = this.router;\n var expectScroll = router.options.scrollBehavior;\n var supportsScroll = supportsPushState && expectScroll;\n\n if (supportsScroll) {\n this.listeners.push(setupScroll());\n }\n\n var handleRoutingEvent = function () {\n var current = this$1$1.current;\n\n // Avoiding first `popstate` event dispatched in some browsers but first\n // history route not updated since async guard at the same time.\n var location = getLocation(this$1$1.base);\n if (this$1$1.current === START && location === this$1$1._startLocation) {\n return\n }\n\n this$1$1.transitionTo(location, function (route) {\n if (supportsScroll) {\n handleScroll(router, route, current, true);\n }\n });\n };\n window.addEventListener('popstate', handleRoutingEvent);\n this.listeners.push(function () {\n window.removeEventListener('popstate', handleRoutingEvent);\n });\n };\n\n HTML5History.prototype.go = function go (n) {\n window.history.go(n);\n };\n\n HTML5History.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(location, function (route) {\n pushState(cleanPath(this$1$1.base + route.fullPath));\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n }, onAbort);\n };\n\n HTML5History.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(location, function (route) {\n replaceState(cleanPath(this$1$1.base + route.fullPath));\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n }, onAbort);\n };\n\n HTML5History.prototype.ensureURL = function ensureURL (push) {\n if (getLocation(this.base) !== this.current.fullPath) {\n var current = cleanPath(this.base + this.current.fullPath);\n push ? pushState(current) : replaceState(current);\n }\n };\n\n HTML5History.prototype.getCurrentLocation = function getCurrentLocation () {\n return getLocation(this.base)\n };\n\n return HTML5History;\n}(History));\n\nfunction getLocation (base) {\n var path = window.location.pathname;\n var pathLowerCase = path.toLowerCase();\n var baseLowerCase = base.toLowerCase();\n // base=\"/a\" shouldn't turn path=\"/app\" into \"/a/pp\"\n // https://github.com/vuejs/vue-router/issues/3555\n // so we ensure the trailing slash in the base\n if (base && ((pathLowerCase === baseLowerCase) ||\n (pathLowerCase.indexOf(cleanPath(baseLowerCase + '/')) === 0))) {\n path = path.slice(base.length);\n }\n return (path || '/') + window.location.search + window.location.hash\n}\n\n/* */\n\nvar HashHistory = /*@__PURE__*/(function (History) {\n function HashHistory (router, base, fallback) {\n History.call(this, router, base);\n // check history fallback deeplinking\n if (fallback && checkFallback(this.base)) {\n return\n }\n ensureSlash();\n }\n\n if ( History ) HashHistory.__proto__ = History;\n HashHistory.prototype = Object.create( History && History.prototype );\n HashHistory.prototype.constructor = HashHistory;\n\n // this is delayed until the app mounts\n // to avoid the hashchange listener being fired too early\n HashHistory.prototype.setupListeners = function setupListeners () {\n var this$1$1 = this;\n\n if (this.listeners.length > 0) {\n return\n }\n\n var router = this.router;\n var expectScroll = router.options.scrollBehavior;\n var supportsScroll = supportsPushState && expectScroll;\n\n if (supportsScroll) {\n this.listeners.push(setupScroll());\n }\n\n var handleRoutingEvent = function () {\n var current = this$1$1.current;\n if (!ensureSlash()) {\n return\n }\n this$1$1.transitionTo(getHash(), function (route) {\n if (supportsScroll) {\n handleScroll(this$1$1.router, route, current, true);\n }\n if (!supportsPushState) {\n replaceHash(route.fullPath);\n }\n });\n };\n var eventType = supportsPushState ? 'popstate' : 'hashchange';\n window.addEventListener(\n eventType,\n handleRoutingEvent\n );\n this.listeners.push(function () {\n window.removeEventListener(eventType, handleRoutingEvent);\n });\n };\n\n HashHistory.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(\n location,\n function (route) {\n pushHash(route.fullPath);\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n HashHistory.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(\n location,\n function (route) {\n replaceHash(route.fullPath);\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n HashHistory.prototype.go = function go (n) {\n window.history.go(n);\n };\n\n HashHistory.prototype.ensureURL = function ensureURL (push) {\n var current = this.current.fullPath;\n if (getHash() !== current) {\n push ? pushHash(current) : replaceHash(current);\n }\n };\n\n HashHistory.prototype.getCurrentLocation = function getCurrentLocation () {\n return getHash()\n };\n\n return HashHistory;\n}(History));\n\nfunction checkFallback (base) {\n var location = getLocation(base);\n if (!/^\\/#/.test(location)) {\n window.location.replace(cleanPath(base + '/#' + location));\n return true\n }\n}\n\nfunction ensureSlash () {\n var path = getHash();\n if (path.charAt(0) === '/') {\n return true\n }\n replaceHash('/' + path);\n return false\n}\n\nfunction getHash () {\n // We can't use window.location.hash here because it's not\n // consistent across browsers - Firefox will pre-decode it!\n var href = window.location.href;\n var index = href.indexOf('#');\n // empty path\n if (index < 0) { return '' }\n\n href = href.slice(index + 1);\n\n return href\n}\n\nfunction getUrl (path) {\n var href = window.location.href;\n var i = href.indexOf('#');\n var base = i >= 0 ? href.slice(0, i) : href;\n return (base + \"#\" + path)\n}\n\nfunction pushHash (path) {\n if (supportsPushState) {\n pushState(getUrl(path));\n } else {\n window.location.hash = path;\n }\n}\n\nfunction replaceHash (path) {\n if (supportsPushState) {\n replaceState(getUrl(path));\n } else {\n window.location.replace(getUrl(path));\n }\n}\n\n/* */\n\nvar AbstractHistory = /*@__PURE__*/(function (History) {\n function AbstractHistory (router, base) {\n History.call(this, router, base);\n this.stack = [];\n this.index = -1;\n }\n\n if ( History ) AbstractHistory.__proto__ = History;\n AbstractHistory.prototype = Object.create( History && History.prototype );\n AbstractHistory.prototype.constructor = AbstractHistory;\n\n AbstractHistory.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n this.transitionTo(\n location,\n function (route) {\n this$1$1.stack = this$1$1.stack.slice(0, this$1$1.index + 1).concat(route);\n this$1$1.index++;\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n AbstractHistory.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n this.transitionTo(\n location,\n function (route) {\n this$1$1.stack = this$1$1.stack.slice(0, this$1$1.index).concat(route);\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n AbstractHistory.prototype.go = function go (n) {\n var this$1$1 = this;\n\n var targetIndex = this.index + n;\n if (targetIndex < 0 || targetIndex >= this.stack.length) {\n return\n }\n var route = this.stack[targetIndex];\n this.confirmTransition(\n route,\n function () {\n var prev = this$1$1.current;\n this$1$1.index = targetIndex;\n this$1$1.updateRoute(route);\n this$1$1.router.afterHooks.forEach(function (hook) {\n hook && hook(route, prev);\n });\n },\n function (err) {\n if (isNavigationFailure(err, NavigationFailureType.duplicated)) {\n this$1$1.index = targetIndex;\n }\n }\n );\n };\n\n AbstractHistory.prototype.getCurrentLocation = function getCurrentLocation () {\n var current = this.stack[this.stack.length - 1];\n return current ? current.fullPath : '/'\n };\n\n AbstractHistory.prototype.ensureURL = function ensureURL () {\n // noop\n };\n\n return AbstractHistory;\n}(History));\n\n/* */\n\n\n\nvar VueRouter = function VueRouter (options) {\n if ( options === void 0 ) options = {};\n\n if (process.env.NODE_ENV !== 'production') {\n warn(this instanceof VueRouter, \"Router must be called with the new operator.\");\n }\n this.app = null;\n this.apps = [];\n this.options = options;\n this.beforeHooks = [];\n this.resolveHooks = [];\n this.afterHooks = [];\n this.matcher = createMatcher(options.routes || [], this);\n\n var mode = options.mode || 'hash';\n this.fallback =\n mode === 'history' && !supportsPushState && options.fallback !== false;\n if (this.fallback) {\n mode = 'hash';\n }\n if (!inBrowser) {\n mode = 'abstract';\n }\n this.mode = mode;\n\n switch (mode) {\n case 'history':\n this.history = new HTML5History(this, options.base);\n break\n case 'hash':\n this.history = new HashHistory(this, options.base, this.fallback);\n break\n case 'abstract':\n this.history = new AbstractHistory(this, options.base);\n break\n default:\n if (process.env.NODE_ENV !== 'production') {\n assert(false, (\"invalid mode: \" + mode));\n }\n }\n};\n\nvar prototypeAccessors = { currentRoute: { configurable: true } };\n\nVueRouter.prototype.match = function match (raw, current, redirectedFrom) {\n return this.matcher.match(raw, current, redirectedFrom)\n};\n\nprototypeAccessors.currentRoute.get = function () {\n return this.history && this.history.current\n};\n\nVueRouter.prototype.init = function init (app /* Vue component instance */) {\n var this$1$1 = this;\n\n process.env.NODE_ENV !== 'production' &&\n assert(\n install.installed,\n \"not installed. Make sure to call `Vue.use(VueRouter)` \" +\n \"before creating root instance.\"\n );\n\n this.apps.push(app);\n\n // set up app destroyed handler\n // https://github.com/vuejs/vue-router/issues/2639\n app.$once('hook:destroyed', function () {\n // clean out app from this.apps array once destroyed\n var index = this$1$1.apps.indexOf(app);\n if (index > -1) { this$1$1.apps.splice(index, 1); }\n // ensure we still have a main app or null if no apps\n // we do not release the router so it can be reused\n if (this$1$1.app === app) { this$1$1.app = this$1$1.apps[0] || null; }\n\n if (!this$1$1.app) { this$1$1.history.teardown(); }\n });\n\n // main app previously initialized\n // return as we don't need to set up new history listener\n if (this.app) {\n return\n }\n\n this.app = app;\n\n var history = this.history;\n\n if (history instanceof HTML5History || history instanceof HashHistory) {\n var handleInitialScroll = function (routeOrError) {\n var from = history.current;\n var expectScroll = this$1$1.options.scrollBehavior;\n var supportsScroll = supportsPushState && expectScroll;\n\n if (supportsScroll && 'fullPath' in routeOrError) {\n handleScroll(this$1$1, routeOrError, from, false);\n }\n };\n var setupListeners = function (routeOrError) {\n history.setupListeners();\n handleInitialScroll(routeOrError);\n };\n history.transitionTo(\n history.getCurrentLocation(),\n setupListeners,\n setupListeners\n );\n }\n\n history.listen(function (route) {\n this$1$1.apps.forEach(function (app) {\n app._route = route;\n });\n });\n};\n\nVueRouter.prototype.beforeEach = function beforeEach (fn) {\n return registerHook(this.beforeHooks, fn)\n};\n\nVueRouter.prototype.beforeResolve = function beforeResolve (fn) {\n return registerHook(this.resolveHooks, fn)\n};\n\nVueRouter.prototype.afterEach = function afterEach (fn) {\n return registerHook(this.afterHooks, fn)\n};\n\nVueRouter.prototype.onReady = function onReady (cb, errorCb) {\n this.history.onReady(cb, errorCb);\n};\n\nVueRouter.prototype.onError = function onError (errorCb) {\n this.history.onError(errorCb);\n};\n\nVueRouter.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n // $flow-disable-line\n if (!onComplete && !onAbort && typeof Promise !== 'undefined') {\n return new Promise(function (resolve, reject) {\n this$1$1.history.push(location, resolve, reject);\n })\n } else {\n this.history.push(location, onComplete, onAbort);\n }\n};\n\nVueRouter.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n // $flow-disable-line\n if (!onComplete && !onAbort && typeof Promise !== 'undefined') {\n return new Promise(function (resolve, reject) {\n this$1$1.history.replace(location, resolve, reject);\n })\n } else {\n this.history.replace(location, onComplete, onAbort);\n }\n};\n\nVueRouter.prototype.go = function go (n) {\n this.history.go(n);\n};\n\nVueRouter.prototype.back = function back () {\n this.go(-1);\n};\n\nVueRouter.prototype.forward = function forward () {\n this.go(1);\n};\n\nVueRouter.prototype.getMatchedComponents = function getMatchedComponents (to) {\n var route = to\n ? to.matched\n ? to\n : this.resolve(to).route\n : this.currentRoute;\n if (!route) {\n return []\n }\n return [].concat.apply(\n [],\n route.matched.map(function (m) {\n return Object.keys(m.components).map(function (key) {\n return m.components[key]\n })\n })\n )\n};\n\nVueRouter.prototype.resolve = function resolve (\n to,\n current,\n append\n) {\n current = current || this.history.current;\n var location = normalizeLocation(to, current, append, this);\n var route = this.match(location, current);\n var fullPath = route.redirectedFrom || route.fullPath;\n var base = this.history.base;\n var href = createHref(base, fullPath, this.mode);\n return {\n location: location,\n route: route,\n href: href,\n // for backwards compat\n normalizedTo: location,\n resolved: route\n }\n};\n\nVueRouter.prototype.getRoutes = function getRoutes () {\n return this.matcher.getRoutes()\n};\n\nVueRouter.prototype.addRoute = function addRoute (parentOrRoute, route) {\n this.matcher.addRoute(parentOrRoute, route);\n if (this.history.current !== START) {\n this.history.transitionTo(this.history.getCurrentLocation());\n }\n};\n\nVueRouter.prototype.addRoutes = function addRoutes (routes) {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, 'router.addRoutes() is deprecated and has been removed in Vue Router 4. Use router.addRoute() instead.');\n }\n this.matcher.addRoutes(routes);\n if (this.history.current !== START) {\n this.history.transitionTo(this.history.getCurrentLocation());\n }\n};\n\nObject.defineProperties( VueRouter.prototype, prototypeAccessors );\n\nvar VueRouter$1 = VueRouter;\n\nfunction registerHook (list, fn) {\n list.push(fn);\n return function () {\n var i = list.indexOf(fn);\n if (i > -1) { list.splice(i, 1); }\n }\n}\n\nfunction createHref (base, fullPath, mode) {\n var path = mode === 'hash' ? '#' + fullPath : fullPath;\n return base ? cleanPath(base + '/' + path) : path\n}\n\n// We cannot remove this as it would be a breaking change\nVueRouter.install = install;\nVueRouter.version = '3.6.5';\nVueRouter.isNavigationFailure = isNavigationFailure;\nVueRouter.NavigationFailureType = NavigationFailureType;\nVueRouter.START_LOCATION = START;\n\nif (inBrowser && window.Vue) {\n window.Vue.use(VueRouter);\n}\n\nvar version = '3.6.5';\n\nexport { NavigationFailureType, Link as RouterLink, View as RouterView, START as START_LOCATION, VueRouter$1 as default, isNavigationFailure, version };\n","import { generateUrl } from '@nextcloud/router';\nimport queryString from 'query-string';\nimport Router from 'vue-router';\nimport Vue from 'vue';\nimport { ErrorHandler } from 'vue-router/types/router';\nVue.use(Router);\n// Prevent router from throwing errors when we're already on the page we're trying to go to\nconst originalPush = Router.prototype.push;\nRouter.prototype.push = function push(to, onComplete, onAbort) {\n if (onComplete || onAbort)\n return originalPush.call(this, to, onComplete, onAbort);\n return originalPush.call(this, to).catch(err => err);\n};\nconst router = new Router({\n mode: 'history',\n // if index.php is in the url AND we got this far, then it's working:\n // let's keep using index.php in the url\n base: generateUrl('/apps/files'),\n linkActiveClass: 'active',\n routes: [\n {\n path: '/',\n // Pretending we're using the default view\n redirect: { name: 'filelist', params: { view: 'files' } },\n },\n {\n path: '/:view/:fileid(\\\\d+)?',\n name: 'filelist',\n props: true,\n },\n ],\n // Custom stringifyQuery to prevent encoding of slashes in the url\n stringifyQuery(query) {\n const result = queryString.stringify(query).replace(/%2F/gmi, '/');\n return result ? ('?' + result) : '';\n },\n});\nexport default router;\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcContent',{attrs:{\"app-name\":\"files\"}},[_c('Navigation'),_vm._v(\" \"),_c('FilesList')],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon cog-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M12,15.5A3.5,3.5 0 0,1 8.5,12A3.5,3.5 0 0,1 12,8.5A3.5,3.5 0 0,1 15.5,12A3.5,3.5 0 0,1 12,15.5M19.43,12.97C19.47,12.65 19.5,12.33 19.5,12C19.5,11.67 19.47,11.34 19.43,11L21.54,9.37C21.73,9.22 21.78,8.95 21.66,8.73L19.66,5.27C19.54,5.05 19.27,4.96 19.05,5.05L16.56,6.05C16.04,5.66 15.5,5.32 14.87,5.07L14.5,2.42C14.46,2.18 14.25,2 14,2H10C9.75,2 9.54,2.18 9.5,2.42L9.13,5.07C8.5,5.32 7.96,5.66 7.44,6.05L4.95,5.05C4.73,4.96 4.46,5.05 4.34,5.27L2.34,8.73C2.21,8.95 2.27,9.22 2.46,9.37L4.57,11C4.53,11.34 4.5,11.67 4.5,12C4.5,12.33 4.53,12.65 4.57,12.97L2.46,14.63C2.27,14.78 2.21,15.05 2.34,15.27L4.34,18.73C4.46,18.95 4.73,19.03 4.95,18.95L7.44,17.94C7.96,18.34 8.5,18.68 9.13,18.93L9.5,21.58C9.54,21.82 9.75,22 10,22H14C14.25,22 14.46,21.82 14.5,21.58L14.87,18.93C15.5,18.67 16.04,18.34 16.56,17.94L19.05,18.95C19.27,19.03 19.54,18.95 19.66,18.73L21.66,15.27C21.78,15.05 21.73,14.78 21.54,14.63L19.43,12.97Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"CogIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Cog.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Cog.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Cog.vue?vue&type=template&id=89df8f2e\"\nimport script from \"./Cog.vue?vue&type=script&lang=js\"\nexport * from \"./Cog.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon cog-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M12,15.5A3.5,3.5 0 0,1 8.5,12A3.5,3.5 0 0,1 12,8.5A3.5,3.5 0 0,1 15.5,12A3.5,3.5 0 0,1 12,15.5M19.43,12.97C19.47,12.65 19.5,12.33 19.5,12C19.5,11.67 19.47,11.34 19.43,11L21.54,9.37C21.73,9.22 21.78,8.95 21.66,8.73L19.66,5.27C19.54,5.05 19.27,4.96 19.05,5.05L16.56,6.05C16.04,5.66 15.5,5.32 14.87,5.07L14.5,2.42C14.46,2.18 14.25,2 14,2H10C9.75,2 9.54,2.18 9.5,2.42L9.13,5.07C8.5,5.32 7.96,5.66 7.44,6.05L4.95,5.05C4.73,4.96 4.46,5.05 4.34,5.27L2.34,8.73C2.21,8.95 2.27,9.22 2.46,9.37L4.57,11C4.53,11.34 4.5,11.67 4.5,12C4.5,12.33 4.53,12.65 4.57,12.97L2.46,14.63C2.27,14.78 2.21,15.05 2.34,15.27L4.34,18.73C4.46,18.95 4.73,19.03 4.95,18.95L7.44,17.94C7.96,18.34 8.5,18.68 9.13,18.93L9.5,21.58C9.54,21.82 9.75,22 10,22H14C14.25,22 14.46,21.82 14.5,21.58L14.87,18.93C15.5,18.67 16.04,18.34 16.56,17.94L19.05,18.95C19.27,19.03 19.54,18.95 19.66,18.73L21.66,15.27C21.78,15.05 21.73,14.78 21.54,14.63L19.43,12.97Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport { emit, subscribe } from '@nextcloud/event-bus';\nimport { generateUrl } from '@nextcloud/router';\nimport { loadState } from '@nextcloud/initial-state';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nconst viewConfig = loadState('files', 'viewConfigs', {});\nexport const useViewConfigStore = function (...args) {\n const store = defineStore('viewconfig', {\n state: () => ({\n viewConfig,\n }),\n getters: {\n getConfig: (state) => (view) => state.viewConfig[view] || {},\n },\n actions: {\n /**\n * Update the view config local store\n */\n onUpdate(view, key, value) {\n if (!this.viewConfig[view]) {\n Vue.set(this.viewConfig, view, {});\n }\n Vue.set(this.viewConfig[view], key, value);\n },\n /**\n * Update the view config local store AND on server side\n */\n async update(view, key, value) {\n axios.put(generateUrl(`/apps/files/api/v1/views/${view}/${key}`), {\n value,\n });\n emit('files:viewconfig:updated', { view, key, value });\n },\n /**\n * Set the sorting key AND sort by ASC\n * The key param must be a valid key of a File object\n * If not found, will be searched within the File attributes\n */\n setSortingBy(key = 'basename', view = 'files') {\n // Save new config\n this.update(view, 'sorting_mode', key);\n this.update(view, 'sorting_direction', 'asc');\n },\n /**\n * Toggle the sorting direction\n */\n toggleSortingDirection(view = 'files') {\n const config = this.getConfig(view) || { sorting_direction: 'asc' };\n const newDirection = config.sorting_direction === 'asc' ? 'desc' : 'asc';\n // Save new config\n this.update(view, 'sorting_direction', newDirection);\n },\n },\n });\n const viewConfigStore = store(...args);\n // Make sure we only register the listeners once\n if (!viewConfigStore._initialized) {\n subscribe('files:viewconfig:updated', function ({ view, key, value }) {\n viewConfigStore.onUpdate(view, key, value);\n });\n viewConfigStore._initialized = true;\n }\n return viewConfigStore;\n};\n","/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { getLoggerBuilder } from '@nextcloud/logger'\n\nexport default getLoggerBuilder()\n\t.setApp('files')\n\t.detectUser()\n\t.build()\n","/* eslint-disable no-undefined,no-param-reassign,no-shadow */\n\n/**\n * Throttle execution of a function. Especially useful for rate limiting\n * execution of handlers on events like resize and scroll.\n *\n * @param {number} delay - A zero-or-greater delay in milliseconds. For event callbacks, values around 100 or 250 (or even higher)\n * are most useful.\n * @param {Function} callback - A function to be executed after delay milliseconds. The `this` context and all arguments are passed through,\n * as-is, to `callback` when the throttled-function is executed.\n * @param {object} [options] - An object to configure options.\n * @param {boolean} [options.noTrailing] - Optional, defaults to false. If noTrailing is true, callback will only execute every `delay` milliseconds\n * while the throttled-function is being called. If noTrailing is false or unspecified, callback will be executed\n * one final time after the last throttled-function call. (After the throttled-function has not been called for\n * `delay` milliseconds, the internal counter is reset).\n * @param {boolean} [options.noLeading] - Optional, defaults to false. If noLeading is false, the first throttled-function call will execute callback\n * immediately. If noLeading is true, the first the callback execution will be skipped. It should be noted that\n * callback will never executed if both noLeading = true and noTrailing = true.\n * @param {boolean} [options.debounceMode] - If `debounceMode` is true (at begin), schedule `clear` to execute after `delay` ms. If `debounceMode` is\n * false (at end), schedule `callback` to execute after `delay` ms.\n *\n * @returns {Function} A new, throttled, function.\n */\nfunction throttle (delay, callback, options) {\n var _ref = options || {},\n _ref$noTrailing = _ref.noTrailing,\n noTrailing = _ref$noTrailing === void 0 ? false : _ref$noTrailing,\n _ref$noLeading = _ref.noLeading,\n noLeading = _ref$noLeading === void 0 ? false : _ref$noLeading,\n _ref$debounceMode = _ref.debounceMode,\n debounceMode = _ref$debounceMode === void 0 ? undefined : _ref$debounceMode;\n /*\n * After wrapper has stopped being called, this timeout ensures that\n * `callback` is executed at the proper times in `throttle` and `end`\n * debounce modes.\n */\n\n\n var timeoutID;\n var cancelled = false; // Keep track of the last time `callback` was executed.\n\n var lastExec = 0; // Function to clear existing timeout\n\n function clearExistingTimeout() {\n if (timeoutID) {\n clearTimeout(timeoutID);\n }\n } // Function to cancel next exec\n\n\n function cancel(options) {\n var _ref2 = options || {},\n _ref2$upcomingOnly = _ref2.upcomingOnly,\n upcomingOnly = _ref2$upcomingOnly === void 0 ? false : _ref2$upcomingOnly;\n\n clearExistingTimeout();\n cancelled = !upcomingOnly;\n }\n /*\n * The `wrapper` function encapsulates all of the throttling / debouncing\n * functionality and when executed will limit the rate at which `callback`\n * is executed.\n */\n\n\n function wrapper() {\n for (var _len = arguments.length, arguments_ = new Array(_len), _key = 0; _key < _len; _key++) {\n arguments_[_key] = arguments[_key];\n }\n\n var self = this;\n var elapsed = Date.now() - lastExec;\n\n if (cancelled) {\n return;\n } // Execute `callback` and update the `lastExec` timestamp.\n\n\n function exec() {\n lastExec = Date.now();\n callback.apply(self, arguments_);\n }\n /*\n * If `debounceMode` is true (at begin) this is used to clear the flag\n * to allow future `callback` executions.\n */\n\n\n function clear() {\n timeoutID = undefined;\n }\n\n if (!noLeading && debounceMode && !timeoutID) {\n /*\n * Since `wrapper` is being called for the first time and\n * `debounceMode` is true (at begin), execute `callback`\n * and noLeading != true.\n */\n exec();\n }\n\n clearExistingTimeout();\n\n if (debounceMode === undefined && elapsed > delay) {\n if (noLeading) {\n /*\n * In throttle mode with noLeading, if `delay` time has\n * been exceeded, update `lastExec` and schedule `callback`\n * to execute after `delay` ms.\n */\n lastExec = Date.now();\n\n if (!noTrailing) {\n timeoutID = setTimeout(debounceMode ? clear : exec, delay);\n }\n } else {\n /*\n * In throttle mode without noLeading, if `delay` time has been exceeded, execute\n * `callback`.\n */\n exec();\n }\n } else if (noTrailing !== true) {\n /*\n * In trailing throttle mode, since `delay` time has not been\n * exceeded, schedule `callback` to execute `delay` ms after most\n * recent execution.\n *\n * If `debounceMode` is true (at begin), schedule `clear` to execute\n * after `delay` ms.\n *\n * If `debounceMode` is false (at end), schedule `callback` to\n * execute after `delay` ms.\n */\n timeoutID = setTimeout(debounceMode ? clear : exec, debounceMode === undefined ? delay - elapsed : delay);\n }\n }\n\n wrapper.cancel = cancel; // Return the wrapper function.\n\n return wrapper;\n}\n\n/* eslint-disable no-undefined */\n/**\n * Debounce execution of a function. Debouncing, unlike throttling,\n * guarantees that a function is only executed a single time, either at the\n * very beginning of a series of calls, or at the very end.\n *\n * @param {number} delay - A zero-or-greater delay in milliseconds. For event callbacks, values around 100 or 250 (or even higher) are most useful.\n * @param {Function} callback - A function to be executed after delay milliseconds. The `this` context and all arguments are passed through, as-is,\n * to `callback` when the debounced-function is executed.\n * @param {object} [options] - An object to configure options.\n * @param {boolean} [options.atBegin] - Optional, defaults to false. If atBegin is false or unspecified, callback will only be executed `delay` milliseconds\n * after the last debounced-function call. If atBegin is true, callback will be executed only at the first debounced-function call.\n * (After the throttled-function has not been called for `delay` milliseconds, the internal counter is reset).\n *\n * @returns {Function} A new, debounced function.\n */\n\nfunction debounce (delay, callback, options) {\n var _ref = options || {},\n _ref$atBegin = _ref.atBegin,\n atBegin = _ref$atBegin === void 0 ? false : _ref$atBegin;\n\n return throttle(delay, callback, {\n debounceMode: atBegin !== false\n });\n}\n\nexport { debounce, throttle };\n//# sourceMappingURL=index.js.map\n","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon chart-pie-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M11,2V22C5.9,21.5 2,17.2 2,12C2,6.8 5.9,2.5 11,2M13,2V11H22C21.5,6.2 17.8,2.5 13,2M13,13V22C17.7,21.5 21.5,17.8 22,13H13Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ChartPieIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChartPie.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChartPie.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./ChartPie.vue?vue&type=template&id=b117066e\"\nimport script from \"./ChartPie.vue?vue&type=script&lang=js\"\nexport * from \"./ChartPie.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon chart-pie-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M11,2V22C5.9,21.5 2,17.2 2,12C2,6.8 5.9,2.5 11,2M13,2V11H22C21.5,6.2 17.8,2.5 13,2M13,13V22C17.7,21.5 21.5,17.8 22,13H13Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n\t<NcAppNavigationItem v-if=\"storageStats\"\n\t\t:aria-label=\"t('files', 'Storage informations')\"\n\t\t:class=\"{ 'app-navigation-entry__settings-quota--not-unlimited': storageStats.quota >= 0}\"\n\t\t:loading=\"loadingStorageStats\"\n\t\t:name=\"storageStatsTitle\"\n\t\t:title=\"storageStatsTooltip\"\n\t\tclass=\"app-navigation-entry__settings-quota\"\n\t\tdata-cy-files-navigation-settings-quota\n\t\t@click.stop.prevent=\"debounceUpdateStorageStats\">\n\t\t<ChartPie slot=\"icon\" :size=\"20\" />\n\n\t\t<!-- Progress bar -->\n\t\t<NcProgressBar v-if=\"storageStats.quota >= 0\"\n\t\t\tslot=\"extra\"\n\t\t\t:error=\"storageStats.relative > 80\"\n\t\t\t:value=\"Math.min(storageStats.relative, 100)\" />\n\t</NcAppNavigationItem>\n</template>\n\n<script>\nimport { debounce, throttle } from 'throttle-debounce'\nimport { formatFileSize } from '@nextcloud/files'\nimport { generateUrl } from '@nextcloud/router'\nimport { loadState } from '@nextcloud/initial-state'\nimport { showError } from '@nextcloud/dialogs'\nimport { subscribe } from '@nextcloud/event-bus'\nimport { translate } from '@nextcloud/l10n'\nimport axios from '@nextcloud/axios'\n\nimport ChartPie from 'vue-material-design-icons/ChartPie.vue'\nimport NcAppNavigationItem from '@nextcloud/vue/dist/Components/NcAppNavigationItem.js'\nimport NcProgressBar from '@nextcloud/vue/dist/Components/NcProgressBar.js'\n\nimport logger from '../logger.js'\n\nexport default {\n\tname: 'NavigationQuota',\n\n\tcomponents: {\n\t\tChartPie,\n\t\tNcAppNavigationItem,\n\t\tNcProgressBar,\n\t},\n\n\tdata() {\n\t\treturn {\n\t\t\tloadingStorageStats: false,\n\t\t\tstorageStats: loadState('files', 'storageStats', null),\n\t\t}\n\t},\n\n\tcomputed: {\n\t\tstorageStatsTitle() {\n\t\t\tconst usedQuotaByte = formatFileSize(this.storageStats?.used, false, false)\n\t\t\tconst quotaByte = formatFileSize(this.storageStats?.quota, false, false)\n\n\t\t\t// If no quota set\n\t\t\tif (this.storageStats?.quota < 0) {\n\t\t\t\treturn this.t('files', '{usedQuotaByte} used', { usedQuotaByte })\n\t\t\t}\n\n\t\t\treturn this.t('files', '{used} of {quota} used', {\n\t\t\t\tused: usedQuotaByte,\n\t\t\t\tquota: quotaByte,\n\t\t\t})\n\t\t},\n\t\tstorageStatsTooltip() {\n\t\t\tif (!this.storageStats.relative) {\n\t\t\t\treturn ''\n\t\t\t}\n\n\t\t\treturn this.t('files', '{relative}% used', this.storageStats)\n\t\t},\n\t},\n\n\tbeforeMount() {\n\t\t/**\n\t\t * Update storage stats every minute\n\t\t * TODO: remove when all views are migrated to Vue\n\t\t */\n\t\tsetInterval(this.throttleUpdateStorageStats, 60 * 1000)\n\n\t\tsubscribe('files:node:created', this.throttleUpdateStorageStats)\n\t\tsubscribe('files:node:deleted', this.throttleUpdateStorageStats)\n\t\tsubscribe('files:node:moved', this.throttleUpdateStorageStats)\n\t\tsubscribe('files:node:updated', this.throttleUpdateStorageStats)\n\t},\n\n\tmounted() {\n\t\t// If the user has a quota set, warn if the available account storage is <=0\n\t\t//\n\t\t// NOTE: This doesn't catch situations where actual *server* \n\t\t// disk (non-quota) space is low, but those should probably\n\t\t// be handled differently anyway since a regular user can't\n\t\t// can't do much about them (If we did want to indicate server disk \n\t\t// space matters to users, we'd probably want to use a warning\n\t\t// specific to that situation anyhow. So this covers warning covers \n\t\t// our primary day-to-day concern (individual account quota usage).\n\t\t//\n\t\tif (this.storageStats?.quota > 0 && this.storageStats?.free <= 0) {\n\t\t\tthis.showStorageFullWarning()\n\t\t}\n\t},\n\n\tmethods: {\n\t\t// From user input\n\t\tdebounceUpdateStorageStats: debounce(200, function(event) {\n\t\t\tthis.updateStorageStats(event)\n\t\t}),\n\t\t// From interval or event bus\n\t\tthrottleUpdateStorageStats: throttle(1000, function(event) {\n\t\t\tthis.updateStorageStats(event)\n\t\t}),\n\n\t\t/**\n\t\t * Update the storage stats\n\t\t * Throttled at max 1 refresh per minute\n\t\t *\n\t\t * @param {Event} [event = null] if user interaction\n\t\t */\n\t\tasync updateStorageStats(event = null) {\n\t\t\tif (this.loadingStorageStats) {\n\t\t\t\treturn\n\t\t\t}\n\n\t\t\tthis.loadingStorageStats = true\n\t\t\ttry {\n\t\t\t\tconst response = await axios.get(generateUrl('/apps/files/api/v1/stats'))\n\t\t\t\tif (!response?.data?.data) {\n\t\t\t\t\tthrow new Error('Invalid storage stats')\n\t\t\t\t}\n\n\t\t\t\t// Warn the user if the available account storage changed from > 0 to 0 \n\t\t\t\t// (unless only because quota was intentionally set to 0 by admin in the interim)\n\t\t\t\tif (this.storageStats?.free > 0 && response.data.data?.free <= 0 && response.data.data?.quota > 0) {\n\t\t\t\t\tthis.showStorageFullWarning()\n\t\t\t\t}\n\n\t\t\t\tthis.storageStats = response.data.data\n\t\t\t} catch (error) {\n\t\t\t\tlogger.error('Could not refresh storage stats', { error })\n\t\t\t\t// Only show to the user if it was manually triggered\n\t\t\t\tif (event) {\n\t\t\t\t\tshowError(t('files', 'Could not refresh storage stats'))\n\t\t\t\t}\n\t\t\t} finally {\n\t\t\t\tthis.loadingStorageStats = false\n\t\t\t}\n\t\t},\n\n\t\tshowStorageFullWarning() {\n\t\t\tshowError(this.t('files', 'Your storage is full, files can not be updated or synced anymore!'))\n\t\t},\n\n\t\tt: translate,\n\t},\n}\n</script>\n\n<style lang=\"scss\" scoped>\n// User storage stats display\n.app-navigation-entry__settings-quota {\n\t// Align title with progress and icon\n\t&--not-unlimited::v-deep .app-navigation-entry__name {\n\t\tmargin-top: -6px;\n\t}\n\n\tprogress {\n\t\tposition: absolute;\n\t\tbottom: 12px;\n\t\tmargin-left: 44px;\n\t\twidth: calc(100% - 44px - 22px);\n\t}\n}\n</style>\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./NavigationQuota.vue?vue&type=template&id=063ed938&scoped=true\"\nimport script from \"./NavigationQuota.vue?vue&type=script&lang=js\"\nexport * from \"./NavigationQuota.vue?vue&type=script&lang=js\"\nimport style0 from \"./NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"063ed938\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return (_vm.storageStats)?_c('NcAppNavigationItem',{staticClass:\"app-navigation-entry__settings-quota\",class:{ 'app-navigation-entry__settings-quota--not-unlimited': _vm.storageStats.quota >= 0},attrs:{\"aria-label\":_vm.t('files', 'Storage informations'),\"loading\":_vm.loadingStorageStats,\"name\":_vm.storageStatsTitle,\"title\":_vm.storageStatsTooltip,\"data-cy-files-navigation-settings-quota\":\"\"},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.debounceUpdateStorageStats.apply(null, arguments)}}},[_c('ChartPie',{attrs:{\"slot\":\"icon\",\"size\":20},slot:\"icon\"}),_vm._v(\" \"),(_vm.storageStats.quota >= 0)?_c('NcProgressBar',{attrs:{\"slot\":\"extra\",\"error\":_vm.storageStats.relative > 80,\"value\":Math.min(_vm.storageStats.relative, 100)},slot:\"extra\"}):_vm._e()],1):_vm._e()\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcAppSettingsDialog',{attrs:{\"data-cy-files-navigation-settings\":\"\",\"open\":_vm.open,\"show-navigation\":true,\"name\":_vm.t('files', 'Files settings')},on:{\"update:open\":_vm.onClose}},[_c('NcAppSettingsSection',{attrs:{\"id\":\"settings\",\"name\":_vm.t('files', 'Files settings')}},[_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"sort_favorites_first\",\"checked\":_vm.userConfig.sort_favorites_first},on:{\"update:checked\":function($event){return _vm.setConfig('sort_favorites_first', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Sort favorites first'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"sort_folders_first\",\"checked\":_vm.userConfig.sort_folders_first},on:{\"update:checked\":function($event){return _vm.setConfig('sort_folders_first', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Sort folders before files'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"show_hidden\",\"checked\":_vm.userConfig.show_hidden},on:{\"update:checked\":function($event){return _vm.setConfig('show_hidden', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Show hidden files'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"crop_image_previews\",\"checked\":_vm.userConfig.crop_image_previews},on:{\"update:checked\":function($event){return _vm.setConfig('crop_image_previews', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Crop image previews'))+\"\\n\\t\\t\")]),_vm._v(\" \"),(_vm.enableGridView)?_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"grid_view\",\"checked\":_vm.userConfig.grid_view},on:{\"update:checked\":function($event){return _vm.setConfig('grid_view', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Enable the grid view'))+\"\\n\\t\\t\")]):_vm._e()],1),_vm._v(\" \"),(_vm.settings.length !== 0)?_c('NcAppSettingsSection',{attrs:{\"id\":\"more-settings\",\"name\":_vm.t('files', 'Additional settings')}},[_vm._l((_vm.settings),function(setting){return [_c('Setting',{key:setting.name,attrs:{\"el\":setting.el}})]})],2):_vm._e(),_vm._v(\" \"),_c('NcAppSettingsSection',{attrs:{\"id\":\"webdav\",\"name\":_vm.t('files', 'WebDAV')}},[_c('NcInputField',{attrs:{\"id\":\"webdav-url-input\",\"label\":_vm.t('files', 'WebDAV URL'),\"show-trailing-button\":true,\"success\":_vm.webdavUrlCopied,\"trailing-button-label\":_vm.t('files', 'Copy to clipboard'),\"value\":_vm.webdavUrl,\"readonly\":\"readonly\",\"type\":\"url\"},on:{\"focus\":function($event){return $event.target.select()},\"trailing-button-click\":_vm.copyCloudId},scopedSlots:_vm._u([{key:\"trailing-button-icon\",fn:function(){return [_c('Clipboard',{attrs:{\"size\":20}})]},proxy:true}])}),_vm._v(\" \"),_c('em',[_c('a',{staticClass:\"setting-link\",attrs:{\"href\":_vm.webdavDocs,\"target\":\"_blank\",\"rel\":\"noreferrer noopener\"}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Use this address to access your Files via WebDAV'))+\" ↗\\n\\t\\t\\t\")])]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('em',[_c('a',{staticClass:\"setting-link\",attrs:{\"href\":_vm.appPasswordUrl}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'If you have enabled 2FA, you must create and use a new app password by clicking here.'))+\" ↗\\n\\t\\t\\t\")])])],1)],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon clipboard-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M19,3H14.82C14.4,1.84 13.3,1 12,1C10.7,1 9.6,1.84 9.18,3H5A2,2 0 0,0 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5A2,2 0 0,0 19,3M12,3A1,1 0 0,1 13,4A1,1 0 0,1 12,5A1,1 0 0,1 11,4A1,1 0 0,1 12,3\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ClipboardIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Clipboard.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Clipboard.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Clipboard.vue?vue&type=template&id=0c133921\"\nimport script from \"./Clipboard.vue?vue&type=script&lang=js\"\nexport * from \"./Clipboard.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon clipboard-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M19,3H14.82C14.4,1.84 13.3,1 12,1C10.7,1 9.6,1.84 9.18,3H5A2,2 0 0,0 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5A2,2 0 0,0 19,3M12,3A1,1 0 0,1 13,4A1,1 0 0,1 12,5A1,1 0 0,1 11,4A1,1 0 0,1 12,3\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<!--\n - @copyright Copyright (c) 2020 Gary Kim <gary@garykim.dev>\n -\n - @author John Molakvoæ <skjnldsv@protonmail.com>\n -\n - @license GNU AGPL version 3 or any later version\n -\n - This program is free software: you can redistribute it and/or modify\n - it under the terms of the GNU Affero General Public License as\n - published by the Free Software Foundation, either version 3 of the\n - License, or (at your option) any later version.\n -\n - This program is distributed in the hope that it will be useful,\n - but WITHOUT ANY WARRANTY; without even the implied warranty of\n - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n - GNU Affero General Public License for more details.\n -\n - You should have received a copy of the GNU Affero General Public License\n - along with this program. If not, see <http://www.gnu.org/licenses/>.\n -\n -->\n\n<template>\n\t<div />\n</template>\n<script>\nexport default {\n\tname: 'Setting',\n\tprops: {\n\t\tel: {\n\t\t\ttype: Function,\n\t\t\trequired: true,\n\t\t},\n\t},\n\tmounted() {\n\t\tthis.$el.appendChild(this.el())\n\t},\n}\n</script>\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Setting.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Setting.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Setting.vue?vue&type=template&id=61d69eae\"\nimport script from \"./Setting.vue?vue&type=script&lang=js\"\nexport * from \"./Setting.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('div')\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import { defineStore } from 'pinia';\nimport { emit, subscribe } from '@nextcloud/event-bus';\nimport { generateUrl } from '@nextcloud/router';\nimport { loadState } from '@nextcloud/initial-state';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nconst userConfig = loadState('files', 'config', {\n show_hidden: false,\n crop_image_previews: true,\n sort_favorites_first: true,\n sort_folders_first: true,\n grid_view: false,\n});\nexport const useUserConfigStore = function (...args) {\n const store = defineStore('userconfig', {\n state: () => ({\n userConfig,\n }),\n actions: {\n /**\n * Update the user config local store\n */\n onUpdate(key, value) {\n Vue.set(this.userConfig, key, value);\n },\n /**\n * Update the user config local store AND on server side\n */\n async update(key, value) {\n await axios.put(generateUrl('/apps/files/api/v1/config/' + key), {\n value,\n });\n emit('files:config:updated', { key, value });\n },\n },\n });\n const userConfigStore = store(...args);\n // Make sure we only register the listeners once\n if (!userConfigStore._initialized) {\n subscribe('files:config:updated', function ({ key, value }) {\n userConfigStore.onUpdate(key, value);\n });\n userConfigStore._initialized = true;\n }\n return userConfigStore;\n};\n","<!--\n - @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n -\n - @author John Molakvoæ <skjnldsv@protonmail.com>\n -\n - @license GNU AGPL version 3 or any later version\n -\n - This program is free software: you can redistribute it and/or modify\n - it under the terms of the GNU Affero General Public License as\n - published by the Free Software Foundation, either version 3 of the\n - License, or (at your option) any later version.\n -\n - This program is distributed in the hope that it will be useful,\n - but WITHOUT ANY WARRANTY; without even the implied warranty of\n - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n - GNU Affero General Public License for more details.\n -\n - You should have received a copy of the GNU Affero General Public License\n - along with this program. If not, see <http://www.gnu.org/licenses/>.\n -\n -->\n<template>\n\t<NcAppSettingsDialog data-cy-files-navigation-settings\n\t\t:open=\"open\"\n\t\t:show-navigation=\"true\"\n\t\t:name=\"t('files', 'Files settings')\"\n\t\t@update:open=\"onClose\">\n\t\t<!-- Settings API-->\n\t\t<NcAppSettingsSection id=\"settings\" :name=\"t('files', 'Files settings')\">\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"sort_favorites_first\"\n\t\t\t\t:checked=\"userConfig.sort_favorites_first\"\n\t\t\t\t@update:checked=\"setConfig('sort_favorites_first', $event)\">\n\t\t\t\t{{ t('files', 'Sort favorites first') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"sort_folders_first\"\n\t\t\t\t:checked=\"userConfig.sort_folders_first\"\n\t\t\t\t@update:checked=\"setConfig('sort_folders_first', $event)\">\n\t\t\t\t{{ t('files', 'Sort folders before files') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"show_hidden\"\n\t\t\t\t:checked=\"userConfig.show_hidden\"\n\t\t\t\t@update:checked=\"setConfig('show_hidden', $event)\">\n\t\t\t\t{{ t('files', 'Show hidden files') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"crop_image_previews\"\n\t\t\t\t:checked=\"userConfig.crop_image_previews\"\n\t\t\t\t@update:checked=\"setConfig('crop_image_previews', $event)\">\n\t\t\t\t{{ t('files', 'Crop image previews') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch v-if=\"enableGridView\"\n\t\t\t\tdata-cy-files-settings-setting=\"grid_view\"\n\t\t\t\t:checked=\"userConfig.grid_view\"\n\t\t\t\t@update:checked=\"setConfig('grid_view', $event)\">\n\t\t\t\t{{ t('files', 'Enable the grid view') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t</NcAppSettingsSection>\n\n\t\t<!-- Settings API-->\n\t\t<NcAppSettingsSection v-if=\"settings.length !== 0\"\n\t\t\tid=\"more-settings\"\n\t\t\t:name=\"t('files', 'Additional settings')\">\n\t\t\t<template v-for=\"setting in settings\">\n\t\t\t\t<Setting :key=\"setting.name\" :el=\"setting.el\" />\n\t\t\t</template>\n\t\t</NcAppSettingsSection>\n\n\t\t<!-- Webdav URL-->\n\t\t<NcAppSettingsSection id=\"webdav\" :name=\"t('files', 'WebDAV')\">\n\t\t\t<NcInputField id=\"webdav-url-input\"\n\t\t\t\t:label=\"t('files', 'WebDAV URL')\"\n\t\t\t\t:show-trailing-button=\"true\"\n\t\t\t\t:success=\"webdavUrlCopied\"\n\t\t\t\t:trailing-button-label=\"t('files', 'Copy to clipboard')\"\n\t\t\t\t:value=\"webdavUrl\"\n\t\t\t\treadonly=\"readonly\"\n\t\t\t\ttype=\"url\"\n\t\t\t\t@focus=\"$event.target.select()\"\n\t\t\t\t@trailing-button-click=\"copyCloudId\">\n\t\t\t\t<template #trailing-button-icon>\n\t\t\t\t\t<Clipboard :size=\"20\" />\n\t\t\t\t</template>\n\t\t\t</NcInputField>\n\t\t\t<em>\n\t\t\t\t<a class=\"setting-link\"\n\t\t\t\t\t:href=\"webdavDocs\"\n\t\t\t\t\ttarget=\"_blank\"\n\t\t\t\t\trel=\"noreferrer noopener\">\n\t\t\t\t\t{{ t('files', 'Use this address to access your Files via WebDAV') }} ↗\n\t\t\t\t</a>\n\t\t\t</em>\n\t\t\t<br>\n\t\t\t<em>\n\t\t\t\t<a class=\"setting-link\" :href=\"appPasswordUrl\">\n\t\t\t\t\t{{ t('files', 'If you have enabled 2FA, you must create and use a new app password by clicking here.') }} ↗\n\t\t\t\t</a>\n\t\t\t</em>\n\t\t</NcAppSettingsSection>\n\t</NcAppSettingsDialog>\n</template>\n\n<script>\nimport NcAppSettingsDialog from '@nextcloud/vue/dist/Components/NcAppSettingsDialog.js'\nimport NcAppSettingsSection from '@nextcloud/vue/dist/Components/NcAppSettingsSection.js'\nimport NcCheckboxRadioSwitch from '@nextcloud/vue/dist/Components/NcCheckboxRadioSwitch.js'\nimport Clipboard from 'vue-material-design-icons/Clipboard.vue'\nimport NcInputField from '@nextcloud/vue/dist/Components/NcInputField.js'\nimport Setting from '../components/Setting.vue'\n\nimport { generateRemoteUrl, generateUrl } from '@nextcloud/router'\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { showError, showSuccess } from '@nextcloud/dialogs'\nimport { translate } from '@nextcloud/l10n'\nimport { loadState } from '@nextcloud/initial-state'\nimport { useUserConfigStore } from '../store/userconfig.ts'\n\nexport default {\n\tname: 'Settings',\n\tcomponents: {\n\t\tClipboard,\n\t\tNcAppSettingsDialog,\n\t\tNcAppSettingsSection,\n\t\tNcCheckboxRadioSwitch,\n\t\tNcInputField,\n\t\tSetting,\n\t},\n\n\tprops: {\n\t\topen: {\n\t\t\ttype: Boolean,\n\t\t\tdefault: false,\n\t\t},\n\t},\n\n\tsetup() {\n\t\tconst userConfigStore = useUserConfigStore()\n\t\treturn {\n\t\t\tuserConfigStore,\n\t\t}\n\t},\n\n\tdata() {\n\t\treturn {\n\t\t\t// Settings API\n\t\t\tsettings: window.OCA?.Files?.Settings?.settings || [],\n\n\t\t\t// Webdav infos\n\t\t\twebdavUrl: generateRemoteUrl('dav/files/' + encodeURIComponent(getCurrentUser()?.uid)),\n\t\t\twebdavDocs: 'https://docs.nextcloud.com/server/stable/go.php?to=user-webdav',\n\t\t\tappPasswordUrl: generateUrl('/settings/user/security#generate-app-token-section'),\n\t\t\twebdavUrlCopied: false,\n\t\t\tenableGridView: (loadState('core', 'config', [])['enable_non-accessible_features'] ?? true),\n\t\t}\n\t},\n\n\tcomputed: {\n\t\tuserConfig() {\n\t\t\treturn this.userConfigStore.userConfig\n\t\t},\n\t},\n\n\tbeforeMount() {\n\t\t// Update the settings API entries state\n\t\tthis.settings.forEach(setting => setting.open())\n\t},\n\n\tbeforeDestroy() {\n\t\t// Update the settings API entries state\n\t\tthis.settings.forEach(setting => setting.close())\n\t},\n\n\tmethods: {\n\t\tonClose() {\n\t\t\tthis.$emit('close')\n\t\t},\n\n\t\tsetConfig(key, value) {\n\t\t\tthis.userConfigStore.update(key, value)\n\t\t},\n\n\t\tasync copyCloudId() {\n\t\t\tdocument.querySelector('input#webdav-url-input').select()\n\n\t\t\tif (!navigator.clipboard) {\n\t\t\t\t// Clipboard API not available\n\t\t\t\tshowError(t('files', 'Clipboard is not available'))\n\t\t\t\treturn\n\t\t\t}\n\n\t\t\tawait navigator.clipboard.writeText(this.webdavUrl)\n\t\t\tthis.webdavUrlCopied = true\n\t\t\tshowSuccess(t('files', 'WebDAV URL copied to clipboard'))\n\t\t\tsetTimeout(() => {\n\t\t\t\tthis.webdavUrlCopied = false\n\t\t\t}, 5000)\n\t\t},\n\n\t\tt: translate,\n\t},\n}\n</script>\n\n<style lang=\"scss\" scoped>\n.setting-link:hover {\n\ttext-decoration: underline;\n}\n</style>\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./Settings.vue?vue&type=template&id=109572de&scoped=true\"\nimport script from \"./Settings.vue?vue&type=script&lang=js\"\nexport * from \"./Settings.vue?vue&type=script&lang=js\"\nimport style0 from \"./Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"109572de\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcAppNavigation',{attrs:{\"data-cy-files-navigation\":\"\",\"aria-label\":_vm.t('files', 'Files')},scopedSlots:_vm._u([{key:\"list\",fn:function(){return _vm._l((_vm.parentViews),function(view){return _c('NcAppNavigationItem',{key:view.id,attrs:{\"allow-collapse\":true,\"data-cy-files-navigation-item\":view.id,\"exact\":_vm.useExactRouteMatching(view),\"icon\":view.iconClass,\"name\":view.name,\"open\":_vm.isExpanded(view),\"pinned\":view.sticky,\"to\":_vm.generateToNavigation(view)},on:{\"update:open\":function($event){return _vm.onToggleExpand(view)}}},[(view.icon)?_c('NcIconSvgWrapper',{attrs:{\"slot\":\"icon\",\"svg\":view.icon},slot:\"icon\"}):_vm._e(),_vm._v(\" \"),_vm._l((_vm.childViews[view.id]),function(child){return _c('NcAppNavigationItem',{key:child.id,attrs:{\"data-cy-files-navigation-item\":child.id,\"exact-path\":true,\"icon\":child.iconClass,\"name\":child.name,\"to\":_vm.generateToNavigation(child)}},[(child.icon)?_c('NcIconSvgWrapper',{attrs:{\"slot\":\"icon\",\"svg\":child.icon},slot:\"icon\"}):_vm._e()],1)})],2)})},proxy:true},{key:\"footer\",fn:function(){return [_c('ul',{staticClass:\"app-navigation-entry__settings\"},[_c('NavigationQuota'),_vm._v(\" \"),_c('NcAppNavigationItem',{attrs:{\"aria-label\":_vm.t('files', 'Open the files app settings'),\"name\":_vm.t('files', 'Files settings'),\"data-cy-files-navigation-settings-button\":\"\"},on:{\"click\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.openSettings.apply(null, arguments)}}},[_c('Cog',{attrs:{\"slot\":\"icon\",\"size\":20},slot:\"icon\"})],1)],1)]},proxy:true}])},[_vm._v(\" \"),_vm._v(\" \"),_c('SettingsModal',{attrs:{\"open\":_vm.settingsOpened,\"data-cy-files-navigation-settings\":\"\"},on:{\"close\":_vm.onSettingsClose}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./Navigation.vue?vue&type=template&id=8291caa8&scoped=true\"\nimport script from \"./Navigation.vue?vue&type=script&lang=ts\"\nexport * from \"./Navigation.vue?vue&type=script&lang=ts\"\nimport style0 from \"./Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"8291caa8\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcAppContent',{attrs:{\"page-heading\":_vm.pageHeading,\"data-cy-files-content\":\"\"}},[_c('div',{staticClass:\"files-list__header\"},[_c('BreadCrumbs',{attrs:{\"path\":_vm.dir},on:{\"reload\":_vm.fetchContent},scopedSlots:_vm._u([{key:\"actions\",fn:function(){return [(_vm.canShare && _vm.filesListWidth >= 512)?_c('NcButton',{staticClass:\"files-list__header-share-button\",class:{ 'files-list__header-share-button--shared': _vm.shareButtonType },attrs:{\"aria-label\":_vm.shareButtonLabel,\"title\":_vm.shareButtonLabel,\"type\":\"tertiary\"},on:{\"click\":_vm.openSharingSidebar},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.shareButtonType === _vm.Type.SHARE_TYPE_LINK)?_c('LinkIcon'):_c('AccountPlusIcon',{attrs:{\"size\":20}})]},proxy:true}],null,false,2969853559)}):_vm._e(),_vm._v(\" \"),(!_vm.canUpload || _vm.isQuotaExceeded)?_c('NcButton',{staticClass:\"files-list__header-upload-button--disabled\",attrs:{\"aria-label\":_vm.cantUploadLabel,\"title\":_vm.cantUploadLabel,\"disabled\":true,\"type\":\"secondary\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('PlusIcon',{attrs:{\"size\":20}})]},proxy:true}],null,false,2953566425)},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'New'))+\"\\n\\t\\t\\t\\t\")]):(_vm.currentFolder)?_c('UploadPicker',{staticClass:\"files-list__header-upload-button\",attrs:{\"content\":_vm.dirContents,\"destination\":_vm.currentFolder,\"multiple\":true},on:{\"failed\":_vm.onUploadFail,\"uploaded\":_vm.onUpload}}):_vm._e()]},proxy:true}])}),_vm._v(\" \"),(_vm.filesListWidth >= 512 && _vm.enableGridView)?_c('NcButton',{staticClass:\"files-list__header-grid-button\",attrs:{\"aria-label\":_vm.gridViewButtonLabel,\"title\":_vm.gridViewButtonLabel,\"type\":\"tertiary\"},on:{\"click\":_vm.toggleGridView},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.userConfig.grid_view)?_c('ListViewIcon'):_c('ViewGridIcon')]},proxy:true}],null,false,1682960703)}):_vm._e(),_vm._v(\" \"),(_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__refresh-icon\"}):_vm._e()],1),_vm._v(\" \"),(!_vm.loading && _vm.canUpload)?_c('DragAndDropNotice',{attrs:{\"current-folder\":_vm.currentFolder}}):_vm._e(),_vm._v(\" \"),(_vm.loading && !_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__loading-icon\",attrs:{\"size\":38,\"name\":_vm.t('files', 'Loading current folder')}}):(!_vm.loading && _vm.isEmptyDir)?_c('NcEmptyContent',{attrs:{\"name\":_vm.currentView?.emptyTitle || _vm.t('files', 'No files in here'),\"description\":_vm.currentView?.emptyCaption || _vm.t('files', 'Upload some content or sync with your devices!'),\"data-cy-files-content-empty\":\"\"},scopedSlots:_vm._u([{key:\"action\",fn:function(){return [(_vm.dir !== '/')?_c('NcButton',{attrs:{\"aria-label\":_vm.t('files', 'Go to the previous folder'),\"type\":\"primary\",\"to\":_vm.toPreviousDir}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Go back'))+\"\\n\\t\\t\\t\")]):_vm._e()]},proxy:true},{key:\"icon\",fn:function(){return [_c('NcIconSvgWrapper',{attrs:{\"svg\":_vm.currentView.icon}})]},proxy:true}])}):_c('FilesListVirtual',{ref:\"filesListVirtual\",attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"nodes\":_vm.dirContentsSorted}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * natural-orderby v3.0.2\n *\n * Copyright (c) Olaf Ennen\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE.md file in the root directory of this source tree.\n *\n * @license MIT\n */\nvar compareNumbers = function compareNumbers(numberA, numberB) {\n if (numberA < numberB) {\n return -1;\n }\n if (numberA > numberB) {\n return 1;\n }\n return 0;\n};\n\nvar compareUnicode = function compareUnicode(stringA, stringB) {\n var result = stringA.localeCompare(stringB);\n return result ? result / Math.abs(result) : 0;\n};\n\nvar RE_NUMBERS = /(^0x[\\da-fA-F]+$|^([+-]?(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?(?!\\.\\d+)(?=\\D|\\s|$))|\\d+)/g;\nvar RE_LEADING_OR_TRAILING_WHITESPACES = /^\\s+|\\s+$/g; // trim pre-post whitespace\nvar RE_WHITESPACES = /\\s+/g; // normalize all whitespace to single ' ' character\nvar RE_INT_OR_FLOAT = /^[+-]?(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?$/; // identify integers and floats\nvar RE_DATE = /(^([\\w ]+,?[\\w ]+)?[\\w ]+,?[\\w ]+\\d+:\\d+(:\\d+)?[\\w ]?|^\\d{1,4}[/-]\\d{1,4}[/-]\\d{1,4}|^\\w+, \\w+ \\d+, \\d{4})/; // identify date strings\nvar RE_LEADING_ZERO = /^0+[1-9]{1}[0-9]*$/;\n// eslint-disable-next-line no-control-regex\nvar RE_UNICODE_CHARACTERS = /[^\\x00-\\x80]/;\n\nvar stringCompare = function stringCompare(stringA, stringB) {\n if (stringA < stringB) {\n return -1;\n }\n if (stringA > stringB) {\n return 1;\n }\n return 0;\n};\n\nvar compareChunks = function compareChunks(chunksA, chunksB) {\n var lengthA = chunksA.length;\n var lengthB = chunksB.length;\n var size = Math.min(lengthA, lengthB);\n for (var i = 0; i < size; i++) {\n var chunkA = chunksA[i];\n var chunkB = chunksB[i];\n if (chunkA.normalizedString !== chunkB.normalizedString) {\n if (chunkA.normalizedString === '' !== (chunkB.normalizedString === '')) {\n // empty strings have lowest value\n return chunkA.normalizedString === '' ? -1 : 1;\n }\n if (chunkA.parsedNumber !== undefined && chunkB.parsedNumber !== undefined) {\n // compare numbers\n var result = compareNumbers(chunkA.parsedNumber, chunkB.parsedNumber);\n if (result === 0) {\n // compare string value, if parsed numbers are equal\n // Example:\n // chunkA = { parsedNumber: 1, normalizedString: \"001\" }\n // chunkB = { parsedNumber: 1, normalizedString: \"01\" }\n // chunkA.parsedNumber === chunkB.parsedNumber\n // chunkA.normalizedString < chunkB.normalizedString\n return stringCompare(chunkA.normalizedString, chunkB.normalizedString);\n }\n return result;\n } else if (chunkA.parsedNumber !== undefined || chunkB.parsedNumber !== undefined) {\n // number < string\n return chunkA.parsedNumber !== undefined ? -1 : 1;\n } else if (RE_UNICODE_CHARACTERS.test(chunkA.normalizedString + chunkB.normalizedString)) {\n // use locale comparison only if one of the chunks contains unicode characters\n return compareUnicode(chunkA.normalizedString, chunkB.normalizedString);\n } else {\n // use common string comparison for performance reason\n return stringCompare(chunkA.normalizedString, chunkB.normalizedString);\n }\n }\n }\n // if the chunks are equal so far, the one which has more chunks is greater than the other one\n if (lengthA > size || lengthB > size) {\n return lengthA <= size ? -1 : 1;\n }\n return 0;\n};\n\nvar compareOtherTypes = function compareOtherTypes(valueA, valueB) {\n if (!valueA.chunks ? valueB.chunks : !valueB.chunks) {\n return !valueA.chunks ? 1 : -1;\n }\n if (valueA.isNaN ? !valueB.isNaN : valueB.isNaN) {\n return valueA.isNaN ? -1 : 1;\n }\n if (valueA.isSymbol ? !valueB.isSymbol : valueB.isSymbol) {\n return valueA.isSymbol ? -1 : 1;\n }\n if (valueA.isObject ? !valueB.isObject : valueB.isObject) {\n return valueA.isObject ? -1 : 1;\n }\n if (valueA.isArray ? !valueB.isArray : valueB.isArray) {\n return valueA.isArray ? -1 : 1;\n }\n if (valueA.isFunction ? !valueB.isFunction : valueB.isFunction) {\n return valueA.isFunction ? -1 : 1;\n }\n if (valueA.isNull ? !valueB.isNull : valueB.isNull) {\n return valueA.isNull ? -1 : 1;\n }\n return 0;\n};\n\nvar compareValues = function compareValues(valueA, valueB) {\n if (valueA.value === valueB.value) {\n return 0;\n }\n if (valueA.parsedNumber !== undefined && valueB.parsedNumber !== undefined) {\n return compareNumbers(valueA.parsedNumber, valueB.parsedNumber);\n }\n if (valueA.chunks && valueB.chunks) {\n return compareChunks(valueA.chunks, valueB.chunks);\n }\n return compareOtherTypes(valueA, valueB);\n};\n\nvar normalizeAlphaChunk = function normalizeAlphaChunk(chunk) {\n return chunk.replace(RE_WHITESPACES, ' ').replace(RE_LEADING_OR_TRAILING_WHITESPACES, '');\n};\n\nvar parseNumber = function parseNumber(value) {\n if (value.length !== 0) {\n var parsedNumber = Number(value);\n if (!Number.isNaN(parsedNumber)) {\n return parsedNumber;\n }\n }\n return undefined;\n};\n\nvar normalizeNumericChunk = function normalizeNumericChunk(chunk, index, chunks) {\n if (RE_INT_OR_FLOAT.test(chunk)) {\n // don´t parse a number, if there´s a preceding decimal point\n // to keep significance\n // e.g. 1.0020, 1.020\n if (!RE_LEADING_ZERO.test(chunk) || index === 0 || chunks[index - 1] !== '.') {\n return parseNumber(chunk) || 0;\n }\n }\n return undefined;\n};\n\nvar createChunkMap = function createChunkMap(chunk, index, chunks) {\n return {\n parsedNumber: normalizeNumericChunk(chunk, index, chunks),\n normalizedString: normalizeAlphaChunk(chunk)\n };\n};\n\nvar createChunks = function createChunks(value) {\n return value.replace(RE_NUMBERS, '\\0$1\\0').replace(/\\0$/, '').replace(/^\\0/, '').split('\\0');\n};\n\nvar createChunkMaps = function createChunkMaps(value) {\n var chunksMaps = createChunks(value).map(createChunkMap);\n return chunksMaps;\n};\n\nvar isFunction = function isFunction(value) {\n return typeof value === 'function';\n};\n\nvar isNaN = function isNaN(value) {\n return Number.isNaN(value) || value instanceof Number && Number.isNaN(value.valueOf());\n};\n\nvar isNull = function isNull(value) {\n return value === null;\n};\n\nvar isObject = function isObject(value) {\n return value !== null && typeof value === 'object' && !Array.isArray(value) && !(value instanceof Number) && !(value instanceof String) && !(value instanceof Boolean) && !(value instanceof Date);\n};\n\nvar isSymbol = function isSymbol(value) {\n return typeof value === 'symbol';\n};\n\nvar isUndefined = function isUndefined(value) {\n return value === undefined;\n};\n\nvar parseDate = function parseDate(value) {\n try {\n var parsedDate = Date.parse(value);\n if (!Number.isNaN(parsedDate)) {\n if (RE_DATE.test(value)) {\n return parsedDate;\n }\n }\n return undefined;\n } catch (_unused) {\n return undefined;\n }\n};\n\nvar numberify = function numberify(value) {\n var parsedNumber = parseNumber(value);\n if (parsedNumber !== undefined) {\n return parsedNumber;\n }\n return parseDate(value);\n};\n\nvar stringify = function stringify(value) {\n if (typeof value === 'boolean' || value instanceof Boolean) {\n return Number(value).toString();\n }\n if (typeof value === 'number' || value instanceof Number) {\n return value.toString();\n }\n if (value instanceof Date) {\n return value.getTime().toString();\n }\n if (typeof value === 'string' || value instanceof String) {\n return value.toLowerCase().replace(RE_LEADING_OR_TRAILING_WHITESPACES, '');\n }\n return '';\n};\n\nvar getMappedValueRecord = function getMappedValueRecord(value) {\n if (typeof value === 'string' || value instanceof String || (typeof value === 'number' || value instanceof Number) && !isNaN(value) || typeof value === 'boolean' || value instanceof Boolean || value instanceof Date) {\n var stringValue = stringify(value);\n var parsedNumber = numberify(stringValue);\n var chunks = createChunkMaps(parsedNumber ? \"\" + parsedNumber : stringValue);\n return {\n parsedNumber: parsedNumber,\n chunks: chunks,\n value: value\n };\n }\n return {\n isArray: Array.isArray(value),\n isFunction: isFunction(value),\n isNaN: isNaN(value),\n isNull: isNull(value),\n isObject: isObject(value),\n isSymbol: isSymbol(value),\n isUndefined: isUndefined(value),\n value: value\n };\n};\n\nvar baseCompare = function baseCompare(options) {\n return function (valueA, valueB) {\n var a = getMappedValueRecord(valueA);\n var b = getMappedValueRecord(valueB);\n var result = compareValues(a, b);\n return result * (options.order === 'desc' ? -1 : 1);\n };\n};\n\nvar isValidOrder = function isValidOrder(value) {\n return typeof value === 'string' && (value === 'asc' || value === 'desc');\n};\nvar getOptions = function getOptions(customOptions) {\n var order = 'asc';\n if (typeof customOptions === 'string' && isValidOrder(customOptions)) {\n order = customOptions;\n } else if (customOptions && typeof customOptions === 'object' && customOptions.order && isValidOrder(customOptions.order)) {\n order = customOptions.order;\n }\n return {\n order: order\n };\n};\n\n/**\n * Creates a compare function that defines the natural sort order considering\n * the given `options` which may be passed to [`Array.prototype.sort()`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/sort).\n */\nfunction compare(options) {\n var validatedOptions = getOptions(options);\n return baseCompare(validatedOptions);\n}\n\nvar compareMultiple = function compareMultiple(recordA, recordB, orders) {\n var indexA = recordA.index,\n valuesA = recordA.values;\n var indexB = recordB.index,\n valuesB = recordB.values;\n var length = valuesA.length;\n var ordersLength = orders.length;\n for (var i = 0; i < length; i++) {\n var order = i < ordersLength ? orders[i] : null;\n if (order && typeof order === 'function') {\n var result = order(valuesA[i].value, valuesB[i].value);\n if (result) {\n return result;\n }\n } else {\n var _result = compareValues(valuesA[i], valuesB[i]);\n if (_result) {\n return _result * (order === 'desc' ? -1 : 1);\n }\n }\n }\n return indexA - indexB;\n};\n\nvar createIdentifierFn = function createIdentifierFn(identifier) {\n if (typeof identifier === 'function') {\n // identifier is already a lookup function\n return identifier;\n }\n return function (value) {\n if (Array.isArray(value)) {\n var index = Number(identifier);\n if (Number.isInteger(index)) {\n return value[index];\n }\n } else if (value && typeof value === 'object') {\n var result = Object.getOwnPropertyDescriptor(value, identifier);\n return result == null ? void 0 : result.value;\n }\n return value;\n };\n};\n\nvar getElementByIndex = function getElementByIndex(collection, index) {\n return collection[index];\n};\n\nvar getValueByIdentifier = function getValueByIdentifier(value, getValue) {\n return getValue(value);\n};\n\nvar baseOrderBy = function baseOrderBy(collection, identifiers, orders) {\n var identifierFns = identifiers.length ? identifiers.map(createIdentifierFn) : [function (value) {\n return value;\n }];\n\n // temporary array holds elements with position and sort-values\n var mappedCollection = collection.map(function (element, index) {\n var values = identifierFns.map(function (identifier) {\n return getValueByIdentifier(element, identifier);\n }).map(getMappedValueRecord);\n return {\n index: index,\n values: values\n };\n });\n\n // iterate over values and compare values until a != b or last value reached\n mappedCollection.sort(function (recordA, recordB) {\n return compareMultiple(recordA, recordB, orders);\n });\n return mappedCollection.map(function (element) {\n return getElementByIndex(collection, element.index);\n });\n};\n\nvar getIdentifiers = function getIdentifiers(identifiers) {\n if (!identifiers) {\n return [];\n }\n var identifierList = !Array.isArray(identifiers) ? [identifiers] : [].concat(identifiers);\n if (identifierList.some(function (identifier) {\n return typeof identifier !== 'string' && typeof identifier !== 'number' && typeof identifier !== 'function';\n })) {\n return [];\n }\n return identifierList;\n};\n\nvar getOrders = function getOrders(orders) {\n if (!orders) {\n return [];\n }\n var orderList = !Array.isArray(orders) ? [orders] : [].concat(orders);\n if (orderList.some(function (order) {\n return order !== 'asc' && order !== 'desc' && typeof order !== 'function';\n })) {\n return [];\n }\n return orderList;\n};\n\n/**\n * Creates an array of elements, natural sorted by specified identifiers and\n * the corresponding sort orders. This method implements a stable sort\n * algorithm, which means the original sort order of equal elements is\n * preserved.\n */\nfunction orderBy(collection, identifiers, orders) {\n if (!collection || !Array.isArray(collection)) {\n return [];\n }\n var validatedIdentifiers = getIdentifiers(identifiers);\n var validatedOrders = getOrders(orders);\n return baseOrderBy(collection, validatedIdentifiers, validatedOrders);\n}\n\nexport { compare, orderBy };\n","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon format-list-bulleted-square-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M3,4H7V8H3V4M9,5V7H21V5H9M3,10H7V14H3V10M9,11V13H21V11H9M3,16H7V20H3V16M9,17V19H21V17H9\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FormatListBulletedSquareIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./FormatListBulletedSquare.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./FormatListBulletedSquare.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./FormatListBulletedSquare.vue?vue&type=template&id=00aea13f\"\nimport script from \"./FormatListBulletedSquare.vue?vue&type=script&lang=js\"\nexport * from \"./FormatListBulletedSquare.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon format-list-bulleted-square-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M3,4H7V8H3V4M9,5V7H21V5H9M3,10H7V14H3V10M9,11V13H21V11H9M3,16H7V20H3V16M9,17V19H21V17H9\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon account-plus-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"AccountPlusIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./AccountPlus.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./AccountPlus.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./AccountPlus.vue?vue&type=template&id=a16afc28\"\nimport script from \"./AccountPlus.vue?vue&type=script&lang=js\"\nexport * from \"./AccountPlus.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon account-plus-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ViewGrid.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ViewGrid.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon view-grid-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M3,11H11V3H3M3,21H11V13H3M13,21H21V13H13M13,3V11H21V3\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ViewGridIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./ViewGrid.vue?vue&type=template&id=7b96a104\"\nimport script from \"./ViewGrid.vue?vue&type=script&lang=js\"\nexport * from \"./ViewGrid.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon view-grid-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M3,11H11V3H3M3,21H11V13H3M13,21H21V13H13M13,3V11H21V3\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { Permission, View, FileAction, FileType } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport InformationSvg from '@mdi/svg/svg/information-variant.svg?raw';\nimport logger from '../logger.js';\nexport const ACTION_DETAILS = 'details';\nexport const action = new FileAction({\n id: ACTION_DETAILS,\n displayName: () => t('files', 'Open details'),\n iconSvgInline: () => InformationSvg,\n // Sidebar currently supports user folder only, /files/USER\n enabled: (nodes) => {\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n if (!nodes[0]) {\n return false;\n }\n // Only work if the sidebar is available\n if (!window?.OCA?.Files?.Sidebar) {\n return false;\n }\n return (nodes[0].root?.startsWith('/files/') && nodes[0].permissions !== Permission.NONE) ?? false;\n },\n async exec(node, view, dir) {\n try {\n // TODO: migrate Sidebar to use a Node instead\n await window.OCA.Files.Sidebar.open(node.path);\n // Silently update current fileid\n window.OCP.Files.Router.goToRoute(null, { view: view.id, fileid: node.fileid }, { dir }, true);\n return null;\n }\n catch (error) {\n logger.error('Error while opening sidebar', { error });\n return false;\n }\n },\n order: -50,\n});\n","import { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nimport logger from '../logger';\nimport Vue from 'vue';\nexport const useFilesStore = function (...args) {\n const store = defineStore('files', {\n state: () => ({\n files: {},\n roots: {},\n }),\n getters: {\n /**\n * Get a file or folder by id\n */\n getNode: (state) => (id) => state.files[id],\n /**\n * Get a list of files or folders by their IDs\n * Does not return undefined values\n */\n getNodes: (state) => (ids) => ids\n .map(id => state.files[id])\n .filter(Boolean),\n /**\n * Get a file or folder by id\n */\n getRoot: (state) => (service) => state.roots[service],\n },\n actions: {\n updateNodes(nodes) {\n // Update the store all at once\n const files = nodes.reduce((acc, node) => {\n if (!node.fileid) {\n logger.error('Trying to update/set a node without fileid', node);\n return acc;\n }\n acc[node.fileid] = node;\n return acc;\n }, {});\n Vue.set(this, 'files', { ...this.files, ...files });\n },\n deleteNodes(nodes) {\n nodes.forEach(node => {\n if (node.fileid) {\n Vue.delete(this.files, node.fileid);\n }\n });\n },\n setRoot({ service, root }) {\n Vue.set(this.roots, service, root);\n },\n onDeletedNode(node) {\n this.deleteNodes([node]);\n },\n onCreatedNode(node) {\n this.updateNodes([node]);\n },\n onUpdatedNode(node) {\n this.updateNodes([node]);\n },\n },\n });\n const fileStore = store(...args);\n // Make sure we only register the listeners once\n if (!fileStore._initialized) {\n subscribe('files:node:created', fileStore.onCreatedNode);\n subscribe('files:node:deleted', fileStore.onDeletedNode);\n subscribe('files:node:updated', fileStore.onUpdatedNode);\n fileStore._initialized = true;\n }\n return fileStore;\n};\n","import { defineStore } from 'pinia';\nimport { FileType, Folder, Node, getNavigation } from '@nextcloud/files';\nimport { subscribe } from '@nextcloud/event-bus';\nimport Vue from 'vue';\nimport logger from '../logger';\nimport { useFilesStore } from './files';\nexport const usePathsStore = function (...args) {\n const files = useFilesStore();\n const store = defineStore('paths', {\n state: () => ({\n paths: {},\n }),\n getters: {\n getPath: (state) => {\n return (service, path) => {\n if (!state.paths[service]) {\n return undefined;\n }\n return state.paths[service][path];\n };\n },\n },\n actions: {\n addPath(payload) {\n // If it doesn't exists, init the service state\n if (!this.paths[payload.service]) {\n Vue.set(this.paths, payload.service, {});\n }\n // Now we can set the provided path\n Vue.set(this.paths[payload.service], payload.path, payload.fileid);\n },\n onCreatedNode(node) {\n const service = getNavigation()?.active?.id || 'files';\n if (!node.fileid) {\n logger.error('Node has no fileid', { node });\n return;\n }\n // Only add path if it's a folder\n if (node.type === FileType.Folder) {\n this.addPath({\n service,\n path: node.path,\n fileid: node.fileid,\n });\n }\n // Update parent folder children if exists\n // If the folder is the root, get it and update it\n if (node.dirname === '/') {\n const root = files.getRoot(service);\n if (!root._children) {\n Vue.set(root, '_children', []);\n }\n root._children.push(node.fileid);\n return;\n }\n // If the folder doesn't exists yet, it will be\n // fetched later and its children updated anyway.\n if (this.paths[service][node.dirname]) {\n const parentId = this.paths[service][node.dirname];\n const parentFolder = files.getNode(parentId);\n logger.debug('Path already exists, updating children', { parentFolder, node });\n if (!parentFolder) {\n logger.error('Parent folder not found', { parentId });\n return;\n }\n if (!parentFolder._children) {\n Vue.set(parentFolder, '_children', []);\n }\n parentFolder._children.push(node.fileid);\n return;\n }\n logger.debug('Parent path does not exists, skipping children update', { node });\n },\n },\n });\n const pathsStore = store(...args);\n // Make sure we only register the listeners once\n if (!pathsStore._initialized) {\n // TODO: watch folders to update paths?\n subscribe('files:node:created', pathsStore.onCreatedNode);\n // subscribe('files:node:deleted', pathsStore.onDeletedNode)\n // subscribe('files:node:moved', pathsStore.onMovedNode)\n pathsStore._initialized = true;\n }\n return pathsStore;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\nimport { FileId, SelectionStore } from '../types';\nexport const useSelectionStore = defineStore('selection', {\n state: () => ({\n selected: [],\n lastSelection: [],\n lastSelectedIndex: null,\n }),\n actions: {\n /**\n * Set the selection of fileIds\n */\n set(selection = []) {\n Vue.set(this, 'selected', [...new Set(selection)]);\n },\n /**\n * Set the last selected index\n */\n setLastIndex(lastSelectedIndex = null) {\n // Update the last selection if we provided a new selection starting point\n Vue.set(this, 'lastSelection', lastSelectedIndex ? this.selected : []);\n Vue.set(this, 'lastSelectedIndex', lastSelectedIndex);\n },\n /**\n * Reset the selection\n */\n reset() {\n Vue.set(this, 'selected', []);\n Vue.set(this, 'lastSelection', []);\n Vue.set(this, 'lastSelectedIndex', null);\n },\n },\n});\n","import { defineStore } from 'pinia';\nimport { getUploader } from '@nextcloud/upload';\nlet uploader;\nexport const useUploaderStore = function (...args) {\n // Only init on runtime\n uploader = getUploader();\n const store = defineStore('uploader', {\n state: () => ({\n queue: uploader.queue,\n }),\n });\n return store(...args);\n};\n","import { emit } from '@nextcloud/event-bus';\nimport { Folder, Node, davGetClient, davGetDefaultPropfind, davResultToNode } from '@nextcloud/files';\nimport { openConflictPicker } from '@nextcloud/upload';\nimport { showError, showInfo } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport logger from '../logger.js';\n/**\n * This represents a Directory in the file tree\n * We extend the File class to better handling uploading\n * and stay as close as possible as the Filesystem API.\n * This also allow us to hijack the size or lastModified\n * properties to compute them dynamically.\n */\nexport class Directory extends File {\n /* eslint-disable no-use-before-define */\n _contents;\n constructor(name, contents = []) {\n super([], name, { type: 'httpd/unix-directory' });\n this._contents = contents;\n }\n set contents(contents) {\n this._contents = contents;\n }\n get contents() {\n return this._contents;\n }\n get size() {\n return this._computeDirectorySize(this);\n }\n get lastModified() {\n if (this._contents.length === 0) {\n return Date.now();\n }\n return this._computeDirectoryMtime(this);\n }\n /**\n * Get the last modification time of a file tree\n * This is not perfect, but will get us a pretty good approximation\n * @param directory the directory to traverse\n */\n _computeDirectoryMtime(directory) {\n return directory.contents.reduce((acc, file) => {\n return file.lastModified > acc\n // If the file is a directory, the lastModified will\n // also return the results of its _computeDirectoryMtime method\n // Fancy recursion, huh?\n ? file.lastModified\n : acc;\n }, 0);\n }\n /**\n * Get the size of a file tree\n * @param directory the directory to traverse\n */\n _computeDirectorySize(directory) {\n return directory.contents.reduce((acc, entry) => {\n // If the file is a directory, the size will\n // also return the results of its _computeDirectorySize method\n // Fancy recursion, huh?\n return acc + entry.size;\n }, 0);\n }\n}\n/**\n * Traverse a file tree using the Filesystem API\n * @param entry the entry to traverse\n */\nexport const traverseTree = async (entry) => {\n // Handle file\n if (entry.isFile) {\n return new Promise((resolve, reject) => {\n entry.file(resolve, reject);\n });\n }\n // Handle directory\n logger.debug('Handling recursive file tree', { entry: entry.name });\n const directory = entry;\n const entries = await readDirectory(directory);\n const contents = (await Promise.all(entries.map(traverseTree))).flat();\n return new Directory(directory.name, contents);\n};\n/**\n * Read a directory using Filesystem API\n * @param directory the directory to read\n */\nconst readDirectory = (directory) => {\n const dirReader = directory.createReader();\n return new Promise((resolve, reject) => {\n const entries = [];\n const getEntries = () => {\n dirReader.readEntries((results) => {\n if (results.length) {\n entries.push(...results);\n getEntries();\n }\n else {\n resolve(entries);\n }\n }, (error) => {\n reject(error);\n });\n };\n getEntries();\n });\n};\nexport const createDirectoryIfNotExists = async (absolutePath) => {\n const davClient = davGetClient();\n const dirExists = await davClient.exists(absolutePath);\n if (!dirExists) {\n logger.debug('Directory does not exist, creating it', { absolutePath });\n await davClient.createDirectory(absolutePath, { recursive: true });\n const stat = await davClient.stat(absolutePath, { details: true, data: davGetDefaultPropfind() });\n emit('files:node:created', davResultToNode(stat.data));\n }\n};\nexport const resolveConflict = async (files, destination, contents) => {\n try {\n // List all conflicting files\n const conflicts = files.filter((file) => {\n return contents.find((node) => node.basename === (file instanceof File ? file.name : file.basename));\n }).filter(Boolean);\n // List of incoming files that are NOT in conflict\n const uploads = files.filter((file) => {\n return !conflicts.includes(file);\n });\n // Let the user choose what to do with the conflicting files\n const { selected, renamed } = await openConflictPicker(destination.path, conflicts, contents);\n logger.debug('Conflict resolution', { uploads, selected, renamed });\n // If the user selected nothing, we cancel the upload\n if (selected.length === 0 && renamed.length === 0) {\n // User skipped\n showInfo(t('files', 'Conflicts resolution skipped'));\n logger.info('User skipped the conflict resolution');\n return [];\n }\n // Update the list of files to upload\n return [...uploads, ...selected, ...renamed];\n }\n catch (error) {\n console.error(error);\n // User cancelled\n showError(t('files', 'Upload cancelled'));\n logger.error('User cancelled the upload');\n }\n return [];\n};\n","\n import API from \"!../../../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../css-loader/dist/cjs.js!./style.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../css-loader/dist/cjs.js!./style.css\";\n export default content && content.locals ? content.locals : undefined;\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport '@nextcloud/dialogs/style.css';\nimport { Permission } from '@nextcloud/files';\nimport PQueue from 'p-queue';\n// This is the processing queue. We only want to allow 3 concurrent requests\nlet queue;\n/**\n * Get the processing queue\n */\nexport const getQueue = () => {\n if (!queue) {\n queue = new PQueue({ concurrency: 3 });\n }\n return queue;\n};\nexport var MoveCopyAction;\n(function (MoveCopyAction) {\n MoveCopyAction[\"MOVE\"] = \"Move\";\n MoveCopyAction[\"COPY\"] = \"Copy\";\n MoveCopyAction[\"MOVE_OR_COPY\"] = \"move-or-copy\";\n})(MoveCopyAction || (MoveCopyAction = {}));\nexport const canMove = (nodes) => {\n const minPermission = nodes.reduce((min, node) => Math.min(min, node.permissions), Permission.ALL);\n return (minPermission & Permission.UPDATE) !== 0;\n};\nexport const canDownload = (nodes) => {\n return nodes.every(node => {\n const shareAttributes = JSON.parse(node.attributes?.['share-attributes'] ?? '[]');\n return !shareAttributes.some(attribute => attribute.scope === 'permissions' && attribute.enabled === false && attribute.key === 'download');\n });\n};\nexport const canCopy = (nodes) => {\n // For now the only restriction is that a shared file\n // cannot be copied if the download is disabled\n return canDownload(nodes);\n};\n","import { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken } from '@nextcloud/auth';\nimport { request } from 'webdav/dist/node/request.js';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl, {\n headers: {\n requesttoken: getRequestToken() || '',\n },\n });\n /**\n * Allow to override the METHOD to support dav REPORT\n *\n * @see https://github.com/perry-mitchell/webdav-client/blob/8d9694613c978ce7404e26a401c39a41f125f87f/source/request.ts\n */\n const patcher = getPatcher();\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n // https://github.com/perry-mitchell/hot-patcher/issues/6\n patcher.patch('request', (options) => {\n if (options.headers?.method) {\n options.method = options.headers.method;\n delete options.headers.method;\n }\n return request(options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nexport const hashCode = function (str) {\n return str.split('').reduce(function (a, b) {\n a = ((a << 5) - a) + b.charCodeAt(0);\n return a & a;\n }, 0);\n};\n","import { CancelablePromise } from 'cancelable-promise';\nimport { File, Folder, davParsePermissions, davGetDefaultPropfind } from '@nextcloud/files';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser } from '@nextcloud/auth';\nimport { getClient, rootPath } from './WebdavClient';\nimport { hashCode } from '../utils/hashUtils';\nimport logger from '../logger';\nconst client = getClient();\nexport const resultToNode = function (node) {\n const userId = getCurrentUser()?.uid;\n if (!userId) {\n throw new Error('No user id found');\n }\n const props = node.props;\n const permissions = davParsePermissions(props?.permissions);\n const owner = (props['owner-id'] || userId).toString();\n const source = generateRemoteUrl('dav' + rootPath + node.filename);\n const id = props?.fileid < 0\n ? hashCode(source)\n : props?.fileid || 0;\n const nodeData = {\n id,\n source,\n mtime: new Date(node.lastmod),\n mime: node.mime || 'application/octet-stream',\n size: props?.size || 0,\n permissions,\n owner,\n root: rootPath,\n attributes: {\n ...node,\n ...props,\n hasPreview: props?.['has-preview'],\n failed: props?.fileid < 0,\n },\n };\n delete nodeData.attributes.props;\n return node.type === 'file'\n ? new File(nodeData)\n : new Folder(nodeData);\n};\nexport const getContents = (path = '/') => {\n const controller = new AbortController();\n const propfindPayload = davGetDefaultPropfind();\n return new CancelablePromise(async (resolve, reject, onCancel) => {\n onCancel(() => controller.abort());\n try {\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n data: propfindPayload,\n includeSelf: true,\n signal: controller.signal,\n });\n const root = contentsResponse.data[0];\n const contents = contentsResponse.data.slice(1);\n if (root.filename !== path) {\n throw new Error('Root node does not match requested path');\n }\n resolve({\n folder: resultToNode(root),\n contents: contents.map(result => {\n try {\n return resultToNode(result);\n }\n catch (error) {\n logger.error(`Invalid node detected '${result.basename}'`, { error });\n return null;\n }\n }).filter(Boolean),\n });\n }\n catch (error) {\n reject(error);\n }\n });\n};\n","/**\n * @copyright Copyright (c) 2021 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { FileType } from '@nextcloud/files';\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n';\nimport { basename, extname } from 'path';\n// TODO: move to @nextcloud/files\n/**\n * Create an unique file name\n * @param name The initial name to use\n * @param otherNames Other names that are already used\n * @param options Optional parameters for tuning the behavior\n * @param options.suffix A function that takes an index and returns a suffix to add to the file name, defaults to '(index)'\n * @param options.ignoreFileExtension Set to true to ignore the file extension when adding the suffix (when getting a unique directory name)\n * @return Either the initial name, if unique, or the name with the suffix so that the name is unique\n */\nexport const getUniqueName = (name, otherNames, options = {}) => {\n const opts = {\n suffix: (n) => `(${n})`,\n ignoreFileExtension: false,\n ...options,\n };\n let newName = name;\n let i = 1;\n while (otherNames.includes(newName)) {\n const ext = opts.ignoreFileExtension ? '' : extname(name);\n const base = basename(name, ext);\n newName = `${base} ${opts.suffix(i++)}${ext}`;\n }\n return newName;\n};\nexport const encodeFilePath = function (path) {\n const pathSections = (path.startsWith('/') ? path : `/${path}`).split('/');\n let relativePath = '';\n pathSections.forEach((section) => {\n if (section !== '') {\n relativePath += '/' + encodeURIComponent(section);\n }\n });\n return relativePath;\n};\n/**\n * Extract dir and name from file path\n *\n * @param {string} path the full path\n * @return {string[]} [dirPath, fileName]\n */\nexport const extractFilePaths = function (path) {\n const pathSections = path.split('/');\n const fileName = pathSections[pathSections.length - 1];\n const dirPath = pathSections.slice(0, pathSections.length - 1).join('/');\n return [dirPath, fileName];\n};\n/**\n * Generate a translated summary of an array of nodes\n * @param {Node[]} nodes the nodes to summarize\n * @return {string}\n */\nexport const getSummaryFor = (nodes) => {\n const fileCount = nodes.filter(node => node.type === FileType.File).length;\n const folderCount = nodes.filter(node => node.type === FileType.Folder).length;\n if (fileCount === 0) {\n return n('files', '{folderCount} folder', '{folderCount} folders', folderCount, { folderCount });\n }\n else if (folderCount === 0) {\n return n('files', '{fileCount} file', '{fileCount} files', fileCount, { fileCount });\n }\n if (fileCount === 1) {\n return n('files', '1 file and {folderCount} folder', '1 file and {folderCount} folders', folderCount, { folderCount });\n }\n if (folderCount === 1) {\n return n('files', '{fileCount} file and 1 folder', '{fileCount} files and 1 folder', fileCount, { fileCount });\n }\n return t('files', '{fileCount} files and {folderCount} folders', { fileCount, folderCount });\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport '@nextcloud/dialogs/style.css';\n// eslint-disable-next-line n/no-extraneous-import\nimport { AxiosError } from 'axios';\nimport { basename, join } from 'path';\nimport { emit } from '@nextcloud/event-bus';\nimport { FilePickerClosed, getFilePickerBuilder, showError } from '@nextcloud/dialogs';\nimport { Permission, FileAction, FileType, NodeStatus, davGetClient, davRootPath, davResultToNode, davGetDefaultPropfind } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport { openConflictPicker, hasConflict } from '@nextcloud/upload';\nimport Vue from 'vue';\nimport CopyIconSvg from '@mdi/svg/svg/folder-multiple.svg?raw';\nimport FolderMoveSvg from '@mdi/svg/svg/folder-move.svg?raw';\nimport { MoveCopyAction, canCopy, canMove, getQueue } from './moveOrCopyActionUtils';\nimport { getContents } from '../services/Files';\nimport logger from '../logger';\nimport { getUniqueName } from '../utils/fileUtils';\n/**\n * Return the action that is possible for the given nodes\n * @param {Node[]} nodes The nodes to check against\n * @return {MoveCopyAction} The action that is possible for the given nodes\n */\nconst getActionForNodes = (nodes) => {\n if (canMove(nodes)) {\n if (canCopy(nodes)) {\n return MoveCopyAction.MOVE_OR_COPY;\n }\n return MoveCopyAction.MOVE;\n }\n // Assuming we can copy as the enabled checks for copy permissions\n return MoveCopyAction.COPY;\n};\n/**\n * Handle the copy/move of a node to a destination\n * This can be imported and used by other scripts/components on server\n * @param {Node} node The node to copy/move\n * @param {Folder} destination The destination to copy/move the node to\n * @param {MoveCopyAction} method The method to use for the copy/move\n * @param {boolean} overwrite Whether to overwrite the destination if it exists\n * @return {Promise<void>} A promise that resolves when the copy/move is done\n */\nexport const handleCopyMoveNodeTo = async (node, destination, method, overwrite = false) => {\n if (!destination) {\n return;\n }\n if (destination.type !== FileType.Folder) {\n throw new Error(t('files', 'Destination is not a folder'));\n }\n // Do not allow to MOVE a node to the same folder it is already located\n if (method === MoveCopyAction.MOVE && node.dirname === destination.path) {\n throw new Error(t('files', 'This file/folder is already in that directory'));\n }\n /**\n * Example:\n * - node: /foo/bar/file.txt -> path = /foo/bar/file.txt, destination: /foo\n * Allow move of /foo does not start with /foo/bar/file.txt so allow\n * - node: /foo , destination: /foo/bar\n * Do not allow as it would copy foo within itself\n * - node: /foo/bar.txt, destination: /foo\n * Allow copy a file to the same directory\n * - node: \"/foo/bar\", destination: \"/foo/bar 1\"\n * Allow to move or copy but we need to check with trailing / otherwise it would report false positive\n */\n if (`${destination.path}/`.startsWith(`${node.path}/`)) {\n throw new Error(t('files', 'You cannot move a file/folder onto itself or into a subfolder of itself'));\n }\n // Set loading state\n Vue.set(node, 'status', NodeStatus.LOADING);\n const queue = getQueue();\n return await queue.add(async () => {\n const copySuffix = (index) => {\n if (index === 1) {\n return t('files', '(copy)'); // TRANSLATORS: Mark a file as a copy of another file\n }\n return t('files', '(copy %n)', undefined, index); // TRANSLATORS: Meaning it is the n'th copy of a file\n };\n try {\n const client = davGetClient();\n const currentPath = join(davRootPath, node.path);\n const destinationPath = join(davRootPath, destination.path);\n if (method === MoveCopyAction.COPY) {\n let target = node.basename;\n // If we do not allow overwriting then find an unique name\n if (!overwrite) {\n const otherNodes = await client.getDirectoryContents(destinationPath);\n target = getUniqueName(node.basename, otherNodes.map((n) => n.basename), {\n suffix: copySuffix,\n ignoreFileExtension: node.type === FileType.Folder,\n });\n }\n await client.copyFile(currentPath, join(destinationPath, target));\n // If the node is copied into current directory the view needs to be updated\n if (node.dirname === destination.path) {\n const { data } = await client.stat(join(destinationPath, target), {\n details: true,\n data: davGetDefaultPropfind(),\n });\n emit('files:node:created', davResultToNode(data));\n }\n }\n else {\n // show conflict file popup if we do not allow overwriting\n const otherNodes = await getContents(destination.path);\n if (hasConflict([node], otherNodes.contents)) {\n try {\n // Let the user choose what to do with the conflicting files\n const { selected, renamed } = await openConflictPicker(destination.path, [node], otherNodes.contents);\n // if the user selected to keep the old file, and did not select the new file\n // that means they opted to delete the current node\n if (!selected.length && !renamed.length) {\n await client.deleteFile(currentPath);\n emit('files:node:deleted', node);\n return;\n }\n }\n catch (error) {\n // User cancelled\n showError(t('files', 'Move cancelled'));\n return;\n }\n }\n // getting here means either no conflict, file was renamed to keep both files\n // in a conflict, or the selected file was chosen to be kept during the conflict\n await client.moveFile(currentPath, join(destinationPath, node.basename));\n // Delete the node as it will be fetched again\n // when navigating to the destination folder\n emit('files:node:deleted', node);\n }\n }\n catch (error) {\n if (error instanceof AxiosError) {\n if (error?.response?.status === 412) {\n throw new Error(t('files', 'A file or folder with that name already exists in this folder'));\n }\n else if (error?.response?.status === 423) {\n throw new Error(t('files', 'The files is locked'));\n }\n else if (error?.response?.status === 404) {\n throw new Error(t('files', 'The file does not exist anymore'));\n }\n else if (error.message) {\n throw new Error(error.message);\n }\n }\n logger.debug(error);\n throw new Error();\n }\n finally {\n Vue.set(node, 'status', undefined);\n }\n });\n};\n/**\n * Open a file picker for the given action\n * @param {MoveCopyAction} action The action to open the file picker for\n * @param {string} dir The directory to start the file picker in\n * @param {Node[]} nodes The nodes to move/copy\n * @return {Promise<MoveCopyResult>} The picked destination\n */\nconst openFilePickerForAction = async (action, dir = '/', nodes) => {\n const fileIDs = nodes.map(node => node.fileid).filter(Boolean);\n const filePicker = getFilePickerBuilder(t('files', 'Choose destination'))\n .allowDirectories(true)\n .setFilter((n) => {\n // We only want to show folders that we can create nodes in\n return (n.permissions & Permission.CREATE) !== 0\n // We don't want to show the current nodes in the file picker\n && !fileIDs.includes(n.fileid);\n })\n .setMimeTypeFilter([])\n .setMultiSelect(false)\n .startAt(dir);\n return new Promise((resolve, reject) => {\n filePicker.setButtonFactory((_selection, path) => {\n const buttons = [];\n const target = basename(path);\n const dirnames = nodes.map(node => node.dirname);\n const paths = nodes.map(node => node.path);\n if (action === MoveCopyAction.COPY || action === MoveCopyAction.MOVE_OR_COPY) {\n buttons.push({\n label: target ? t('files', 'Copy to {target}', { target }, undefined, { escape: false, sanitize: false }) : t('files', 'Copy'),\n type: 'primary',\n icon: CopyIconSvg,\n async callback(destination) {\n resolve({\n destination: destination[0],\n action: MoveCopyAction.COPY,\n });\n },\n });\n }\n // Invalid MOVE targets (but valid copy targets)\n if (dirnames.includes(path)) {\n // This file/folder is already in that directory\n return buttons;\n }\n if (paths.includes(path)) {\n // You cannot move a file/folder onto itself\n return buttons;\n }\n if (action === MoveCopyAction.MOVE || action === MoveCopyAction.MOVE_OR_COPY) {\n buttons.push({\n label: target ? t('files', 'Move to {target}', { target }, undefined, { escape: false, sanitize: false }) : t('files', 'Move'),\n type: action === MoveCopyAction.MOVE ? 'primary' : 'secondary',\n icon: FolderMoveSvg,\n async callback(destination) {\n resolve({\n destination: destination[0],\n action: MoveCopyAction.MOVE,\n });\n },\n });\n }\n return buttons;\n });\n const picker = filePicker.build();\n picker.pick().catch((error) => {\n logger.debug(error);\n if (error instanceof FilePickerClosed) {\n reject(new Error(t('files', 'Cancelled move or copy operation')));\n }\n else {\n reject(new Error(t('files', 'Move or copy operation failed')));\n }\n });\n });\n};\nexport const action = new FileAction({\n id: 'move-copy',\n displayName(nodes) {\n switch (getActionForNodes(nodes)) {\n case MoveCopyAction.MOVE:\n return t('files', 'Move');\n case MoveCopyAction.COPY:\n return t('files', 'Copy');\n case MoveCopyAction.MOVE_OR_COPY:\n return t('files', 'Move or copy');\n }\n },\n iconSvgInline: () => FolderMoveSvg,\n enabled(nodes) {\n // We only support moving/copying files within the user folder\n if (!nodes.every(node => node.root?.startsWith('/files/'))) {\n return false;\n }\n return nodes.length > 0 && (canMove(nodes) || canCopy(nodes));\n },\n async exec(node, view, dir) {\n const action = getActionForNodes([node]);\n let result;\n try {\n result = await openFilePickerForAction(action, dir, [node]);\n }\n catch (e) {\n logger.error(e);\n return false;\n }\n try {\n await handleCopyMoveNodeTo(node, result.destination, result.action);\n return true;\n }\n catch (error) {\n if (error instanceof Error && !!error.message) {\n showError(error.message);\n // Silent action as we handle the toast\n return null;\n }\n return false;\n }\n },\n async execBatch(nodes, view, dir) {\n const action = getActionForNodes(nodes);\n const result = await openFilePickerForAction(action, dir, nodes);\n const promises = nodes.map(async (node) => {\n try {\n await handleCopyMoveNodeTo(node, result.destination, result.action);\n return true;\n }\n catch (error) {\n logger.error(`Failed to ${result.action} node`, { node, error });\n return false;\n }\n });\n // We need to keep the selection on error!\n // So we do not return null, and for batch action\n // we let the front handle the error.\n return await Promise.all(promises);\n },\n order: 15,\n});\n","/**\n * @copyright Copyright (c) 2023 Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { Folder, Node, NodeStatus, davRootPath } from '@nextcloud/files';\nimport { getUploader, hasConflict } from '@nextcloud/upload';\nimport { join } from 'path';\nimport { joinPaths } from '@nextcloud/paths';\nimport { showError, showInfo, showSuccess, showWarning } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport Vue from 'vue';\nimport { Directory, traverseTree, resolveConflict, createDirectoryIfNotExists } from './DropServiceUtils';\nimport { handleCopyMoveNodeTo } from '../actions/moveOrCopyAction';\nimport { MoveCopyAction } from '../actions/moveOrCopyActionUtils';\nimport logger from '../logger.js';\n/**\n * This function converts a list of DataTransferItems to a file tree.\n * It uses the Filesystem API if available, otherwise it falls back to the File API.\n * The File API will NOT be available if the browser is not in a secure context (e.g. HTTP).\n * ⚠️ When using this method, you need to use it as fast as possible, as the DataTransferItems\n * will be cleared after the first access to the props of one of the entries.\n *\n * @param items the list of DataTransferItems\n */\nexport const dataTransferToFileTree = async (items) => {\n // Check if the browser supports the Filesystem API\n // We need to cache the entries to prevent Blink engine bug that clears\n // the list (`data.items`) after first access props of one of the entries\n const entries = items\n .filter((item) => {\n if (item.kind !== 'file') {\n logger.debug('Skipping dropped item', { kind: item.kind, type: item.type });\n return false;\n }\n return true;\n }).map((item) => {\n // MDN recommends to try both, as it might be renamed in the future\n return item?.getAsEntry?.()\n ?? item?.webkitGetAsEntry?.()\n ?? item;\n });\n let warned = false;\n const fileTree = new Directory('root');\n // Traverse the file tree\n for (const entry of entries) {\n // Handle browser issues if Filesystem API is not available. Fallback to File API\n if (entry instanceof DataTransferItem) {\n logger.warn('Could not get FilesystemEntry of item, falling back to file');\n const file = entry.getAsFile();\n if (file === null) {\n logger.warn('Could not process DataTransferItem', { type: entry.type, kind: entry.kind });\n showError(t('files', 'One of the dropped files could not be processed'));\n continue;\n }\n // Warn the user that the browser does not support the Filesystem API\n // we therefore cannot upload directories recursively.\n if (file.type === 'httpd/unix-directory' || !file.type) {\n if (!warned) {\n logger.warn('Browser does not support Filesystem API. Directories will not be uploaded');\n showWarning(t('files', 'Your browser does not support the Filesystem API. Directories will not be uploaded'));\n warned = true;\n }\n continue;\n }\n fileTree.contents.push(file);\n continue;\n }\n // Use Filesystem API\n try {\n fileTree.contents.push(await traverseTree(entry));\n }\n catch (error) {\n // Do not throw, as we want to continue with the other files\n logger.error('Error while traversing file tree', { error });\n }\n }\n return fileTree;\n};\nexport const onDropExternalFiles = async (root, destination, contents) => {\n const uploader = getUploader();\n // Check for conflicts on root elements\n if (await hasConflict(root.contents, contents)) {\n root.contents = await resolveConflict(root.contents, destination, contents);\n }\n if (root.contents.length === 0) {\n logger.info('No files to upload', { root });\n showInfo(t('files', 'No files to upload'));\n return [];\n }\n // Let's process the files\n logger.debug(`Uploading files to ${destination.path}`, { root, contents: root.contents });\n const queue = [];\n const uploadDirectoryContents = async (directory, path) => {\n for (const file of directory.contents) {\n // This is the relative path to the resource\n // from the current uploader destination\n const relativePath = join(path, file.name);\n // If the file is a directory, we need to create it first\n // then browse its tree and upload its contents.\n if (file instanceof Directory) {\n const absolutePath = joinPaths(davRootPath, destination.path, relativePath);\n try {\n console.debug('Processing directory', { relativePath });\n await createDirectoryIfNotExists(absolutePath);\n await uploadDirectoryContents(file, relativePath);\n }\n catch (error) {\n showError(t('files', 'Unable to create the directory {directory}', { directory: file.name }));\n logger.error('', { error, absolutePath, directory: file });\n }\n continue;\n }\n // If we've reached a file, we can upload it\n logger.debug('Uploading file to ' + join(destination.path, relativePath), { file });\n // Overriding the root to avoid changing the current uploader context\n queue.push(uploader.upload(relativePath, file, destination.source));\n }\n };\n // Pause the uploader to prevent it from starting\n // while we compute the queue\n uploader.pause();\n // Upload the files. Using '/' as the starting point\n // as we already adjusted the uploader destination\n await uploadDirectoryContents(root, '/');\n uploader.start();\n // Wait for all promises to settle\n const results = await Promise.allSettled(queue);\n // Check for errors\n const errors = results.filter(result => result.status === 'rejected');\n if (errors.length > 0) {\n logger.error('Error while uploading files', { errors });\n showError(t('files', 'Some files could not be uploaded'));\n return [];\n }\n logger.debug('Files uploaded successfully');\n showSuccess(t('files', 'Files uploaded successfully'));\n return Promise.all(queue);\n};\nexport const onDropInternalFiles = async (nodes, destination, contents, isCopy = false) => {\n const queue = [];\n // Check for conflicts on root elements\n if (await hasConflict(nodes, contents)) {\n nodes = await resolveConflict(nodes, destination, contents);\n }\n if (nodes.length === 0) {\n logger.info('No files to process', { nodes });\n showInfo(t('files', 'No files to process'));\n return;\n }\n for (const node of nodes) {\n Vue.set(node, 'status', NodeStatus.LOADING);\n // TODO: resolve potential conflicts prior and force overwrite\n queue.push(handleCopyMoveNodeTo(node, destination, isCopy ? MoveCopyAction.COPY : MoveCopyAction.MOVE));\n }\n // Wait for all promises to settle\n const results = await Promise.allSettled(queue);\n nodes.forEach(node => Vue.set(node, 'status', undefined));\n // Check for errors\n const errors = results.filter(result => result.status === 'rejected');\n if (errors.length > 0) {\n logger.error('Error while copying or moving files', { errors });\n showError(isCopy ? t('files', 'Some files could not be copied') : t('files', 'Some files could not be moved'));\n return;\n }\n logger.debug('Files copy/move successful');\n showSuccess(isCopy ? t('files', 'Files copied successfully') : t('files', 'Files moved successfully'));\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\nexport const useDragAndDropStore = defineStore('dragging', {\n state: () => ({\n dragging: [],\n }),\n actions: {\n /**\n * Set the selection of fileIds\n */\n set(selection = []) {\n Vue.set(this, 'dragging', selection);\n },\n /**\n * Reset the selection\n */\n reset() {\n Vue.set(this, 'dragging', []);\n },\n },\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport Vue from 'vue';\nexport default Vue.extend({\n data() {\n return {\n filesListWidth: null,\n };\n },\n mounted() {\n const fileListEl = document.querySelector('#app-content-vue');\n this.filesListWidth = fileListEl?.clientWidth ?? null;\n this.$resizeObserver = new ResizeObserver((entries) => {\n if (entries.length > 0 && entries[0].target === fileListEl) {\n this.filesListWidth = entries[0].contentRect.width;\n }\n });\n this.$resizeObserver.observe(fileListEl);\n },\n beforeDestroy() {\n this.$resizeObserver.disconnect();\n },\n});\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcBreadcrumbs',{staticClass:\"files-list__breadcrumbs\",class:{ 'files-list__breadcrumbs--with-progress': _vm.wrapUploadProgressBar },attrs:{\"data-cy-files-content-breadcrumbs\":\"\",\"aria-label\":_vm.t('files', 'Current directory path')},scopedSlots:_vm._u([{key:\"actions\",fn:function(){return [_vm._t(\"actions\")]},proxy:true}],null,true)},_vm._l((_vm.sections),function(section,index){return _c('NcBreadcrumb',_vm._b({key:section.dir,attrs:{\"dir\":\"auto\",\"to\":section.to,\"force-icon-text\":index === 0 && _vm.filesListWidth >= 486,\"title\":_vm.titleForSection(index, section),\"aria-description\":_vm.ariaForSection(section)},on:{\"drop\":function($event){return _vm.onDrop($event, section.dir)}},nativeOn:{\"click\":function($event){return _vm.onClick(section.to)},\"dragover\":function($event){return _vm.onDragOver($event, section.dir)}},scopedSlots:_vm._u([(index === 0)?{key:\"icon\",fn:function(){return [_c('NcIconSvgWrapper',{attrs:{\"size\":20,\"svg\":_vm.viewIcon}})]},proxy:true}:null],null,true)},'NcBreadcrumb',section,false))}),1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./BreadCrumbs.vue?vue&type=template&id=740bb6f2&scoped=true\"\nimport script from \"./BreadCrumbs.vue?vue&type=script&lang=ts\"\nexport * from \"./BreadCrumbs.vue?vue&type=script&lang=ts\"\nimport style0 from \"./BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"740bb6f2\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('VirtualList',{ref:\"table\",attrs:{\"data-component\":_vm.userConfig.grid_view ? _vm.FileEntryGrid : _vm.FileEntry,\"data-key\":'source',\"data-sources\":_vm.nodes,\"grid-mode\":_vm.userConfig.grid_view,\"extra-props\":{\n\t\tisMtimeAvailable: _vm.isMtimeAvailable,\n\t\tisSizeAvailable: _vm.isSizeAvailable,\n\t\tnodes: _vm.nodes,\n\t\tfilesListWidth: _vm.filesListWidth,\n\t},\"scroll-to-index\":_vm.scrollToIndex,\"caption\":_vm.caption},scopedSlots:_vm._u([(!_vm.isNoneSelected)?{key:\"header-overlay\",fn:function(){return [_c('FilesListTableHeaderActions',{attrs:{\"current-view\":_vm.currentView,\"selected-nodes\":_vm.selectedNodes}})]},proxy:true}:null,{key:\"before\",fn:function(){return _vm._l((_vm.sortedHeaders),function(header){return _c('FilesListHeader',{key:header.id,attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"header\":header}})})},proxy:true},{key:\"header\",fn:function(){return [_c('FilesListTableHeader',{ref:\"thead\",attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes}})]},proxy:true},{key:\"footer\",fn:function(){return [_c('FilesListTableFooter',{attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes,\"summary\":_vm.summary}})]},proxy:true}],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nexport const useActionsMenuStore = defineStore('actionsmenu', {\n state: () => ({\n opened: null,\n }),\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nexport const useRenamingStore = function (...args) {\n const store = defineStore('renaming', {\n state: () => ({\n renamingNode: undefined,\n newName: '',\n }),\n });\n const renamingStore = store(...args);\n // Make sure we only register the listeners once\n if (!renamingStore._initialized) {\n subscribe('files:node:rename', function (node) {\n renamingStore.renamingNode = node;\n renamingStore.newName = node.basename;\n });\n renamingStore._initialized = true;\n }\n return renamingStore;\n};\n","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon file-multiple-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M15,7H20.5L15,1.5V7M8,0H16L22,6V18A2,2 0 0,1 20,20H8C6.89,20 6,19.1 6,18V2A2,2 0 0,1 8,0M4,4V22H20V24H4A2,2 0 0,1 2,22V4H4Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FileMultipleIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./FileMultiple.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./FileMultiple.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./FileMultiple.vue?vue&type=template&id=27b46e04\"\nimport script from \"./FileMultiple.vue?vue&type=script&lang=js\"\nexport * from \"./FileMultiple.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon file-multiple-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M15,7H20.5L15,1.5V7M8,0H16L22,6V18A2,2 0 0,1 20,20H8C6.89,20 6,19.1 6,18V2A2,2 0 0,1 8,0M4,4V22H20V24H4A2,2 0 0,1 2,22V4H4Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Folder.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Folder.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon folder-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FolderIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Folder.vue?vue&type=template&id=07f089a4\"\nimport script from \"./Folder.vue?vue&type=script&lang=js\"\nexport * from \"./Folder.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon folder-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{staticClass:\"files-list-drag-image\"},[_c('span',{staticClass:\"files-list-drag-image__icon\"},[_c('span',{ref:\"previewImg\"}),_vm._v(\" \"),(_vm.isSingleFolder)?_c('FolderIcon'):_c('FileMultipleIcon')],1),_vm._v(\" \"),_c('span',{staticClass:\"files-list-drag-image__name\"},[_vm._v(_vm._s(_vm.name))])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./DragAndDropPreview.vue?vue&type=template&id=578d5cf6\"\nimport script from \"./DragAndDropPreview.vue?vue&type=script&lang=ts\"\nexport * from \"./DragAndDropPreview.vue?vue&type=script&lang=ts\"\nimport style0 from \"./DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import DragAndDropPreview from '../components/DragAndDropPreview.vue';\nimport Vue from 'vue';\nconst Preview = Vue.extend(DragAndDropPreview);\nlet preview;\nexport const getDragAndDropPreview = async (nodes) => {\n return new Promise((resolve) => {\n if (!preview) {\n preview = new Preview().$mount();\n document.body.appendChild(preview.$el);\n }\n preview.update(nodes);\n preview.$on('loaded', () => {\n resolve(preview.$el);\n preview.$off('loaded');\n });\n });\n};\n","/**\n * @copyright Copyright (c) 2024 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { extname } from 'path';\nimport { FileType, Permission, Folder, File as NcFile, NodeStatus, Node, View } from '@nextcloud/files';\nimport { generateUrl } from '@nextcloud/router';\nimport { translate as t } from '@nextcloud/l10n';\nimport { vOnClickOutside } from '@vueuse/components';\nimport Vue, { defineComponent } from 'vue';\nimport { action as sidebarAction } from '../actions/sidebarAction.ts';\nimport { getDragAndDropPreview } from '../utils/dragUtils.ts';\nimport { hashCode } from '../utils/hashUtils.ts';\nimport { dataTransferToFileTree, onDropExternalFiles, onDropInternalFiles } from '../services/DropService.ts';\nimport logger from '../logger.js';\nimport { showError } from '@nextcloud/dialogs';\nVue.directive('onClickOutside', vOnClickOutside);\nexport default defineComponent({\n props: {\n source: {\n type: [Folder, NcFile, Node],\n required: true,\n },\n nodes: {\n type: Array,\n required: true,\n },\n filesListWidth: {\n type: Number,\n default: 0,\n },\n },\n data() {\n return {\n loading: '',\n dragover: false,\n gridMode: false,\n };\n },\n computed: {\n currentView() {\n return this.$navigation.active;\n },\n currentDir() {\n // Remove any trailing slash but leave root slash\n return (this.$route?.query?.dir?.toString() || '/').replace(/^(.+)\\/$/, '$1');\n },\n currentFileId() {\n return this.$route.params?.fileid || this.$route.query?.fileid || null;\n },\n fileid() {\n return this.source?.fileid;\n },\n uniqueId() {\n return hashCode(this.source.source);\n },\n isLoading() {\n return this.source.status === NodeStatus.LOADING;\n },\n extension() {\n if (this.source.attributes?.displayName) {\n return extname(this.source.attributes.displayName);\n }\n return this.source.extension || '';\n },\n displayName() {\n const ext = this.extension;\n const name = (this.source.attributes.displayName\n || this.source.basename);\n // Strip extension from name if defined\n return !ext ? name : name.slice(0, 0 - ext.length);\n },\n draggingFiles() {\n return this.draggingStore.dragging;\n },\n selectedFiles() {\n return this.selectionStore.selected;\n },\n isSelected() {\n return this.fileid && this.selectedFiles.includes(this.fileid);\n },\n isRenaming() {\n return this.renamingStore.renamingNode === this.source;\n },\n isRenamingSmallScreen() {\n return this.isRenaming && this.filesListWidth < 512;\n },\n isActive() {\n return this.fileid?.toString?.() === this.currentFileId?.toString?.();\n },\n canDrag() {\n if (this.isRenaming) {\n return false;\n }\n const canDrag = (node) => {\n return (node?.permissions & Permission.UPDATE) !== 0;\n };\n // If we're dragging a selection, we need to check all files\n if (this.selectedFiles.length > 0) {\n const nodes = this.selectedFiles.map(fileid => this.filesStore.getNode(fileid));\n return nodes.every(canDrag);\n }\n return canDrag(this.source);\n },\n canDrop() {\n if (this.source.type !== FileType.Folder) {\n return false;\n }\n // If the current folder is also being dragged, we can't drop it on itself\n if (this.fileid && this.draggingFiles.includes(this.fileid)) {\n return false;\n }\n return (this.source.permissions & Permission.CREATE) !== 0;\n },\n openedMenu: {\n get() {\n return this.actionsMenuStore.opened === this.uniqueId.toString();\n },\n set(opened) {\n // Only reset when opening a new menu\n if (opened) {\n // Reset any right click position override on close\n // Wait for css animation to be done\n const root = this.$el?.closest('main.app-content');\n root.style.removeProperty('--mouse-pos-x');\n root.style.removeProperty('--mouse-pos-y');\n }\n this.actionsMenuStore.opened = opened ? this.uniqueId.toString() : null;\n },\n },\n },\n watch: {\n /**\n * When the source changes, reset the preview\n * and fetch the new one.\n */\n source(a, b) {\n if (a.source !== b.source) {\n this.resetState();\n }\n },\n },\n beforeDestroy() {\n this.resetState();\n },\n methods: {\n resetState() {\n // Reset loading state\n this.loading = '';\n // Reset the preview state\n this.$refs?.preview?.reset?.();\n // Close menu\n this.openedMenu = false;\n },\n // Open the actions menu on right click\n onRightClick(event) {\n // If already opened, fallback to default browser\n if (this.openedMenu) {\n return;\n }\n // The grid mode is compact enough to not care about\n // the actions menu mouse position\n if (!this.gridMode) {\n // Actions menu is contained within the app content\n const root = this.$el?.closest('main.app-content');\n const contentRect = root.getBoundingClientRect();\n // Using Math.min/max to prevent the menu from going out of the AppContent\n // 200 = max width of the menu\n root.style.setProperty('--mouse-pos-x', Math.max(0, event.clientX - contentRect.left - 200) + 'px');\n root.style.setProperty('--mouse-pos-y', Math.max(0, event.clientY - contentRect.top) + 'px');\n }\n // If the clicked row is in the selection, open global menu\n const isMoreThanOneSelected = this.selectedFiles.length > 1;\n this.actionsMenuStore.opened = this.isSelected && isMoreThanOneSelected ? 'global' : this.uniqueId.toString();\n // Prevent any browser defaults\n event.preventDefault();\n event.stopPropagation();\n },\n execDefaultAction(event) {\n if (event.ctrlKey || event.metaKey) {\n event.preventDefault();\n window.open(generateUrl('/f/{fileId}', { fileId: this.fileid }));\n return false;\n }\n this.$refs.actions.execDefaultAction(event);\n },\n openDetailsIfAvailable(event) {\n event.preventDefault();\n event.stopPropagation();\n if (sidebarAction?.enabled?.([this.source], this.currentView)) {\n sidebarAction.exec(this.source, this.currentView, this.currentDir);\n }\n },\n onDragOver(event) {\n this.dragover = this.canDrop;\n if (!this.canDrop) {\n event.dataTransfer.dropEffect = 'none';\n return;\n }\n // Handle copy/move drag and drop\n if (event.ctrlKey) {\n event.dataTransfer.dropEffect = 'copy';\n }\n else {\n event.dataTransfer.dropEffect = 'move';\n }\n },\n onDragLeave(event) {\n // Counter bubbling, make sure we're ending the drag\n // only when we're leaving the current element\n const currentTarget = event.currentTarget;\n if (currentTarget?.contains(event.relatedTarget)) {\n return;\n }\n this.dragover = false;\n },\n async onDragStart(event) {\n event.stopPropagation();\n if (!this.canDrag || !this.fileid) {\n event.preventDefault();\n event.stopPropagation();\n return;\n }\n logger.debug('Drag started', { event });\n // Make sure that we're not dragging a file like the preview\n event.dataTransfer?.clearData?.();\n // Reset any renaming\n this.renamingStore.$reset();\n // Dragging set of files, if we're dragging a file\n // that is already selected, we use the entire selection\n if (this.selectedFiles.includes(this.fileid)) {\n this.draggingStore.set(this.selectedFiles);\n }\n else {\n this.draggingStore.set([this.fileid]);\n }\n const nodes = this.draggingStore.dragging\n .map(fileid => this.filesStore.getNode(fileid));\n const image = await getDragAndDropPreview(nodes);\n event.dataTransfer?.setDragImage(image, -10, -10);\n },\n onDragEnd() {\n this.draggingStore.reset();\n this.dragover = false;\n logger.debug('Drag ended');\n },\n async onDrop(event) {\n // skip if native drop like text drag and drop from files names\n if (!this.draggingFiles && !event.dataTransfer?.items?.length) {\n return;\n }\n event.preventDefault();\n event.stopPropagation();\n // Caching the selection\n const selection = this.draggingFiles;\n const items = [...event.dataTransfer?.items || []];\n // We need to process the dataTransfer ASAP before the\n // browser clears it. This is why we cache the items too.\n const fileTree = await dataTransferToFileTree(items);\n // We might not have the target directory fetched yet\n const contents = await this.currentView?.getContents(this.source.path);\n const folder = contents?.folder;\n if (!folder) {\n showError(this.t('files', 'Target folder does not exist any more'));\n return;\n }\n // If another button is pressed, cancel it. This\n // allows cancelling the drag with the right click.\n if (!this.canDrop || event.button) {\n return;\n }\n const isCopy = event.ctrlKey;\n this.dragover = false;\n logger.debug('Dropped', { event, folder, selection, fileTree });\n // Check whether we're uploading files\n if (fileTree.contents.length > 0) {\n await onDropExternalFiles(fileTree, folder, contents.contents);\n return;\n }\n // Else we're moving/copying files\n const nodes = selection.map(fileid => this.filesStore.getNode(fileid));\n await onDropInternalFiles(nodes, folder, contents.contents, isCopy);\n // Reset selection after we dropped the files\n // if the dropped files are within the selection\n if (selection.some(fileid => this.selectedFiles.includes(fileid))) {\n logger.debug('Dropped selection, resetting select store...');\n this.selectionStore.reset();\n }\n },\n t,\n },\n});\n","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span')\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomElementRender.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomElementRender.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./CustomElementRender.vue?vue&type=template&id=08a118c6\"\nimport script from \"./CustomElementRender.vue?vue&type=script&lang=ts\"\nexport * from \"./CustomElementRender.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ArrowLeft.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ArrowLeft.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon arrow-left-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M20,11V13H8L13.5,18.5L12.08,19.92L4.16,12L12.08,4.08L13.5,5.5L8,11H20Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ArrowLeftIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./ArrowLeft.vue?vue&type=template&id=214c9a86\"\nimport script from \"./ArrowLeft.vue?vue&type=script&lang=js\"\nexport * from \"./ArrowLeft.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon arrow-left-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M20,11V13H8L13.5,18.5L12.08,19.92L4.16,12L12.08,4.08L13.5,5.5L8,11H20Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('td',{staticClass:\"files-list__row-actions\",attrs:{\"data-cy-files-list-row-actions\":\"\"}},[_vm._l((_vm.enabledRenderActions),function(action){return _c('CustomElementRender',{key:action.id,staticClass:\"files-list__row-action--inline\",class:'files-list__row-action-' + action.id,attrs:{\"current-view\":_vm.currentView,\"render\":action.renderInline,\"source\":_vm.source}})}),_vm._v(\" \"),_c('NcActions',{ref:\"actionsMenu\",attrs:{\"boundaries-element\":_vm.getBoundariesElement,\"container\":_vm.getBoundariesElement,\"force-name\":true,\"type\":\"tertiary\",\"force-menu\":_vm.enabledInlineActions.length === 0 /* forceMenu only if no inline actions */,\"inline\":_vm.enabledInlineActions.length,\"open\":_vm.openedMenu},on:{\"update:open\":function($event){_vm.openedMenu=$event},\"close\":function($event){_vm.openedSubmenu = null}}},[_vm._l((_vm.enabledMenuActions),function(action){return _c('NcActionButton',{key:action.id,ref:`action-${action.id}`,refInFor:true,class:{\n\t\t\t\t[`files-list__row-action-${action.id}`]: true,\n\t\t\t\t[`files-list__row-action--menu`]: _vm.isMenu(action.id)\n\t\t\t},attrs:{\"close-after-click\":!_vm.isMenu(action.id),\"data-cy-files-list-row-action\":action.id,\"is-menu\":_vm.isMenu(action.id),\"title\":action.title?.([_vm.source], _vm.currentView)},on:{\"click\":function($event){return _vm.onActionClick(action)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.loading === action.id)?_c('NcLoadingIcon',{attrs:{\"size\":18}}):_c('NcIconSvgWrapper',{attrs:{\"svg\":action.iconSvgInline([_vm.source], _vm.currentView)}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.mountType === 'shared' && action.id === 'sharing-status' ? '' : _vm.actionDisplayName(action))+\"\\n\\t\\t\")])}),_vm._v(\" \"),(_vm.openedSubmenu && _vm.enabledSubmenuActions[_vm.openedSubmenu?.id])?[_c('NcActionButton',{staticClass:\"files-list__row-action-back\",on:{\"click\":function($event){return _vm.onBackToMenuClick(_vm.openedSubmenu)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('ArrowLeftIcon')]},proxy:true}],null,false,3001860362)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.actionDisplayName(_vm.openedSubmenu))+\"\\n\\t\\t\\t\")]),_vm._v(\" \"),_c('NcActionSeparator'),_vm._v(\" \"),_vm._l((_vm.enabledSubmenuActions[_vm.openedSubmenu?.id]),function(action){return _c('NcActionButton',{key:action.id,staticClass:\"files-list__row-action--submenu\",class:`files-list__row-action-${action.id}`,attrs:{\"close-after-click\":false /* never close submenu, just go back */,\"data-cy-files-list-row-action\":action.id,\"title\":action.title?.([_vm.source], _vm.currentView)},on:{\"click\":function($event){return _vm.onActionClick(action)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.loading === action.id)?_c('NcLoadingIcon',{attrs:{\"size\":18}}):_c('NcIconSvgWrapper',{attrs:{\"svg\":action.iconSvgInline([_vm.source], _vm.currentView)}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.actionDisplayName(action))+\"\\n\\t\\t\\t\")])})]:_vm._e()],2)],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FileEntryActions.vue?vue&type=template&id=03cc6660&scoped=true\"\nimport script from \"./FileEntryActions.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryActions.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss\"\nimport style1 from \"./FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"03cc6660\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryCheckbox.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryCheckbox.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('td',{staticClass:\"files-list__row-checkbox\",on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;if($event.ctrlKey||$event.shiftKey||$event.altKey||$event.metaKey)return null;return _vm.resetSelection.apply(null, arguments)}}},[(_vm.isLoading)?_c('NcLoadingIcon'):_c('NcCheckboxRadioSwitch',{attrs:{\"aria-label\":_vm.ariaLabel,\"checked\":_vm.isSelected},on:{\"update:checked\":_vm.onSelectionChange}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\n/**\n * Observe various events and save the current\n * special keys states. Useful for checking the\n * current status of a key when executing a method.\n */\nexport const useKeyboardStore = function (...args) {\n const store = defineStore('keyboard', {\n state: () => ({\n altKey: false,\n ctrlKey: false,\n metaKey: false,\n shiftKey: false,\n }),\n actions: {\n onEvent(event) {\n if (!event) {\n event = window.event;\n }\n Vue.set(this, 'altKey', !!event.altKey);\n Vue.set(this, 'ctrlKey', !!event.ctrlKey);\n Vue.set(this, 'metaKey', !!event.metaKey);\n Vue.set(this, 'shiftKey', !!event.shiftKey);\n },\n },\n });\n const keyboardStore = store(...args);\n // Make sure we only register the listeners once\n if (!keyboardStore._initialized) {\n window.addEventListener('keydown', keyboardStore.onEvent);\n window.addEventListener('keyup', keyboardStore.onEvent);\n window.addEventListener('mousemove', keyboardStore.onEvent);\n keyboardStore._initialized = true;\n }\n return keyboardStore;\n};\n","import { render, staticRenderFns } from \"./FileEntryCheckbox.vue?vue&type=template&id=6992c304\"\nimport script from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return (_vm.isRenaming)?_c('form',{directives:[{name:\"on-click-outside\",rawName:\"v-on-click-outside\",value:(_vm.stopRenaming),expression:\"stopRenaming\"}],staticClass:\"files-list__row-rename\",attrs:{\"aria-label\":_vm.t('files', 'Rename file')},on:{\"submit\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.onRename.apply(null, arguments)}}},[_c('NcTextField',{ref:\"renameInput\",attrs:{\"label\":_vm.renameLabel,\"autofocus\":true,\"minlength\":1,\"required\":true,\"value\":_vm.newName,\"enterkeyhint\":\"done\"},on:{\"update:value\":function($event){_vm.newName=$event},\"keyup\":[_vm.checkInputValidity,function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;return _vm.stopRenaming.apply(null, arguments)}]}})],1):_c(_vm.linkTo.is,_vm._b({ref:\"basename\",tag:\"component\",staticClass:\"files-list__row-name-link\",attrs:{\"aria-hidden\":_vm.isRenaming,\"data-cy-files-list-row-name-link\":\"\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'component',_vm.linkTo.params,false),[_c('span',{staticClass:\"files-list__row-name-text\"},[_c('span',{staticClass:\"files-list__row-name-\",domProps:{\"textContent\":_vm._s(_vm.displayName)}}),_vm._v(\" \"),_c('span',{staticClass:\"files-list__row-name-ext\",domProps:{\"textContent\":_vm._s(_vm.extension)}})])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FileEntryName.vue?vue&type=template&id=637facfc\"\nimport script from \"./FileEntryName.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryName.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('span',{staticClass:\"files-list__row-icon\"},[(_vm.source.type === 'folder')?[(_vm.dragover)?_vm._m(0):[_vm._m(1),_vm._v(\" \"),(_vm.folderOverlay)?_c(_vm.folderOverlay,{tag:\"OverlayIcon\",staticClass:\"files-list__row-icon-overlay\"}):_vm._e()]]:(_vm.previewUrl && _vm.backgroundFailed !== true)?_c('img',{ref:\"previewImg\",staticClass:\"files-list__row-icon-preview\",class:{'files-list__row-icon-preview--loaded': _vm.backgroundFailed === false},attrs:{\"alt\":\"\",\"loading\":\"lazy\",\"src\":_vm.previewUrl},on:{\"error\":_vm.onBackgroundError,\"load\":function($event){_vm.backgroundFailed = false}}}):_vm._m(2),_vm._v(\" \"),(_vm.isFavorite)?_c('span',{staticClass:\"files-list__row-icon-favorite\"},[_vm._m(3)],1):_vm._e(),_vm._v(\" \"),(_vm.fileOverlay)?_c(_vm.fileOverlay,{tag:\"OverlayIcon\",staticClass:\"files-list__row-icon-overlay files-list__row-icon-overlay--file\"}):_vm._e()],2)\n}\nvar staticRenderFns = [function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FolderOpenIcon')\n},function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FolderIcon')\n},function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FileIcon')\n},function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FavoriteIcon')\n}]\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon file-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M13,9V3.5L18.5,9M6,2C4.89,2 4,2.89 4,4V20A2,2 0 0,0 6,22H18A2,2 0 0,0 20,20V8L14,2H6Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FileIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./File.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./File.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./File.vue?vue&type=template&id=e3c8d598\"\nimport script from \"./File.vue?vue&type=script&lang=js\"\nexport * from \"./File.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon file-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M13,9V3.5L18.5,9M6,2C4.89,2 4,2.89 4,4V20A2,2 0 0,0 6,22H18A2,2 0 0,0 20,20V8L14,2H6Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./FolderOpen.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./FolderOpen.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon folder-open-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M19,20H4C2.89,20 2,19.1 2,18V6C2,4.89 2.89,4 4,4H10L12,6H19A2,2 0 0,1 21,8H21L4,8V18L6.14,10H23.21L20.93,18.5C20.7,19.37 19.92,20 19,20Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FolderOpenIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./FolderOpen.vue?vue&type=template&id=79cee0a4\"\nimport script from \"./FolderOpen.vue?vue&type=script&lang=js\"\nexport * from \"./FolderOpen.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon folder-open-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M19,20H4C2.89,20 2,19.1 2,18V6C2,4.89 2.89,4 4,4H10L12,6H19A2,2 0 0,1 21,8H21L4,8V18L6.14,10H23.21L20.93,18.5C20.7,19.37 19.92,20 19,20Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Key.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Key.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon key-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M7 14C5.9 14 5 13.1 5 12S5.9 10 7 10 9 10.9 9 12 8.1 14 7 14M12.6 10C11.8 7.7 9.6 6 7 6C3.7 6 1 8.7 1 12S3.7 18 7 18C9.6 18 11.8 16.3 12.6 14H16V18H20V14H23V10H12.6Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"KeyIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Key.vue?vue&type=template&id=01a06d54\"\nimport script from \"./Key.vue?vue&type=script&lang=js\"\nexport * from \"./Key.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon key-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M7 14C5.9 14 5 13.1 5 12S5.9 10 7 10 9 10.9 9 12 8.1 14 7 14M12.6 10C11.8 7.7 9.6 6 7 6C3.7 6 1 8.7 1 12S3.7 18 7 18C9.6 18 11.8 16.3 12.6 14H16V18H20V14H23V10H12.6Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Network.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Network.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon network-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"NetworkIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Network.vue?vue&type=template&id=29f8873c\"\nimport script from \"./Network.vue?vue&type=script&lang=js\"\nexport * from \"./Network.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon network-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Tag.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Tag.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon tag-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"TagIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Tag.vue?vue&type=template&id=75dd05e4\"\nimport script from \"./Tag.vue?vue&type=script&lang=js\"\nexport * from \"./Tag.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon tag-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./PlayCircle.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./PlayCircle.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon play-circle-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M10,16.5V7.5L16,12M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"PlayCircleIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./PlayCircle.vue?vue&type=template&id=6901b3e6\"\nimport script from \"./PlayCircle.vue?vue&type=script&lang=js\"\nexport * from \"./PlayCircle.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon play-circle-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M10,16.5V7.5L16,12M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CollectivesIcon.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CollectivesIcon.vue?vue&type=script&lang=js\"","<template>\n\t<span :aria-hidden=\"!title\"\n\t\t:aria-label=\"title\"\n\t\tclass=\"material-design-icon collectives-icon\"\n\t\trole=\"img\"\n\t\tv-bind=\"$attrs\"\n\t\t@click=\"$emit('click', $event)\">\n\t\t<svg :fill=\"fillColor\"\n\t\t\tclass=\"material-design-icon__svg\"\n\t\t\t:width=\"size\"\n\t\t\t:height=\"size\"\n\t\t\tviewBox=\"0 0 16 16\">\n\t\t\t<path d=\"M2.9,8.8c0-1.2,0.4-2.4,1.2-3.3L0.3,6c-0.2,0-0.3,0.3-0.1,0.4l2.7,2.6C2.9,9,2.9,8.9,2.9,8.8z\" />\n\t\t\t<path d=\"M8,3.7c0.7,0,1.3,0.1,1.9,0.4L8.2,0.6c-0.1-0.2-0.3-0.2-0.4,0L6.1,4C6.7,3.8,7.3,3.7,8,3.7z\" />\n\t\t\t<path d=\"M3.7,11.5L3,15.2c0,0.2,0.2,0.4,0.4,0.3l3.3-1.7C5.4,13.4,4.4,12.6,3.7,11.5z\" />\n\t\t\t<path d=\"M15.7,6l-3.7-0.5c0.7,0.9,1.2,2,1.2,3.3c0,0.1,0,0.2,0,0.3l2.7-2.6C15.9,6.3,15.9,6.1,15.7,6z\" />\n\t\t\t<path d=\"M12.3,11.5c-0.7,1.1-1.8,1.9-3,2.2l3.3,1.7c0.2,0.1,0.4-0.1,0.4-0.3L12.3,11.5z\" />\n\t\t\t<path d=\"M9.6,10.1c-0.4,0.5-1,0.8-1.6,0.8c-1.1,0-2-0.9-2.1-2C5.9,7.7,6.8,6.7,8,6.7c0.6,0,1.1,0.3,1.5,0.7 c0.1,0.1,0.1,0.1,0.2,0.1h1.4c0.2,0,0.4-0.2,0.3-0.5c-0.7-1.3-2.1-2.2-3.8-2.1C5.8,5,4.3,6.6,4.1,8.5C4,10.8,5.8,12.7,8,12.7 c1.6,0,2.9-0.9,3.5-2.3c0.1-0.2-0.1-0.4-0.3-0.4H9.9C9.8,10,9.7,10,9.6,10.1z\" />\n\t\t</svg>\n\t</span>\n</template>\n\n<script>\nexport default {\n\tname: 'CollectivesIcon',\n\tprops: {\n\t\ttitle: {\n\t\t\ttype: String,\n\t\t\tdefault: '',\n\t\t},\n\t\tfillColor: {\n\t\t\ttype: String,\n\t\t\tdefault: 'currentColor',\n\t\t},\n\t\tsize: {\n\t\t\ttype: Number,\n\t\t\tdefault: 24,\n\t\t},\n\t},\n}\n</script>\n","import { render, staticRenderFns } from \"./CollectivesIcon.vue?vue&type=template&id=18541dcc\"\nimport script from \"./CollectivesIcon.vue?vue&type=script&lang=js\"\nexport * from \"./CollectivesIcon.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon collectives-icon\",attrs:{\"aria-hidden\":!_vm.title,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 16 16\"}},[_c('path',{attrs:{\"d\":\"M2.9,8.8c0-1.2,0.4-2.4,1.2-3.3L0.3,6c-0.2,0-0.3,0.3-0.1,0.4l2.7,2.6C2.9,9,2.9,8.9,2.9,8.8z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M8,3.7c0.7,0,1.3,0.1,1.9,0.4L8.2,0.6c-0.1-0.2-0.3-0.2-0.4,0L6.1,4C6.7,3.8,7.3,3.7,8,3.7z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M3.7,11.5L3,15.2c0,0.2,0.2,0.4,0.4,0.3l3.3-1.7C5.4,13.4,4.4,12.6,3.7,11.5z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M15.7,6l-3.7-0.5c0.7,0.9,1.2,2,1.2,3.3c0,0.1,0,0.2,0,0.3l2.7-2.6C15.9,6.3,15.9,6.1,15.7,6z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M12.3,11.5c-0.7,1.1-1.8,1.9-3,2.2l3.3,1.7c0.2,0.1,0.4-0.1,0.4-0.3L12.3,11.5z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M9.6,10.1c-0.4,0.5-1,0.8-1.6,0.8c-1.1,0-2-0.9-2.1-2C5.9,7.7,6.8,6.7,8,6.7c0.6,0,1.1,0.3,1.5,0.7 c0.1,0.1,0.1,0.1,0.2,0.1h1.4c0.2,0,0.4-0.2,0.3-0.5c-0.7-1.3-2.1-2.2-3.8-2.1C5.8,5,4.3,6.6,4.1,8.5C4,10.8,5.8,12.7,8,12.7 c1.6,0,2.9-0.9,3.5-2.3c0.1-0.2-0.1-0.4-0.3-0.4H9.9C9.8,10,9.7,10,9.6,10.1z\"}})])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcIconSvgWrapper',{staticClass:\"favorite-marker-icon\",attrs:{\"name\":_vm.t('files', 'Favorite'),\"svg\":_vm.StarSvg}})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FavoriteIcon.vue?vue&type=template&id=04e52abc&scoped=true\"\nimport script from \"./FavoriteIcon.vue?vue&type=script&lang=ts\"\nexport * from \"./FavoriteIcon.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"04e52abc\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryPreview.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryPreview.vue?vue&type=script&lang=ts\"","/**\n * @copyright Copyright (c) 2023 Louis Chmn <louis@chmn.me>\n *\n * @author Louis Chmn <louis@chmn.me>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { Node, registerDavProperty } from '@nextcloud/files';\nexport function initLivePhotos() {\n registerDavProperty('nc:metadata-files-live-photo', { nc: 'http://nextcloud.org/ns' });\n}\n/**\n * @param {Node} node - The node\n */\nexport function isLivePhoto(node) {\n return node.attributes['metadata-files-live-photo'] !== undefined;\n}\n","import { render, staticRenderFns } from \"./FileEntryPreview.vue?vue&type=template&id=525376b0\"\nimport script from \"./FileEntryPreview.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryPreview.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntry.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntry.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',_vm._g({staticClass:\"files-list__row\",class:{\n\t\t'files-list__row--dragover': _vm.dragover,\n\t\t'files-list__row--loading': _vm.isLoading,\n\t\t'files-list__row--active': _vm.isActive,\n\t},attrs:{\"data-cy-files-list-row\":\"\",\"data-cy-files-list-row-fileid\":_vm.fileid,\"data-cy-files-list-row-name\":_vm.source.basename,\"draggable\":_vm.canDrag}},_vm.rowListeners),[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"source\":_vm.source,\"dragover\":_vm.dragover},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{directives:[{name:\"show\",rawName:\"v-show\",value:(!_vm.isRenamingSmallScreen),expression:\"!isRenamingSmallScreen\"}],ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}}),_vm._v(\" \"),(!_vm.compact && _vm.isSizeAvailable)?_c('td',{staticClass:\"files-list__row-size\",style:(_vm.sizeOpacity),attrs:{\"data-cy-files-list-row-size\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('span',[_vm._v(_vm._s(_vm.size))])]):_vm._e(),_vm._v(\" \"),(!_vm.compact && _vm.isMtimeAvailable)?_c('td',{staticClass:\"files-list__row-mtime\",style:(_vm.mtimeOpacity),attrs:{\"data-cy-files-list-row-mtime\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('NcDateTime',{attrs:{\"timestamp\":_vm.source.mtime,\"ignore-seconds\":true}})],1):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('td',{key:column.id,staticClass:\"files-list__row-column-custom\",class:`files-list__row-${_vm.currentView?.id}-${column.id}`,attrs:{\"data-cy-files-list-row-column-custom\":column.id},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('CustomElementRender',{attrs:{\"current-view\":_vm.currentView,\"render\":column.render,\"source\":_vm.source}})],1)})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import { render, staticRenderFns } from \"./FileEntry.vue?vue&type=template&id=6ae0d517\"\nimport script from \"./FileEntry.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntry.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryGrid.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryGrid.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',{staticClass:\"files-list__row\",class:{'files-list__row--active': _vm.isActive, 'files-list__row--dragover': _vm.dragover, 'files-list__row--loading': _vm.isLoading},attrs:{\"data-cy-files-list-row\":\"\",\"data-cy-files-list-row-fileid\":_vm.fileid,\"data-cy-files-list-row-name\":_vm.source.basename,\"draggable\":_vm.canDrag},on:{\"contextmenu\":_vm.onRightClick,\"dragover\":_vm.onDragOver,\"dragleave\":_vm.onDragLeave,\"dragstart\":_vm.onDragStart,\"dragend\":_vm.onDragEnd,\"drop\":_vm.onDrop}},[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"dragover\":_vm.dragover,\"grid-mode\":true,\"source\":_vm.source},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import { render, staticRenderFns } from \"./FileEntryGrid.vue?vue&type=template&id=337076f0\"\nimport script from \"./FileEntryGrid.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryGrid.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.enabled),expression:\"enabled\"}],class:`files-list__header-${_vm.header.id}`},[_c('span',{ref:\"mount\"})])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListHeader.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListHeader.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FilesListHeader.vue?vue&type=template&id=0434f153\"\nimport script from \"./FilesListHeader.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListHeader.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',[_c('th',{staticClass:\"files-list__row-checkbox\"},[_c('span',{staticClass:\"hidden-visually\"},[_vm._v(_vm._s(_vm.t('files', 'Total rows summary')))])]),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\"},[_c('span',{staticClass:\"files-list__row-icon\"}),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.summary))])]),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-actions\"}),_vm._v(\" \"),(_vm.isSizeAvailable)?_c('td',{staticClass:\"files-list__column files-list__row-size\"},[_c('span',[_vm._v(_vm._s(_vm.totalSize))])]):_vm._e(),_vm._v(\" \"),(_vm.isMtimeAvailable)?_c('td',{staticClass:\"files-list__column files-list__row-mtime\"}):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('th',{key:column.id,class:_vm.classForColumn(column)},[_c('span',[_vm._v(_vm._s(column.summary?.(_vm.nodes, _vm.currentView)))])])})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableFooter.vue?vue&type=template&id=a85bde20&scoped=true\"\nimport script from \"./FilesListTableFooter.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableFooter.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"a85bde20\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',{staticClass:\"files-list__row-head\"},[_c('th',{staticClass:\"files-list__column files-list__row-checkbox\",on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;if($event.ctrlKey||$event.shiftKey||$event.altKey||$event.metaKey)return null;return _vm.resetSelection.apply(null, arguments)}}},[_c('NcCheckboxRadioSwitch',_vm._b({on:{\"update:checked\":_vm.onToggleAll}},'NcCheckboxRadioSwitch',_vm.selectAllBind,false))],1),_vm._v(\" \"),_c('th',{staticClass:\"files-list__column files-list__row-name files-list__column--sortable\",attrs:{\"aria-sort\":_vm.ariaSortForMode('basename')}},[_c('span',{staticClass:\"files-list__row-icon\"}),_vm._v(\" \"),_c('FilesListTableHeaderButton',{attrs:{\"name\":_vm.t('files', 'Name'),\"mode\":\"basename\"}})],1),_vm._v(\" \"),_c('th',{staticClass:\"files-list__row-actions\"}),_vm._v(\" \"),(_vm.isSizeAvailable)?_c('th',{staticClass:\"files-list__column files-list__row-size\",class:{ 'files-list__column--sortable': _vm.isSizeAvailable },attrs:{\"aria-sort\":_vm.ariaSortForMode('size')}},[_c('FilesListTableHeaderButton',{attrs:{\"name\":_vm.t('files', 'Size'),\"mode\":\"size\"}})],1):_vm._e(),_vm._v(\" \"),(_vm.isMtimeAvailable)?_c('th',{staticClass:\"files-list__column files-list__row-mtime\",class:{ 'files-list__column--sortable': _vm.isMtimeAvailable },attrs:{\"aria-sort\":_vm.ariaSortForMode('mtime')}},[_c('FilesListTableHeaderButton',{attrs:{\"name\":_vm.t('files', 'Modified'),\"mode\":\"mtime\"}})],1):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('th',{key:column.id,class:_vm.classForColumn(column),attrs:{\"aria-sort\":_vm.ariaSortForMode(column.id)}},[(!!column.sort)?_c('FilesListTableHeaderButton',{attrs:{\"name\":column.title,\"mode\":column.id}}):_c('span',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(column.title)+\"\\n\\t\\t\")])],1)})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport Vue from 'vue';\nimport { mapState } from 'pinia';\nimport { useViewConfigStore } from '../store/viewConfig';\nimport { Navigation, View } from '@nextcloud/files';\nexport default Vue.extend({\n computed: {\n ...mapState(useViewConfigStore, ['getConfig', 'setSortingBy', 'toggleSortingDirection']),\n currentView() {\n return this.$navigation.active;\n },\n /**\n * Get the sorting mode for the current view\n */\n sortingMode() {\n return this.getConfig(this.currentView.id)?.sorting_mode\n || this.currentView?.defaultSortKey\n || 'basename';\n },\n /**\n * Get the sorting direction for the current view\n */\n isAscSorting() {\n const sortingDirection = this.getConfig(this.currentView.id)?.sorting_direction;\n return sortingDirection !== 'desc';\n },\n },\n methods: {\n toggleSortBy(key) {\n // If we're already sorting by this key, flip the direction\n if (this.sortingMode === key) {\n this.toggleSortingDirection(this.currentView.id);\n return;\n }\n // else sort ASC by this new key\n this.setSortingBy(key, this.currentView.id);\n },\n },\n});\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcButton',{class:['files-list__column-sort-button', {\n\t\t'files-list__column-sort-button--active': _vm.sortingMode === _vm.mode,\n\t\t'files-list__column-sort-button--size': _vm.sortingMode === 'size',\n\t}],attrs:{\"alignment\":_vm.mode === 'size' ? 'end' : 'start-reverse',\"type\":\"tertiary\"},on:{\"click\":function($event){return _vm.toggleSortBy(_vm.mode)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.sortingMode !== _vm.mode || _vm.isAscSorting)?_c('MenuUp',{staticClass:\"files-list__column-sort-button-icon\"}):_c('MenuDown',{staticClass:\"files-list__column-sort-button-icon\"})]},proxy:true}])},[_vm._v(\" \"),_c('span',{staticClass:\"files-list__column-sort-button-text\"},[_vm._v(_vm._s(_vm.name))])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableHeaderButton.vue?vue&type=template&id=097f69d4&scoped=true\"\nimport script from \"./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"097f69d4\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableHeader.vue?vue&type=template&id=952162c2&scoped=true\"\nimport script from \"./FilesListTableHeader.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableHeader.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"952162c2\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{staticClass:\"files-list\",attrs:{\"data-cy-files-list\":\"\"}},[_c('div',{ref:\"before\",staticClass:\"files-list__before\"},[_vm._t(\"before\")],2),_vm._v(\" \"),(!!_vm.$scopedSlots['header-overlay'])?_c('div',{staticClass:\"files-list__thead-overlay\"},[_vm._t(\"header-overlay\")],2):_vm._e(),_vm._v(\" \"),_c('table',{staticClass:\"files-list__table\",class:{ 'files-list__table--with-thead-overlay': !!_vm.$scopedSlots['header-overlay'] }},[(_vm.caption)?_c('caption',{staticClass:\"hidden-visually\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.caption)+\"\\n\\t\\t\")]):_vm._e(),_vm._v(\" \"),_c('thead',{ref:\"thead\",staticClass:\"files-list__thead\",attrs:{\"data-cy-files-list-thead\":\"\"}},[_vm._t(\"header\")],2),_vm._v(\" \"),_c('tbody',{staticClass:\"files-list__tbody\",class:_vm.gridMode ? 'files-list__tbody--grid' : 'files-list__tbody--list',style:(_vm.tbodyStyle),attrs:{\"data-cy-files-list-tbody\":\"\"}},_vm._l((_vm.renderedItems),function({key, item},i){return _c(_vm.dataComponent,_vm._b({key:key,tag:\"component\",attrs:{\"source\":item,\"index\":i}},'component',_vm.extraProps,false))}),1),_vm._v(\" \"),_c('tfoot',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.isReady),expression:\"isReady\"}],staticClass:\"files-list__tfoot\",attrs:{\"data-cy-files-list-tfoot\":\"\"}},[_vm._t(\"footer\")],2)])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./VirtualList.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./VirtualList.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./VirtualList.vue?vue&type=template&id=6932388d\"\nimport script from \"./VirtualList.vue?vue&type=script&lang=ts\"\nexport * from \"./VirtualList.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{staticClass:\"files-list__column files-list__row-actions-batch\"},[_c('NcActions',{ref:\"actionsMenu\",attrs:{\"disabled\":!!_vm.loading || _vm.areSomeNodesLoading,\"force-name\":true,\"inline\":_vm.inlineActions,\"menu-name\":_vm.inlineActions <= 1 ? _vm.t('files', 'Actions') : null,\"open\":_vm.openedMenu},on:{\"update:open\":function($event){_vm.openedMenu=$event}}},_vm._l((_vm.enabledActions),function(action){return _c('NcActionButton',{key:action.id,class:'files-list__row-actions-batch-' + action.id,on:{\"click\":function($event){return _vm.onActionClick(action)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.loading === action.id)?_c('NcLoadingIcon',{attrs:{\"size\":18}}):_c('NcIconSvgWrapper',{attrs:{\"svg\":action.iconSvgInline(_vm.nodes, _vm.currentView)}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(action.displayName(_vm.nodes, _vm.currentView))+\"\\n\\t\\t\")])}),1)],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableHeaderActions.vue?vue&type=template&id=d939292c&scoped=true\"\nimport script from \"./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"d939292c\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListVirtual.vue?vue&type=template&id=2bbbfb12&scoped=true\"\nimport script from \"./FilesListVirtual.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListVirtual.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss\"\nimport style1 from \"./FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"2bbbfb12\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./TrayArrowDown.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./TrayArrowDown.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon tray-arrow-down-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M2 12H4V17H20V12H22V17C22 18.11 21.11 19 20 19H4C2.9 19 2 18.11 2 17V12M12 15L17.55 9.54L16.13 8.13L13 11.25V2H11V11.25L7.88 8.13L6.46 9.55L12 15Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"TrayArrowDownIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./TrayArrowDown.vue?vue&type=template&id=447c2cd4\"\nimport script from \"./TrayArrowDown.vue?vue&type=script&lang=js\"\nexport * from \"./TrayArrowDown.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon tray-arrow-down-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M2 12H4V17H20V12H22V17C22 18.11 21.11 19 20 19H4C2.9 19 2 18.11 2 17V12M12 15L17.55 9.54L16.13 8.13L13 11.25V2H11V11.25L7.88 8.13L6.46 9.55L12 15Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.dragover),expression:\"dragover\"}],staticClass:\"files-list__drag-drop-notice\",attrs:{\"data-cy-files-drag-drop-area\":\"\"},on:{\"drop\":_vm.onDrop}},[_c('div',{staticClass:\"files-list__drag-drop-notice-wrapper\"},[(_vm.canUpload && !_vm.isQuotaExceeded)?[_c('TrayArrowDownIcon',{attrs:{\"size\":48}}),_vm._v(\" \"),_c('h3',{staticClass:\"files-list-drag-drop-notice__title\"},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Drag and drop files here to upload'))+\"\\n\\t\\t\\t\")])]:[_c('h3',{staticClass:\"files-list-drag-drop-notice__title\"},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.cantUploadLabel)+\"\\n\\t\\t\\t\")])]],2)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./DragAndDropNotice.vue?vue&type=template&id=02c943a6&scoped=true\"\nimport script from \"./DragAndDropNotice.vue?vue&type=script&lang=ts\"\nexport * from \"./DragAndDropNotice.vue?vue&type=script&lang=ts\"\nimport style0 from \"./DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"02c943a6\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=style&index=0&id=dcc61216&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=style&index=0&id=dcc61216&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesList.vue?vue&type=template&id=dcc61216&scoped=true\"\nimport script from \"./FilesList.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesList.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesList.vue?vue&type=style&index=0&id=dcc61216&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"dcc61216\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesApp.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesApp.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FilesApp.vue?vue&type=template&id=11e0f2dd\"\nimport script from \"./FilesApp.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesApp.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import { PiniaVuePlugin } from 'pinia';\nimport { getNavigation } from '@nextcloud/files';\nimport { getRequestToken } from '@nextcloud/auth';\nimport Vue from 'vue';\nimport { pinia } from './store/index.ts';\nimport router from './router/router';\nimport RouterService from './services/RouterService';\nimport SettingsModel from './models/Setting.js';\nimport SettingsService from './services/Settings.js';\nimport FilesApp from './FilesApp.vue';\n// @ts-expect-error __webpack_nonce__ is injected by webpack\n__webpack_nonce__ = btoa(getRequestToken());\n// Init private and public Files namespace\nwindow.OCA.Files = window.OCA.Files ?? {};\nwindow.OCP.Files = window.OCP.Files ?? {};\n// Expose router\nconst Router = new RouterService(router);\nObject.assign(window.OCP.Files, { Router });\n// Init Pinia store\nVue.use(PiniaVuePlugin);\n// Init Navigation Service\n// This only works with Vue 2 - with Vue 3 this will not modify the source but return just a oberserver\nconst Navigation = Vue.observable(getNavigation());\nVue.prototype.$navigation = Navigation;\n// Init Files App Settings Service\nconst Settings = new SettingsService();\nObject.assign(window.OCA.Files, { Settings });\nObject.assign(window.OCA.Files.Settings, { Setting: SettingsModel });\nconst FilesAppVue = Vue.extend(FilesApp);\nnew FilesAppVue({\n router,\n pinia,\n}).$mount('#content');\n","export default class RouterService {\n _router;\n constructor(router) {\n this._router = router;\n }\n get name() {\n return this._router.currentRoute.name;\n }\n get query() {\n return this._router.currentRoute.query || {};\n }\n get params() {\n return this._router.currentRoute.params || {};\n }\n /**\n * Trigger a route change on the files app\n *\n * @param path the url path, eg: '/trashbin?dir=/Deleted'\n * @param replace replace the current history\n * @see https://router.vuejs.org/guide/essentials/navigation.html#navigate-to-a-different-location\n */\n goTo(path, replace = false) {\n return this._router.push({\n path,\n replace,\n });\n }\n /**\n * Trigger a route change on the files App\n *\n * @param name the route name\n * @param params the route parameters\n * @param query the url query parameters\n * @param replace replace the current history\n * @see https://router.vuejs.org/guide/essentials/navigation.html#navigate-to-a-different-location\n */\n goToRoute(name, params, query, replace) {\n return this._router.push({\n name,\n query,\n params,\n replace,\n });\n }\n}\n","/**\n * @copyright Copyright (c) 2019 Gary Kim <gary@garykim.dev>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\n\nexport default class Settings {\n\n\t_settings\n\n\tconstructor() {\n\t\tthis._settings = []\n\t\tconsole.debug('OCA.Files.Settings initialized')\n\t}\n\n\t/**\n\t * Register a new setting\n\t *\n\t * @since 19.0.0\n\t * @param {OCA.Files.Settings.Setting} view element to add to settings\n\t * @return {boolean} whether registering was successful\n\t */\n\tregister(view) {\n\t\tif (this._settings.filter(e => e.name === view.name).length > 0) {\n\t\t\tconsole.error('A setting with the same name is already registered')\n\t\t\treturn false\n\t\t}\n\t\tthis._settings.push(view)\n\t\treturn true\n\t}\n\n\t/**\n\t * All settings elements\n\t *\n\t * @return {OCA.Files.Settings.Setting[]} All currently registered settings\n\t */\n\tget settings() {\n\t\treturn this._settings\n\t}\n\n}\n","/**\n * @copyright Copyright (c) 2019 Gary Kim <gary@garykim.dev>\n * @copyright Copyright (c) 2019 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\n\nexport default class Setting {\n\n\t_close\n\t_el\n\t_name\n\t_open\n\n\t/**\n\t * Create a new files app setting\n\t *\n\t * @since 19.0.0\n\t * @param {string} name the name of this setting\n\t * @param {object} component the component\n\t * @param {Function} component.el function that returns an unmounted dom element to be added\n\t * @param {Function} [component.open] callback for when setting is added\n\t * @param {Function} [component.close] callback for when setting is closed\n\t */\n\tconstructor(name, { el, open, close }) {\n\t\tthis._name = name\n\t\tthis._el = el\n\t\tthis._open = open\n\t\tthis._close = close\n\n\t\tif (typeof this._open !== 'function') {\n\t\t\tthis._open = () => {}\n\t\t}\n\n\t\tif (typeof this._close !== 'function') {\n\t\t\tthis._close = () => {}\n\t\t}\n\t}\n\n\tget name() {\n\t\treturn this._name\n\t}\n\n\tget el() {\n\t\treturn this._el\n\t}\n\n\tget open() {\n\t\treturn this._open\n\t}\n\n\tget close() {\n\t\treturn this._close\n\t}\n\n}\n","function _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\n(function (global, factory) {\n if (typeof define === \"function\" && define.amd) {\n define([\"exports\"], factory);\n } else if (typeof exports !== \"undefined\") {\n factory(exports);\n } else {\n var mod = {\n exports: {}\n };\n factory(mod.exports);\n global.CancelablePromise = mod.exports;\n }\n})(typeof globalThis !== \"undefined\" ? globalThis : typeof self !== \"undefined\" ? self : this, function (_exports) {\n \"use strict\";\n\n Object.defineProperty(_exports, \"__esModule\", {\n value: true\n });\n _exports.CancelablePromise = void 0;\n _exports.cancelable = cancelable;\n _exports.default = void 0;\n _exports.isCancelablePromise = isCancelablePromise;\n\n function _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); Object.defineProperty(subClass, \"prototype\", { writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\n function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\n function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\n function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } else if (call !== void 0) { throw new TypeError(\"Derived constructors may only return object or undefined\"); } return _assertThisInitialized(self); }\n\n function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\n function _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\n function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; }\n\n function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }\n\n function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; }\n\n function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\n function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\n function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\n function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\n\n function _classPrivateFieldInitSpec(obj, privateMap, value) { _checkPrivateRedeclaration(obj, privateMap); privateMap.set(obj, value); }\n\n function _checkPrivateRedeclaration(obj, privateCollection) { if (privateCollection.has(obj)) { throw new TypeError(\"Cannot initialize the same private elements twice on an object\"); } }\n\n function _classPrivateFieldGet(receiver, privateMap) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"get\"); return _classApplyDescriptorGet(receiver, descriptor); }\n\n function _classApplyDescriptorGet(receiver, descriptor) { if (descriptor.get) { return descriptor.get.call(receiver); } return descriptor.value; }\n\n function _classPrivateFieldSet(receiver, privateMap, value) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"set\"); _classApplyDescriptorSet(receiver, descriptor, value); return value; }\n\n function _classExtractFieldDescriptor(receiver, privateMap, action) { if (!privateMap.has(receiver)) { throw new TypeError(\"attempted to \" + action + \" private field on non-instance\"); } return privateMap.get(receiver); }\n\n function _classApplyDescriptorSet(receiver, descriptor, value) { if (descriptor.set) { descriptor.set.call(receiver, value); } else { if (!descriptor.writable) { throw new TypeError(\"attempted to set read only private field\"); } descriptor.value = value; } }\n\n var toStringTag = typeof Symbol !== 'undefined' ? Symbol.toStringTag : '@@toStringTag';\n\n var _internals = /*#__PURE__*/new WeakMap();\n\n var _promise = /*#__PURE__*/new WeakMap();\n\n var CancelablePromiseInternal = /*#__PURE__*/function () {\n function CancelablePromiseInternal(_ref) {\n var _ref$executor = _ref.executor,\n executor = _ref$executor === void 0 ? function () {} : _ref$executor,\n _ref$internals = _ref.internals,\n internals = _ref$internals === void 0 ? defaultInternals() : _ref$internals,\n _ref$promise = _ref.promise,\n promise = _ref$promise === void 0 ? new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }) : _ref$promise;\n\n _classCallCheck(this, CancelablePromiseInternal);\n\n _classPrivateFieldInitSpec(this, _internals, {\n writable: true,\n value: void 0\n });\n\n _classPrivateFieldInitSpec(this, _promise, {\n writable: true,\n value: void 0\n });\n\n _defineProperty(this, toStringTag, 'CancelablePromise');\n\n this.cancel = this.cancel.bind(this);\n\n _classPrivateFieldSet(this, _internals, internals);\n\n _classPrivateFieldSet(this, _promise, promise || new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }));\n }\n\n _createClass(CancelablePromiseInternal, [{\n key: \"then\",\n value: function then(onfulfilled, onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).then(createCallback(onfulfilled, _classPrivateFieldGet(this, _internals)), createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"catch\",\n value: function _catch(onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).catch(createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"finally\",\n value: function _finally(onfinally, runWhenCanceled) {\n var _this = this;\n\n if (runWhenCanceled) {\n _classPrivateFieldGet(this, _internals).onCancelList.push(onfinally);\n }\n\n return makeCancelable(_classPrivateFieldGet(this, _promise).finally(createCallback(function () {\n if (onfinally) {\n if (runWhenCanceled) {\n _classPrivateFieldGet(_this, _internals).onCancelList = _classPrivateFieldGet(_this, _internals).onCancelList.filter(function (callback) {\n return callback !== onfinally;\n });\n }\n\n return onfinally();\n }\n }, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"cancel\",\n value: function cancel() {\n _classPrivateFieldGet(this, _internals).isCanceled = true;\n\n var callbacks = _classPrivateFieldGet(this, _internals).onCancelList;\n\n _classPrivateFieldGet(this, _internals).onCancelList = [];\n\n var _iterator = _createForOfIteratorHelper(callbacks),\n _step;\n\n try {\n for (_iterator.s(); !(_step = _iterator.n()).done;) {\n var callback = _step.value;\n\n if (typeof callback === 'function') {\n try {\n callback();\n } catch (err) {\n console.error(err);\n }\n }\n }\n } catch (err) {\n _iterator.e(err);\n } finally {\n _iterator.f();\n }\n }\n }, {\n key: \"isCanceled\",\n value: function isCanceled() {\n return _classPrivateFieldGet(this, _internals).isCanceled === true;\n }\n }]);\n\n return CancelablePromiseInternal;\n }();\n\n var CancelablePromise = /*#__PURE__*/function (_CancelablePromiseInt) {\n _inherits(CancelablePromise, _CancelablePromiseInt);\n\n var _super = _createSuper(CancelablePromise);\n\n function CancelablePromise(executor) {\n _classCallCheck(this, CancelablePromise);\n\n return _super.call(this, {\n executor: executor\n });\n }\n\n return _createClass(CancelablePromise);\n }(CancelablePromiseInternal);\n\n _exports.CancelablePromise = CancelablePromise;\n\n _defineProperty(CancelablePromise, \"all\", function all(iterable) {\n return makeAllCancelable(iterable, Promise.all(iterable));\n });\n\n _defineProperty(CancelablePromise, \"allSettled\", function allSettled(iterable) {\n return makeAllCancelable(iterable, Promise.allSettled(iterable));\n });\n\n _defineProperty(CancelablePromise, \"any\", function any(iterable) {\n return makeAllCancelable(iterable, Promise.any(iterable));\n });\n\n _defineProperty(CancelablePromise, \"race\", function race(iterable) {\n return makeAllCancelable(iterable, Promise.race(iterable));\n });\n\n _defineProperty(CancelablePromise, \"resolve\", function resolve(value) {\n return cancelable(Promise.resolve(value));\n });\n\n _defineProperty(CancelablePromise, \"reject\", function reject(reason) {\n return cancelable(Promise.reject(reason));\n });\n\n _defineProperty(CancelablePromise, \"isCancelable\", isCancelablePromise);\n\n var _default = CancelablePromise;\n _exports.default = _default;\n\n function cancelable(promise) {\n return makeCancelable(promise, defaultInternals());\n }\n\n function isCancelablePromise(promise) {\n return promise instanceof CancelablePromise || promise instanceof CancelablePromiseInternal;\n }\n\n function createCallback(onResult, internals) {\n if (onResult) {\n return function (arg) {\n if (!internals.isCanceled) {\n var result = onResult(arg);\n\n if (isCancelablePromise(result)) {\n internals.onCancelList.push(result.cancel);\n }\n\n return result;\n }\n\n return arg;\n };\n }\n }\n\n function makeCancelable(promise, internals) {\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function makeAllCancelable(iterable, promise) {\n var internals = defaultInternals();\n internals.onCancelList.push(function () {\n var _iterator2 = _createForOfIteratorHelper(iterable),\n _step2;\n\n try {\n for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) {\n var resolvable = _step2.value;\n\n if (isCancelablePromise(resolvable)) {\n resolvable.cancel();\n }\n }\n } catch (err) {\n _iterator2.e(err);\n } finally {\n _iterator2.f();\n }\n });\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function defaultInternals() {\n return {\n isCanceled: false,\n onCancelList: []\n };\n }\n});\n//# sourceMappingURL=CancelablePromise.js.map","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../../../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27%20style=%27fill-opacity:1;fill:%23ffffff%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `@charset \"UTF-8\";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\n *\n * @author Julius Härtl <jus@bitgrid.net>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license GNU AGPL version 3 or any later version\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n */\n.toastify.dialogs {\n min-width: 200px;\n background: none;\n background-color: var(--color-main-background);\n color: var(--color-main-text);\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\n padding: 0 12px;\n margin-top: 45px;\n position: fixed;\n z-index: 10100;\n border-radius: var(--border-radius);\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-container {\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-button,\n.toastify.dialogs .toast-close {\n position: static;\n overflow: hidden;\n box-sizing: border-box;\n min-width: 44px;\n height: 100%;\n padding: 12px;\n white-space: nowrap;\n background-repeat: no-repeat;\n background-position: center;\n background-color: transparent;\n min-height: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close,\n.toastify.dialogs .toast-close.toast-close {\n text-indent: 0;\n opacity: .4;\n border: none;\n min-height: 44px;\n margin-left: 10px;\n font-size: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close:before,\n.toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n content: \" \";\n filter: var(--background-invert-if-dark);\n display: inline-block;\n width: 16px;\n height: 16px;\n}\n.toastify.dialogs .toast-undo-button.toast-undo-button,\n.toastify.dialogs .toast-close.toast-undo-button {\n height: calc(100% - 6px);\n margin: 3px 3px 3px 12px;\n}\n.toastify.dialogs .toast-undo-button:hover,\n.toastify.dialogs .toast-undo-button:focus,\n.toastify.dialogs .toast-undo-button:active,\n.toastify.dialogs .toast-close:hover,\n.toastify.dialogs .toast-close:focus,\n.toastify.dialogs .toast-close:active {\n cursor: pointer;\n opacity: 1;\n}\n.toastify.dialogs.toastify-top {\n right: 10px;\n}\n.toastify.dialogs.toast-with-click {\n cursor: pointer;\n}\n.toastify.dialogs.toast-error {\n border-left: 3px solid var(--color-error);\n}\n.toastify.dialogs.toast-info {\n border-left: 3px solid var(--color-primary);\n}\n.toastify.dialogs.toast-warning {\n border-left: 3px solid var(--color-warning);\n}\n.toastify.dialogs.toast-success,\n.toastify.dialogs.toast-undo {\n border-left: 3px solid var(--color-success);\n}\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${___CSS_LOADER_URL_REPLACEMENT_1___});\n}\n._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-a25a2652] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-a06474d4] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n margin-block-start: 7px;\n overflow: auto;\n}\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-a06474d4] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-a06474d4] {\n max-width: unset;\n }\n}\n.file-picker__navigation {\n padding-inline: 8px 2px;\n}\n.file-picker__navigation,\n.file-picker__navigation * {\n box-sizing: border-box;\n}\n.file-picker__navigation .v-select.select {\n min-width: 220px;\n}\n@media (min-width: 513px) and (max-width: 736px) {\n .file-picker__navigation {\n gap: 11px;\n }\n}\n@media (max-width: 512px) {\n .file-picker__navigation {\n flex-direction: column-reverse !important;\n }\n}\n.file-picker__view[data-v-9def3ca4] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-9def3ca4] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-9def3ca4] {\n box-sizing: border-box;\n width: 100%;\n display: flex;\n flex-direction: column;\n min-height: 0;\n flex: 1;\n padding-inline: 2px;\n}\n.file-picker__main *[data-v-9def3ca4] {\n box-sizing: border-box;\n}\n[data-v-9def3ca4] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-9def3ca4] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-9def3ca4] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/dialogs/dist/style.css\"],\"names\":[],\"mappings\":\"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,uBAAuB;EACvB,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,iBAAiB;EACjB,gBAAgB;AAClB;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;AACF;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;EACA;IACE,gBAAgB;EAClB;AACF;AACA;EACE,uBAAuB;AACzB;AACA;;EAEE,sBAAsB;AACxB;AACA;EACE,gBAAgB;AAClB;AACA;EACE;IACE,SAAS;EACX;AACF;AACA;EACE;IACE,yCAAyC;EAC3C;AACF;AACA;EACE,YAAY;EACZ,aAAa;EACb,sBAAsB;EACtB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,SAAS;AACX;AACA;EACE,sBAAsB;EACtB,WAAW;EACX,aAAa;EACb,sBAAsB;EACtB,aAAa;EACb,OAAO;EACP,mBAAmB;AACrB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,mCAAmC;AACrC;AACA;EACE;IACE,oEAAoE;EACtE;AACF;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,gBAAgB;AAClB\",\"sourcesContent\":[\"@charset \\\"UTF-8\\\";\\n/**\\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\\n *\\n * @author Julius Härtl <jus@bitgrid.net>\\n * @author John Molakvoæ <skjnldsv@protonmail.com>\\n *\\n * @license GNU AGPL version 3 or any later version\\n *\\n * This program is free software: you can redistribute it and/or modify\\n * it under the terms of the GNU Affero General Public License as\\n * published by the Free Software Foundation, either version 3 of the\\n * License, or (at your option) any later version.\\n *\\n * This program is distributed in the hope that it will be useful,\\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\\n * GNU Affero General Public License for more details.\\n *\\n * You should have received a copy of the GNU Affero General Public License\\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\\n */\\n.toastify.dialogs {\\n min-width: 200px;\\n background: none;\\n background-color: var(--color-main-background);\\n color: var(--color-main-text);\\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\\n padding: 0 12px;\\n margin-top: 45px;\\n position: fixed;\\n z-index: 10100;\\n border-radius: var(--border-radius);\\n display: flex;\\n align-items: center;\\n}\\n.toastify.dialogs .toast-undo-container {\\n display: flex;\\n align-items: center;\\n}\\n.toastify.dialogs .toast-undo-button,\\n.toastify.dialogs .toast-close {\\n position: static;\\n overflow: hidden;\\n box-sizing: border-box;\\n min-width: 44px;\\n height: 100%;\\n padding: 12px;\\n white-space: nowrap;\\n background-repeat: no-repeat;\\n background-position: center;\\n background-color: transparent;\\n min-height: 0;\\n}\\n.toastify.dialogs .toast-undo-button.toast-close,\\n.toastify.dialogs .toast-close.toast-close {\\n text-indent: 0;\\n opacity: .4;\\n border: none;\\n min-height: 44px;\\n margin-left: 10px;\\n font-size: 0;\\n}\\n.toastify.dialogs .toast-undo-button.toast-close:before,\\n.toastify.dialogs .toast-close.toast-close:before {\\n background-image: url(\\\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'/%3e%3c/svg%3e\\\");\\n content: \\\" \\\";\\n filter: var(--background-invert-if-dark);\\n display: inline-block;\\n width: 16px;\\n height: 16px;\\n}\\n.toastify.dialogs .toast-undo-button.toast-undo-button,\\n.toastify.dialogs .toast-close.toast-undo-button {\\n height: calc(100% - 6px);\\n margin: 3px 3px 3px 12px;\\n}\\n.toastify.dialogs .toast-undo-button:hover,\\n.toastify.dialogs .toast-undo-button:focus,\\n.toastify.dialogs .toast-undo-button:active,\\n.toastify.dialogs .toast-close:hover,\\n.toastify.dialogs .toast-close:focus,\\n.toastify.dialogs .toast-close:active {\\n cursor: pointer;\\n opacity: 1;\\n}\\n.toastify.dialogs.toastify-top {\\n right: 10px;\\n}\\n.toastify.dialogs.toast-with-click {\\n cursor: pointer;\\n}\\n.toastify.dialogs.toast-error {\\n border-left: 3px solid var(--color-error);\\n}\\n.toastify.dialogs.toast-info {\\n border-left: 3px solid var(--color-primary);\\n}\\n.toastify.dialogs.toast-warning {\\n border-left: 3px solid var(--color-warning);\\n}\\n.toastify.dialogs.toast-success,\\n.toastify.dialogs.toast-undo {\\n border-left: 3px solid var(--color-success);\\n}\\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\\n background-image: url(\\\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'%20style='fill-opacity:1;fill:%23ffffff'/%3e%3c/svg%3e\\\");\\n}\\n._file-picker__file-icon_1vgv4_5 {\\n width: 32px;\\n height: 32px;\\n min-width: 32px;\\n min-height: 32px;\\n background-repeat: no-repeat;\\n background-size: contain;\\n display: flex;\\n justify-content: center;\\n}\\ntr.file-picker__row[data-v-6aded0d9] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-6aded0d9] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\\n padding-inline: 2px 0;\\n}\\n@keyframes gradient-6aded0d9 {\\n 0% {\\n background-position: 0% 50%;\\n }\\n 50% {\\n background-position: 100% 50%;\\n }\\n to {\\n background-position: 0% 50%;\\n }\\n}\\n.loading-row .row-checkbox[data-v-6aded0d9] {\\n text-align: center !important;\\n}\\n.loading-row span[data-v-6aded0d9] {\\n display: inline-block;\\n height: 24px;\\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\\n background-size: 600px 100%;\\n border-radius: var(--border-radius);\\n animation: gradient-6aded0d9 12s ease infinite;\\n}\\n.loading-row .row-wrapper[data-v-6aded0d9] {\\n display: inline-flex;\\n align-items: center;\\n}\\n.loading-row .row-checkbox span[data-v-6aded0d9] {\\n width: 24px;\\n}\\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\\n margin-inline-start: 6px;\\n width: 130px;\\n}\\n.loading-row .row-size span[data-v-6aded0d9] {\\n width: 80px;\\n}\\n.loading-row .row-modified span[data-v-6aded0d9] {\\n width: 90px;\\n}\\ntr.file-picker__row[data-v-48df4f27] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-48df4f27] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-48df4f27] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-48df4f27] {\\n padding-inline: 2px 0;\\n}\\n.file-picker__row--selected[data-v-48df4f27] {\\n background-color: var(--color-background-dark);\\n}\\n.file-picker__row[data-v-48df4f27]:hover {\\n background-color: var(--color-background-hover);\\n}\\n.file-picker__name-container[data-v-48df4f27] {\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n height: 100%;\\n}\\n.file-picker__file-name[data-v-48df4f27] {\\n padding-inline-start: 6px;\\n min-width: 0;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n}\\n.file-picker__file-extension[data-v-48df4f27] {\\n color: var(--color-text-maxcontrast);\\n min-width: fit-content;\\n}\\n.file-picker__header-preview[data-v-d3c94818] {\\n width: 22px;\\n height: 32px;\\n flex: 0 0 auto;\\n}\\n.file-picker__files[data-v-d3c94818] {\\n margin: 2px;\\n margin-inline-start: 12px;\\n overflow: scroll auto;\\n}\\n.file-picker__files table[data-v-d3c94818] {\\n width: 100%;\\n max-height: 100%;\\n table-layout: fixed;\\n}\\n.file-picker__files th[data-v-d3c94818] {\\n position: sticky;\\n z-index: 1;\\n top: 0;\\n background-color: var(--color-main-background);\\n padding: 2px;\\n}\\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\\n display: flex;\\n}\\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\\n width: 44px;\\n}\\n.file-picker__files th.row-name[data-v-d3c94818] {\\n width: 230px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] {\\n width: 100px;\\n}\\n.file-picker__files th.row-modified[data-v-d3c94818] {\\n width: 120px;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\\n justify-content: start;\\n flex-direction: row-reverse;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\\n padding-inline: 16px 4px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\\n justify-content: end;\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\\n color: var(--color-text-maxcontrast);\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\\n font-weight: 400;\\n}\\n.file-picker__breadcrumbs[data-v-a25a2652] {\\n flex-grow: 0 !important;\\n}\\n.file-picker__side[data-v-a06474d4] {\\n display: flex;\\n flex-direction: column;\\n align-items: stretch;\\n gap: .5rem;\\n min-width: 200px;\\n padding: 2px;\\n margin-block-start: 7px;\\n overflow: auto;\\n}\\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\\n justify-content: start;\\n}\\n.file-picker__filter-input[data-v-a06474d4] {\\n margin-block: 7px;\\n max-width: 260px;\\n}\\n@media (max-width: 736px) {\\n .file-picker__side[data-v-a06474d4] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__side[data-v-a06474d4] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n .file-picker__filter-input[data-v-a06474d4] {\\n max-width: unset;\\n }\\n}\\n.file-picker__navigation {\\n padding-inline: 8px 2px;\\n}\\n.file-picker__navigation,\\n.file-picker__navigation * {\\n box-sizing: border-box;\\n}\\n.file-picker__navigation .v-select.select {\\n min-width: 220px;\\n}\\n@media (min-width: 513px) and (max-width: 736px) {\\n .file-picker__navigation {\\n gap: 11px;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__navigation {\\n flex-direction: column-reverse !important;\\n }\\n}\\n.file-picker__view[data-v-9def3ca4] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-9def3ca4] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-9def3ca4] {\\n box-sizing: border-box;\\n width: 100%;\\n display: flex;\\n flex-direction: column;\\n min-height: 0;\\n flex: 1;\\n padding-inline: 2px;\\n}\\n.file-picker__main *[data-v-9def3ca4] {\\n box-sizing: border-box;\\n}\\n[data-v-9def3ca4] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-9def3ca4] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-9def3ca4] .file-picker__content {\\n display: flex;\\n flex-direction: column;\\n overflow: hidden;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.upload-picker[data-v-eca9500a] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-eca9500a] {\n width: 200px;\n max-width: 0;\n transition: max-width var(--animation-quick) ease-in-out;\n margin-top: 8px;\n}\n.upload-picker__progress p[data-v-eca9500a] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\n animation: breathing-eca9500a 3s ease-out infinite normal;\n}\n@keyframes breathing-eca9500a {\n 0% {\n opacity: .5;\n }\n 25% {\n opacity: 1;\n }\n 60% {\n opacity: .5;\n }\n to {\n opacity: .5;\n }\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css\"],\"names\":[],\"mappings\":\"AAAA;EACE,oBAAoB;EACpB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,YAAY;EACZ,YAAY;EACZ,wDAAwD;EACxD,eAAe;AACjB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,uBAAuB;AACzB;AACA;EACE,gBAAgB;EAChB,kBAAkB;EAClB,gBAAgB;AAClB;AACA;EACE,yDAAyD;AAC3D;AACA;EACE;IACE,WAAW;EACb;EACA;IACE,UAAU;EACZ;EACA;IACE,WAAW;EACb;EACA;IACE,WAAW;EACb;AACF\",\"sourcesContent\":[\".upload-picker[data-v-eca9500a] {\\n display: inline-flex;\\n align-items: center;\\n height: 44px;\\n}\\n.upload-picker__progress[data-v-eca9500a] {\\n width: 200px;\\n max-width: 0;\\n transition: max-width var(--animation-quick) ease-in-out;\\n margin-top: 8px;\\n}\\n.upload-picker__progress p[data-v-eca9500a] {\\n overflow: hidden;\\n white-space: nowrap;\\n text-overflow: ellipsis;\\n}\\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\\n max-width: 200px;\\n margin-right: 20px;\\n margin-left: 8px;\\n}\\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\\n animation: breathing-eca9500a 3s ease-out infinite normal;\\n}\\n@keyframes breathing-eca9500a {\\n 0% {\\n opacity: .5;\\n }\\n 25% {\\n opacity: 1;\\n }\\n 60% {\\n opacity: .5;\\n }\\n to {\\n opacity: .5;\\n }\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__breadcrumbs[data-v-740bb6f2]{flex:1 1 100% !important;width:100%;height:100%;margin-block:0;margin-inline:10px}.files-list__breadcrumbs[data-v-740bb6f2] a{cursor:pointer !important}.files-list__breadcrumbs--with-progress[data-v-740bb6f2]{flex-direction:column !important;align-items:flex-start !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/BreadCrumbs.vue\"],\"names\":[],\"mappings\":\"AACA,0CAEC,wBAAA,CACA,UAAA,CACA,WAAA,CACA,cAAA,CACA,kBAAA,CAGC,6CACC,yBAAA,CAIF,yDACC,gCAAA,CACA,iCAAA\",\"sourcesContent\":[\"\\n.files-list__breadcrumbs {\\n\\t// Take as much space as possible\\n\\tflex: 1 1 100% !important;\\n\\twidth: 100%;\\n\\theight: 100%;\\n\\tmargin-block: 0;\\n\\tmargin-inline: 10px;\\n\\n\\t:deep() {\\n\\t\\ta {\\n\\t\\t\\tcursor: pointer !important;\\n\\t\\t}\\n\\t}\\n\\n\\t&--with-progress {\\n\\t\\tflex-direction: column !important;\\n\\t\\talign-items: flex-start !important;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__drag-drop-notice[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;width:100%;min-height:113px;margin:0;user-select:none;color:var(--color-text-maxcontrast);background-color:var(--color-main-background);border-color:#000}.files-list__drag-drop-notice h3[data-v-02c943a6]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;height:15vh;max-height:70%;padding:0 5vw;border:2px var(--color-border-dark) dashed;border-radius:var(--border-radius-large)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/DragAndDropNotice.vue\"],\"names\":[],\"mappings\":\"AACA,+CACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CAEA,gBAAA,CACA,QAAA,CACA,gBAAA,CACA,mCAAA,CACA,6CAAA,CACA,iBAAA,CAEA,kDACC,gBAAA,CACA,aAAA,CAGD,uDACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,WAAA,CACA,cAAA,CACA,aAAA,CACA,0CAAA,CACA,wCAAA\",\"sourcesContent\":[\"\\n.files-list__drag-drop-notice {\\n\\tdisplay: flex;\\n\\talign-items: center;\\n\\tjustify-content: center;\\n\\twidth: 100%;\\n\\t// Breadcrumbs height + row thead height\\n\\tmin-height: calc(58px + 55px);\\n\\tmargin: 0;\\n\\tuser-select: none;\\n\\tcolor: var(--color-text-maxcontrast);\\n\\tbackground-color: var(--color-main-background);\\n\\tborder-color: black;\\n\\n\\th3 {\\n\\t\\tmargin-left: 16px;\\n\\t\\tcolor: inherit;\\n\\t}\\n\\n\\t&-wrapper {\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\tjustify-content: center;\\n\\t\\theight: 15vh;\\n\\t\\tmax-height: 70%;\\n\\t\\tpadding: 0 5vw;\\n\\t\\tborder: 2px var(--color-border-dark) dashed;\\n\\t\\tborder-radius: var(--border-radius-large);\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list-drag-image{position:absolute;top:-9999px;left:-9999px;display:flex;overflow:hidden;align-items:center;height:44px;padding:6px 12px;background:var(--color-main-background)}.files-list-drag-image__icon,.files-list-drag-image .files-list__row-icon{display:flex;overflow:hidden;align-items:center;justify-content:center;width:32px;height:32px;border-radius:var(--border-radius)}.files-list-drag-image__icon{overflow:visible;margin-right:12px}.files-list-drag-image__icon img{max-width:100%;max-height:100%}.files-list-drag-image__icon .material-design-icon{color:var(--color-text-maxcontrast)}.files-list-drag-image__icon .material-design-icon.folder-icon{color:var(--color-primary-element)}.files-list-drag-image__icon>span{display:flex}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon{margin-top:6px;margin-left:-26px}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon+.files-list__row-icon{margin-top:12px}.files-list-drag-image__icon>span:not(:empty)+*{display:none}.files-list-drag-image__name{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/DragAndDropPreview.vue\"],\"names\":[],\"mappings\":\"AAIA,uBACC,iBAAA,CACA,WAAA,CACA,YAAA,CACA,YAAA,CACA,eAAA,CACA,kBAAA,CACA,WAAA,CACA,gBAAA,CACA,uCAAA,CAEA,0EAEC,YAAA,CACA,eAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CACA,WAAA,CACA,kCAAA,CAGD,6BACC,gBAAA,CACA,iBAAA,CAEA,iCACC,cAAA,CACA,eAAA,CAGD,mDACC,mCAAA,CACA,+DACC,kCAAA,CAKF,kCACC,YAAA,CAGA,8EACC,cA9CU,CA+CV,iBAAA,CACA,oGACC,eAAA,CAKF,gDACC,YAAA,CAKH,6BACC,eAAA,CACA,kBAAA,CACA,sBAAA\",\"sourcesContent\":[\"\\n$size: 32px;\\n$stack-shift: 6px;\\n\\n.files-list-drag-image {\\n\\tposition: absolute;\\n\\ttop: -9999px;\\n\\tleft: -9999px;\\n\\tdisplay: flex;\\n\\toverflow: hidden;\\n\\talign-items: center;\\n\\theight: 44px;\\n\\tpadding: 6px 12px;\\n\\tbackground: var(--color-main-background);\\n\\n\\t&__icon,\\n\\t.files-list__row-icon {\\n\\t\\tdisplay: flex;\\n\\t\\toverflow: hidden;\\n\\t\\talign-items: center;\\n\\t\\tjustify-content: center;\\n\\t\\twidth: 32px;\\n\\t\\theight: 32px;\\n\\t\\tborder-radius: var(--border-radius);\\n\\t}\\n\\n\\t&__icon {\\n\\t\\toverflow: visible;\\n\\t\\tmargin-right: 12px;\\n\\n\\t\\timg {\\n\\t\\t\\tmax-width: 100%;\\n\\t\\t\\tmax-height: 100%;\\n\\t\\t}\\n\\n\\t\\t.material-design-icon {\\n\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t\\t&.folder-icon {\\n\\t\\t\\t\\tcolor: var(--color-primary-element);\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Previews container\\n\\t\\t> span {\\n\\t\\t\\tdisplay: flex;\\n\\n\\t\\t\\t// Stack effect if more than one element\\n\\t\\t\\t.files-list__row-icon + .files-list__row-icon {\\n\\t\\t\\t\\tmargin-top: $stack-shift;\\n\\t\\t\\t\\tmargin-left: $stack-shift - $size;\\n\\t\\t\\t\\t& + .files-list__row-icon {\\n\\t\\t\\t\\t\\tmargin-top: $stack-shift * 2;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t\\t// If we have manually clone the preview,\\n\\t\\t\\t// let's hide any fallback icons\\n\\t\\t\\t&:not(:empty) + * {\\n\\t\\t\\t\\tdisplay: none;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n\\n\\t&__name {\\n\\t\\toverflow: hidden;\\n\\t\\twhite-space: nowrap;\\n\\t\\ttext-overflow: ellipsis;\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.favorite-marker-icon[data-v-04e52abc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg path{stroke:var(--color-main-background);stroke-width:8px;stroke-linejoin:round;paint-order:stroke}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FileEntry/FavoriteIcon.vue\"],\"names\":[],\"mappings\":\"AACA,uCACC,aAAA,CAEA,0BAAA,CACG,2BAAA,CAGF,4CAEC,qBAAA,CACA,sBAAA,CAGA,0BAAA,CACA,2BAAA,CAGA,iDACC,mCAAA,CACA,gBAAA,CACA,qBAAA,CACA,kBAAA\",\"sourcesContent\":[\"\\n.favorite-marker-icon {\\n\\tcolor: #a08b00;\\n\\t// Override NcIconSvgWrapper defaults (clickable area)\\n\\tmin-width: unset !important;\\n min-height: unset !important;\\n\\n\\t:deep() {\\n\\t\\tsvg {\\n\\t\\t\\t// We added a stroke for a11y so we must increase the size to include the stroke\\n\\t\\t\\twidth: 26px !important;\\n\\t\\t\\theight: 26px !important;\\n\\n\\t\\t\\t// Override NcIconSvgWrapper defaults of 20px\\n\\t\\t\\tmax-width: unset !important;\\n\\t\\t\\tmax-height: unset !important;\\n\\n\\t\\t\\t// Sow a border around the icon for better contrast\\n\\t\\t\\tpath {\\n\\t\\t\\t\\tstroke: var(--color-main-background);\\n\\t\\t\\t\\tstroke-width: 8px;\\n\\t\\t\\t\\tstroke-linejoin: round;\\n\\t\\t\\t\\tpaint-order: stroke;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `main.app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper[data-popper-placement=top]{transform:translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper .v-popper__arrow-container{display:none}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue\"],\"names\":[],\"mappings\":\"AAGA,uDACC,6EAAA,CAGA,kFAEC,iGAAA,CAGD,kFACC,YAAA\",\"sourcesContent\":[\"\\n// Allow right click to define the position of the menu\\n// only if defined\\nmain.app-content[style*=\\\"mouse-pos-x\\\"] .v-popper__popper {\\n\\ttransform: translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important;\\n\\n\\t// If the menu is too close to the bottom, we move it up\\n\\t&[data-popper-placement=\\\"top\\\"] {\\n\\t\\t// 34px added to align with the top of the cursor\\n\\t\\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important;\\n\\t}\\n\\t// Hide arrow if floating\\n\\t.v-popper__arrow-container {\\n\\t\\tdisplay: none;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `[data-v-03cc6660] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-03cc6660] .button-vue--icon-and-text .button-vue__icon{color:var(--color-primary-element)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue\"],\"names\":[],\"mappings\":\"AAEC,+DACC,kCAAA,CAED,+DACC,kCAAA\",\"sourcesContent\":[\"\\n:deep(.button-vue--icon-and-text, .files-list__row-action-sharing-status) {\\n\\t.button-vue__text {\\n\\t\\tcolor: var(--color-primary-element);\\n\\t}\\n\\t.button-vue__icon {\\n\\t\\tcolor: var(--color-primary-element);\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `tr[data-v-a85bde20]{margin-bottom:300px;border-top:1px solid var(--color-border);background-color:rgba(0,0,0,0) !important;border-bottom:none !important}tr td[data-v-a85bde20]{user-select:none;color:var(--color-text-maxcontrast) !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableFooter.vue\"],\"names\":[],\"mappings\":\"AAEA,oBACC,mBAAA,CACA,wCAAA,CAEA,yCAAA,CACA,6BAAA,CAEA,uBACC,gBAAA,CAEA,8CAAA\",\"sourcesContent\":[\"\\n// Scoped row\\ntr {\\n\\tmargin-bottom: 300px;\\n\\tborder-top: 1px solid var(--color-border);\\n\\t// Prevent hover effect on the whole row\\n\\tbackground-color: transparent !important;\\n\\tborder-bottom: none !important;\\n\\n\\ttd {\\n\\t\\tuser-select: none;\\n\\t\\t// Make sure the cell colors don't apply to column headers\\n\\t\\tcolor: var(--color-text-maxcontrast) !important;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__column[data-v-952162c2]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-952162c2]{cursor:pointer}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableHeader.vue\"],\"names\":[],\"mappings\":\"AACA,qCACC,gBAAA,CAEA,8CAAA,CAEA,+CACC,cAAA\",\"sourcesContent\":[\"\\n.files-list__column {\\n\\tuser-select: none;\\n\\t// Make sure the cell colors don't apply to column headers\\n\\tcolor: var(--color-text-maxcontrast) !important;\\n\\n\\t&--sortable {\\n\\t\\tcursor: pointer;\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__row-actions-batch[data-v-d939292c]{flex:1 1 100% !important;max-width:100%}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableHeaderActions.vue\"],\"names\":[],\"mappings\":\"AACA,gDACC,wBAAA,CACA,cAAA\",\"sourcesContent\":[\"\\n.files-list__row-actions-batch {\\n\\tflex: 1 1 100% !important;\\n\\tmax-width: 100%;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__column-sort-button[data-v-097f69d4]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-097f69d4]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-097f69d4]{color:var(--color-text-maxcontrast);opacity:0;transition:opacity var(--animation-quick);inset-inline-start:-10px}.files-list__column-sort-button--size .files-list__column-sort-button-icon[data-v-097f69d4]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-097f69d4]{opacity:1}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableHeaderButton.vue\"],\"names\":[],\"mappings\":\"AACA,iDAEC,oCAAA,CACA,sDAAA,CAEA,sDACC,mCAAA,CACA,kBAAA,CAGD,sDACC,mCAAA,CACA,SAAA,CACA,yCAAA,CACA,wBAAA,CAGD,4FACC,uBAAA,CAGD,mXAIC,SAAA\",\"sourcesContent\":[\"\\n.files-list__column-sort-button {\\n\\t// Compensate for cells margin\\n\\tmargin: 0 calc(var(--cell-margin) * -1);\\n\\tmin-width: calc(100% - 3 * var(--cell-margin))!important;\\n\\n\\t&-text {\\n\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\tfont-weight: normal;\\n\\t}\\n\\n\\t&-icon {\\n\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\topacity: 0;\\n\\t\\ttransition: opacity var(--animation-quick);\\n\\t\\tinset-inline-start: -10px;\\n\\t}\\n\\n\\t&--size &-icon {\\n\\t\\tinset-inline-start: 10px;\\n\\t}\\n\\n\\t&--active &-icon,\\n\\t&:hover &-icon,\\n\\t&:focus &-icon,\\n\\t&:active &-icon {\\n\\t\\topacity: 1;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list[data-v-2bbbfb12]{--row-height: 55px;--cell-margin: 14px;--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);--checkbox-size: 24px;--clickable-area: 44px;--icon-preview-size: 32px;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-2bbbfb12] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2bbbfb12] tbody tr{contain:strict}.files-list[data-v-2bbbfb12] tbody tr:hover,.files-list[data-v-2bbbfb12] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2bbbfb12] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2bbbfb12] .files-list__table{display:block}.files-list[data-v-2bbbfb12] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2bbbfb12] .files-list__thead-overlay{position:sticky;top:0;margin-left:var(--row-height);z-index:20;display:flex;align-items:center;background-color:var(--color-main-background);border-bottom:1px solid var(--color-border);height:var(--row-height)}.files-list[data-v-2bbbfb12] .files-list__thead,.files-list[data-v-2bbbfb12] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2bbbfb12] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2bbbfb12] .files-list__tfoot{min-height:300px}.files-list[data-v-2bbbfb12] tr{position:relative;display:flex;align-items:center;width:100%;user-select:none;border-bottom:1px solid var(--color-border);box-sizing:border-box;user-select:none;height:var(--row-height)}.files-list[data-v-2bbbfb12] td,.files-list[data-v-2bbbfb12] th{display:flex;align-items:center;flex:0 0 auto;justify-content:left;width:var(--row-height);height:var(--row-height);margin:0;padding:0;color:var(--color-text-maxcontrast);border:none}.files-list[data-v-2bbbfb12] td span,.files-list[data-v-2bbbfb12] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2bbbfb12] .files-list__row--failed{position:absolute;display:block;top:0;left:0;right:0;bottom:0;opacity:.1;z-index:-1;background:var(--color-error)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch label.checkbox-radio-switch__label{width:var(--clickable-area);height:var(--clickable-area);margin:0;padding:calc((var(--clickable-area) - var(--checkbox-size))/2)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2bbbfb12] .files-list__row:hover,.files-list[data-v-2bbbfb12] .files-list__row:focus,.files-list[data-v-2bbbfb12] .files-list__row:active,.files-list[data-v-2bbbfb12] .files-list__row--active,.files-list[data-v-2bbbfb12] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2bbbfb12] .files-list__row:hover>*,.files-list[data-v-2bbbfb12] .files-list__row:focus>*,.files-list[data-v-2bbbfb12] .files-list__row:active>*,.files-list[data-v-2bbbfb12] .files-list__row--active>*,.files-list[data-v-2bbbfb12] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2bbbfb12] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2bbbfb12] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2bbbfb12] .files-list__row-icon{position:relative;display:flex;overflow:visible;align-items:center;flex:0 0 var(--icon-preview-size);justify-content:center;width:var(--icon-preview-size);height:100%;margin-right:var(--checkbox-padding);color:var(--color-primary-element)}.files-list[data-v-2bbbfb12] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2bbbfb12] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2bbbfb12] .files-list__row-icon>span:not(.files-list__row-icon-favorite) svg{width:var(--icon-preview-size);height:var(--icon-preview-size)}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon svg{width:calc(var(--icon-preview-size) + 6px);height:calc(var(--icon-preview-size) + 6px)}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview{overflow:hidden;width:var(--icon-preview-size);height:var(--icon-preview-size);border-radius:var(--border-radius);object-fit:contain;object-position:center}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2bbbfb12] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay{position:absolute;max-height:calc(var(--icon-preview-size)*.5);max-width:calc(var(--icon-preview-size)*.5);color:var(--color-primary-element-text);margin-top:2px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2bbbfb12] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2bbbfb12] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus .files-list__row-name-text{outline:2px solid var(--color-main-text) !important;border-radius:20px}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-text{color:var(--color-main-text);padding:5px 10px;margin-left:-10px;display:inline-flex}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2bbbfb12] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2bbbfb12] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2bbbfb12] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2bbbfb12] .files-list__row-actions{width:auto}.files-list[data-v-2bbbfb12] .files-list__row-actions~td,.files-list[data-v-2bbbfb12] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2bbbfb12] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2bbbfb12] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2bbbfb12] .files-list__row-mtime,.files-list[data-v-2bbbfb12] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2bbbfb12] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2bbbfb12] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2bbbfb12] .files-list__row-column-custom{width:calc(var(--row-height)*2)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListVirtual.vue\"],\"names\":[],\"mappings\":\"AACA,6BACC,kBAAA,CACA,mBAAA,CAEA,wEAAA,CACA,qBAAA,CACA,sBAAA,CACA,yBAAA,CAEA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAEA,uFAEC,qCAAA,CAIF,yDAEC,eAAA,CACA,KAAA,CAEA,6BAAA,CAEA,UAAA,CAEA,YAAA,CACA,kBAAA,CAGA,6CAAA,CACA,2CAAA,CACA,wBAAA,CAGD,kGAEC,YAAA,CACA,qBAAA,CACA,UAAA,CACA,6CAAA,CAKD,iDAEC,eAAA,CACA,UAAA,CACA,KAAA,CAID,iDACC,gBAAA,CAGD,iCACC,iBAAA,CACA,YAAA,CACA,kBAAA,CACA,UAAA,CACA,gBAAA,CACA,2CAAA,CACA,qBAAA,CACA,gBAAA,CACA,wBAAA,CAGD,kEACC,YAAA,CACA,kBAAA,CACA,aAAA,CACA,oBAAA,CACA,uBAAA,CACA,wBAAA,CACA,QAAA,CACA,SAAA,CACA,mCAAA,CACA,WAAA,CAKA,4EACC,eAAA,CACA,kBAAA,CACA,sBAAA,CAIF,uDACC,iBAAA,CACA,aAAA,CACA,KAAA,CACA,MAAA,CACA,OAAA,CACA,QAAA,CACA,UAAA,CACA,UAAA,CACA,6BAAA,CAGD,wDACC,sBAAA,CAEA,+EACC,YAAA,CACA,sBAAA,CAEA,iCAAA,CAEA,kHACC,2BAAA,CACA,4BAAA,CACA,QAAA,CACA,8DAAA,CAGD,4GACC,mBAAA,CAMF,gRAEC,8CAAA,CAGA,gDAAA,CACA,0RACC,wCAAA,CAID,2aACC,oCAAA,CAIF,2DAEC,mBAAA,CAKF,oDACC,iBAAA,CACA,YAAA,CACA,gBAAA,CACA,kBAAA,CAEA,iCAAA,CACA,sBAAA,CACA,8BAAA,CACA,WAAA,CAEA,oCAAA,CACA,kCAAA,CAGA,sDACC,cAAA,CAGD,yDACC,0BAAA,CAEA,iGACC,8BAAA,CACA,+BAAA,CAID,+IAEC,WAAA,CACA,uJACC,0CAAA,CACA,2CAAA,CAKH,4DACC,eAAA,CACA,8BAAA,CACA,+BAAA,CACA,kCAAA,CAEA,kBAAA,CACA,sBAAA,CAGA,uGACC,oCAAA,CAKF,6DACC,iBAAA,CACA,OAAA,CACA,WAAA,CAID,4DACC,iBAAA,CACA,4CAAA,CACA,2CAAA,CACA,uCAAA,CAEA,cAAA,CAGA,kEACC,4BAAA,CACA,uCAAA,CACA,kBAAA,CAMH,oDAEC,eAAA,CAEA,aAAA,CAEA,sDACC,YAAA,CACA,kBAAA,CAEA,UAAA,CACA,WAAA,CAEA,WAAA,CAGA,oEACC,YAAA,CAID,uFACC,mDAAA,CACA,kBAAA,CAED,2GACC,uBAAA,CAIF,+EACC,4BAAA,CAEA,gBAAA,CACA,iBAAA,CAEA,mBAAA,CAGD,8EACC,mCAAA,CAEA,gBAAA,CAKF,sDACC,UAAA,CACA,eAAA,CACA,4DACC,UAAA,CAEA,gBAAA,CACA,eAAA,CACA,gBAAA,CAEA,oEAEC,+BAAA,CACA,SAAA,CAKH,uDAEC,UAAA,CAGA,oHAEC,2BAAA,CAIA,gFAEC,kBAAA,CAKH,8DACC,gBAAA,CAGD,yGAEC,mCAAA,CAED,oDACC,iCAAA,CAEA,wBAAA,CAGD,qDACC,+BAAA,CAGD,6DACC,+BAAA\",\"sourcesContent\":[\"\\n.files-list {\\n\\t--row-height: 55px;\\n\\t--cell-margin: 14px;\\n\\n\\t--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);\\n\\t--checkbox-size: 24px;\\n\\t--clickable-area: 44px;\\n\\t--icon-preview-size: 32px;\\n\\n\\toverflow: auto;\\n\\theight: 100%;\\n\\twill-change: scroll-position;\\n\\n\\t& :deep() {\\n\\t\\t// Table head, body and footer\\n\\t\\ttbody {\\n\\t\\t\\twill-change: padding;\\n\\t\\t\\tcontain: layout paint style;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\t// Necessary for virtual scrolling absolute\\n\\t\\t\\tposition: relative;\\n\\n\\t\\t\\t/* Hover effect on tbody lines only */\\n\\t\\t\\ttr {\\n\\t\\t\\t\\tcontain: strict;\\n\\t\\t\\t\\t&:hover,\\n\\t\\t\\t\\t&:focus {\\n\\t\\t\\t\\t\\tbackground-color: var(--color-background-dark);\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Before table and thead\\n\\t\\t.files-list__before {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t}\\n\\n\\t\\t.files-list__table {\\n\\t\\t\\tdisplay: block;\\n\\n\\t\\t\\t&.files-list__table--with-thead-overlay {\\n\\t\\t\\t\\t// Hide the table header below the overlay\\n\\t\\t\\t\\tmargin-top: calc(-1 * var(--row-height));\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__thead-overlay {\\n\\t\\t\\t// Pinned on top when scrolling\\n\\t\\t\\tposition: sticky;\\n\\t\\t\\ttop: 0;\\n\\t\\t\\t// Save space for a row checkbox\\n\\t\\t\\tmargin-left: var(--row-height);\\n\\t\\t\\t// More than .files-list__thead\\n\\t\\t\\tz-index: 20;\\n\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\talign-items: center;\\n\\n\\t\\t\\t// Reuse row styles\\n\\t\\t\\tbackground-color: var(--color-main-background);\\n\\t\\t\\tborder-bottom: 1px solid var(--color-border);\\n\\t\\t\\theight: var(--row-height);\\n\\t\\t}\\n\\n\\t\\t.files-list__thead,\\n\\t\\t.files-list__tfoot {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\tbackground-color: var(--color-main-background);\\n\\n\\t\\t}\\n\\n\\t\\t// Table header\\n\\t\\t.files-list__thead {\\n\\t\\t\\t// Pinned on top when scrolling\\n\\t\\t\\tposition: sticky;\\n\\t\\t\\tz-index: 10;\\n\\t\\t\\ttop: 0;\\n\\t\\t}\\n\\n\\t\\t// Table footer\\n\\t\\t.files-list__tfoot {\\n\\t\\t\\tmin-height: 300px;\\n\\t\\t}\\n\\n\\t\\ttr {\\n\\t\\t\\tposition: relative;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\talign-items: center;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\tuser-select: none;\\n\\t\\t\\tborder-bottom: 1px solid var(--color-border);\\n\\t\\t\\tbox-sizing: border-box;\\n\\t\\t\\tuser-select: none;\\n\\t\\t\\theight: var(--row-height);\\n\\t\\t}\\n\\n\\t\\ttd, th {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\talign-items: center;\\n\\t\\t\\tflex: 0 0 auto;\\n\\t\\t\\tjustify-content: left;\\n\\t\\t\\twidth: var(--row-height);\\n\\t\\t\\theight: var(--row-height);\\n\\t\\t\\tmargin: 0;\\n\\t\\t\\tpadding: 0;\\n\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t\\tborder: none;\\n\\n\\t\\t\\t// Columns should try to add any text\\n\\t\\t\\t// node wrapped in a span. That should help\\n\\t\\t\\t// with the ellipsis on overflow.\\n\\t\\t\\tspan {\\n\\t\\t\\t\\toverflow: hidden;\\n\\t\\t\\t\\twhite-space: nowrap;\\n\\t\\t\\t\\ttext-overflow: ellipsis;\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row--failed {\\n\\t\\t\\tposition: absolute;\\n\\t\\t\\tdisplay: block;\\n\\t\\t\\ttop: 0;\\n\\t\\t\\tleft: 0;\\n\\t\\t\\tright: 0;\\n\\t\\t\\tbottom: 0;\\n\\t\\t\\topacity: .1;\\n\\t\\t\\tz-index: -1;\\n\\t\\t\\tbackground: var(--color-error);\\n\\t\\t}\\n\\n\\t\\t.files-list__row-checkbox {\\n\\t\\t\\tjustify-content: center;\\n\\n\\t\\t\\t.checkbox-radio-switch {\\n\\t\\t\\t\\tdisplay: flex;\\n\\t\\t\\t\\tjustify-content: center;\\n\\n\\t\\t\\t\\t--icon-size: var(--checkbox-size);\\n\\n\\t\\t\\t\\tlabel.checkbox-radio-switch__label {\\n\\t\\t\\t\\t\\twidth: var(--clickable-area);\\n\\t\\t\\t\\t\\theight: var(--clickable-area);\\n\\t\\t\\t\\t\\tmargin: 0;\\n\\t\\t\\t\\t\\tpadding: calc((var(--clickable-area) - var(--checkbox-size)) / 2);\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t.checkbox-radio-switch__icon {\\n\\t\\t\\t\\t\\tmargin: 0 !important;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row {\\n\\t\\t\\t&:hover, &:focus, &:active, &--active, &--dragover {\\n\\t\\t\\t\\t// WCAG AA compliant\\n\\t\\t\\t\\tbackground-color: var(--color-background-hover);\\n\\t\\t\\t\\t// text-maxcontrast have been designed to pass WCAG AA over\\n\\t\\t\\t\\t// a white background, we need to adjust then.\\n\\t\\t\\t\\t--color-text-maxcontrast: var(--color-main-text);\\n\\t\\t\\t\\t> * {\\n\\t\\t\\t\\t\\t--color-border: var(--color-border-dark);\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t// Hover state of the row should also change the favorite markers background\\n\\t\\t\\t\\t.favorite-marker-icon svg path {\\n\\t\\t\\t\\t\\tstroke: var(--color-background-hover);\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t&--dragover * {\\n\\t\\t\\t\\t// Prevent dropping on row children\\n\\t\\t\\t\\tpointer-events: none;\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Entry preview or mime icon\\n\\t\\t.files-list__row-icon {\\n\\t\\t\\tposition: relative;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\toverflow: visible;\\n\\t\\t\\talign-items: center;\\n\\t\\t\\t// No shrinking or growing allowed\\n\\t\\t\\tflex: 0 0 var(--icon-preview-size);\\n\\t\\t\\tjustify-content: center;\\n\\t\\t\\twidth: var(--icon-preview-size);\\n\\t\\t\\theight: 100%;\\n\\t\\t\\t// Show same padding as the checkbox right padding for visual balance\\n\\t\\t\\tmargin-right: var(--checkbox-padding);\\n\\t\\t\\tcolor: var(--color-primary-element);\\n\\n\\t\\t\\t// Icon is also clickable\\n\\t\\t\\t* {\\n\\t\\t\\t\\tcursor: pointer;\\n\\t\\t\\t}\\n\\n\\t\\t\\t& > span {\\n\\t\\t\\t\\tjustify-content: flex-start;\\n\\n\\t\\t\\t\\t&:not(.files-list__row-icon-favorite) svg {\\n\\t\\t\\t\\t\\twidth: var(--icon-preview-size);\\n\\t\\t\\t\\t\\theight: var(--icon-preview-size);\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t// Slightly increase the size of the folder icon\\n\\t\\t\\t\\t&.folder-icon,\\n\\t\\t\\t\\t&.folder-open-icon {\\n\\t\\t\\t\\t\\tmargin: -3px;\\n\\t\\t\\t\\t\\tsvg {\\n\\t\\t\\t\\t\\t\\twidth: calc(var(--icon-preview-size) + 6px);\\n\\t\\t\\t\\t\\t\\theight: calc(var(--icon-preview-size) + 6px);\\n\\t\\t\\t\\t\\t}\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t&-preview {\\n\\t\\t\\t\\toverflow: hidden;\\n\\t\\t\\t\\twidth: var(--icon-preview-size);\\n\\t\\t\\t\\theight: var(--icon-preview-size);\\n\\t\\t\\t\\tborder-radius: var(--border-radius);\\n\\t\\t\\t\\t// Center and contain the preview\\n\\t\\t\\t\\tobject-fit: contain;\\n\\t\\t\\t\\tobject-position: center;\\n\\n\\t\\t\\t\\t/* Preview not loaded animation effect */\\n\\t\\t\\t\\t&:not(.files-list__row-icon-preview--loaded) {\\n\\t\\t\\t\\t\\tbackground: var(--color-loading-dark);\\n\\t\\t\\t\\t\\t// animation: preview-gradient-fade 1.2s ease-in-out infinite;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t&-favorite {\\n\\t\\t\\t\\tposition: absolute;\\n\\t\\t\\t\\ttop: 0px;\\n\\t\\t\\t\\tright: -10px;\\n\\t\\t\\t}\\n\\n\\t\\t\\t// File and folder overlay\\n\\t\\t\\t&-overlay {\\n\\t\\t\\t\\tposition: absolute;\\n\\t\\t\\t\\tmax-height: calc(var(--icon-preview-size) * 0.5);\\n\\t\\t\\t\\tmax-width: calc(var(--icon-preview-size) * 0.5);\\n\\t\\t\\t\\tcolor: var(--color-primary-element-text);\\n\\t\\t\\t\\t// better alignment with the folder icon\\n\\t\\t\\t\\tmargin-top: 2px;\\n\\n\\t\\t\\t\\t// Improve icon contrast with a background for files\\n\\t\\t\\t\\t&--file {\\n\\t\\t\\t\\t\\tcolor: var(--color-main-text);\\n\\t\\t\\t\\t\\tbackground: var(--color-main-background);\\n\\t\\t\\t\\t\\tborder-radius: 100%;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Entry link\\n\\t\\t.files-list__row-name {\\n\\t\\t\\t// Prevent link from overflowing\\n\\t\\t\\toverflow: hidden;\\n\\t\\t\\t// Take as much space as possible\\n\\t\\t\\tflex: 1 1 auto;\\n\\n\\t\\t\\ta {\\n\\t\\t\\t\\tdisplay: flex;\\n\\t\\t\\t\\talign-items: center;\\n\\t\\t\\t\\t// Fill cell height and width\\n\\t\\t\\t\\twidth: 100%;\\n\\t\\t\\t\\theight: 100%;\\n\\t\\t\\t\\t// Necessary for flex grow to work\\n\\t\\t\\t\\tmin-width: 0;\\n\\n\\t\\t\\t\\t// Already added to the inner text, see rule below\\n\\t\\t\\t\\t&:focus-visible {\\n\\t\\t\\t\\t\\toutline: none;\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t// Keyboard indicator a11y\\n\\t\\t\\t\\t&:focus .files-list__row-name-text {\\n\\t\\t\\t\\t\\toutline: 2px solid var(--color-main-text) !important;\\n\\t\\t\\t\\t\\tborder-radius: 20px;\\n\\t\\t\\t\\t}\\n\\t\\t\\t\\t&:focus:not(:focus-visible) .files-list__row-name-text {\\n\\t\\t\\t\\t\\toutline: none !important;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t.files-list__row-name-text {\\n\\t\\t\\t\\tcolor: var(--color-main-text);\\n\\t\\t\\t\\t// Make some space for the outline\\n\\t\\t\\t\\tpadding: 5px 10px;\\n\\t\\t\\t\\tmargin-left: -10px;\\n\\t\\t\\t\\t// Align two name and ext\\n\\t\\t\\t\\tdisplay: inline-flex;\\n\\t\\t\\t}\\n\\n\\t\\t\\t.files-list__row-name-ext {\\n\\t\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t\\t\\t// always show the extension\\n\\t\\t\\t\\toverflow: visible;\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Rename form\\n\\t\\t.files-list__row-rename {\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\tmax-width: 600px;\\n\\t\\t\\tinput {\\n\\t\\t\\t\\twidth: 100%;\\n\\t\\t\\t\\t// Align with text, 0 - padding - border\\n\\t\\t\\t\\tmargin-left: -8px;\\n\\t\\t\\t\\tpadding: 2px 6px;\\n\\t\\t\\t\\tborder-width: 2px;\\n\\n\\t\\t\\t\\t&:invalid {\\n\\t\\t\\t\\t\\t// Show red border on invalid input\\n\\t\\t\\t\\t\\tborder-color: var(--color-error);\\n\\t\\t\\t\\t\\tcolor: red;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row-actions {\\n\\t\\t\\t// take as much space as necessary\\n\\t\\t\\twidth: auto;\\n\\n\\t\\t\\t// Add margin to all cells after the actions\\n\\t\\t\\t& ~ td,\\n\\t\\t\\t& ~ th {\\n\\t\\t\\t\\tmargin: 0 var(--cell-margin);\\n\\t\\t\\t}\\n\\n\\t\\t\\tbutton {\\n\\t\\t\\t\\t.button-vue__text {\\n\\t\\t\\t\\t\\t// Remove bold from default button styling\\n\\t\\t\\t\\t\\tfont-weight: normal;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row-action--inline {\\n\\t\\t\\tmargin-right: 7px;\\n\\t\\t}\\n\\n\\t\\t.files-list__row-mtime,\\n\\t\\t.files-list__row-size {\\n\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t}\\n\\t\\t.files-list__row-size {\\n\\t\\t\\twidth: calc(var(--row-height) * 1.5);\\n\\t\\t\\t// Right align content/text\\n\\t\\t\\tjustify-content: flex-end;\\n\\t\\t}\\n\\n\\t\\t.files-list__row-mtime {\\n\\t\\t\\twidth: calc(var(--row-height) * 2);\\n\\t\\t}\\n\\n\\t\\t.files-list__row-column-custom {\\n\\t\\t\\twidth: calc(var(--row-height) * 2);\\n\\t\\t}\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `tbody.files-list__tbody.files-list__tbody--grid{--half-clickable-area: calc(var(--clickable-area) / 2);--row-width: 160px;--row-height: calc(var(--row-width) - var(--half-clickable-area));--icon-preview-size: calc(var(--row-width) - var(--clickable-area));--checkbox-padding: 0px;display:grid;grid-template-columns:repeat(auto-fill, var(--row-width));grid-gap:15px;row-gap:15px;align-content:center;align-items:center;justify-content:space-around;justify-items:center}tbody.files-list__tbody.files-list__tbody--grid tr{width:var(--row-width);height:calc(var(--row-height) + var(--clickable-area));border:none;border-radius:var(--border-radius)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-checkbox{position:absolute;z-index:9;top:0;left:0;overflow:hidden;width:var(--clickable-area);height:var(--clickable-area);border-radius:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-icon-favorite{position:absolute;top:0;right:0;display:flex;align-items:center;justify-content:center;width:var(--clickable-area);height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name{display:grid;justify-content:stretch;width:100%;height:100%;grid-auto-rows:var(--row-height) var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name span.files-list__row-icon{width:100%;height:100%;padding-top:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name a.files-list__row-name-link{width:calc(100% - var(--clickable-area));height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name .files-list__row-name-text{margin:0;padding-right:0}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-actions{position:absolute;right:0;bottom:0;width:var(--clickable-area);height:var(--clickable-area)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListVirtual.vue\"],\"names\":[],\"mappings\":\"AAEA,gDACC,sDAAA,CACA,kBAAA,CAEA,iEAAA,CACA,mEAAA,CACA,uBAAA,CAEA,YAAA,CACA,yDAAA,CACA,aAAA,CACA,YAAA,CAEA,oBAAA,CACA,kBAAA,CACA,4BAAA,CACA,oBAAA,CAEA,mDACC,sBAAA,CACA,sDAAA,CACA,WAAA,CACA,kCAAA,CAID,0EACC,iBAAA,CACA,SAAA,CACA,KAAA,CACA,MAAA,CACA,eAAA,CACA,2BAAA,CACA,4BAAA,CACA,wCAAA,CAID,+EACC,iBAAA,CACA,KAAA,CACA,OAAA,CACA,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,2BAAA,CACA,4BAAA,CAGD,sEACC,YAAA,CACA,uBAAA,CACA,UAAA,CACA,WAAA,CACA,sDAAA,CAEA,gGACC,UAAA,CACA,WAAA,CAGA,sCAAA,CAGD,kGAEC,wCAAA,CACA,4BAAA,CAGD,iGACC,QAAA,CACA,eAAA,CAIF,yEACC,iBAAA,CACA,OAAA,CACA,QAAA,CACA,2BAAA,CACA,4BAAA\",\"sourcesContent\":[\"\\n// Grid mode\\ntbody.files-list__tbody.files-list__tbody--grid {\\n\\t--half-clickable-area: calc(var(--clickable-area) / 2);\\n\\t--row-width: 160px;\\n\\t// We use half of the clickable area as visual balance margin\\n\\t--row-height: calc(var(--row-width) - var(--half-clickable-area));\\n\\t--icon-preview-size: calc(var(--row-width) - var(--clickable-area));\\n\\t--checkbox-padding: 0px;\\n\\n\\tdisplay: grid;\\n\\tgrid-template-columns: repeat(auto-fill, var(--row-width));\\n\\tgrid-gap: 15px;\\n\\trow-gap: 15px;\\n\\n\\talign-content: center;\\n\\talign-items: center;\\n\\tjustify-content: space-around;\\n\\tjustify-items: center;\\n\\n\\ttr {\\n\\t\\twidth: var(--row-width);\\n\\t\\theight: calc(var(--row-height) + var(--clickable-area));\\n\\t\\tborder: none;\\n\\t\\tborder-radius: var(--border-radius);\\n\\t}\\n\\n\\t// Checkbox in the top left\\n\\t.files-list__row-checkbox {\\n\\t\\tposition: absolute;\\n\\t\\tz-index: 9;\\n\\t\\ttop: 0;\\n\\t\\tleft: 0;\\n\\t\\toverflow: hidden;\\n\\t\\twidth: var(--clickable-area);\\n\\t\\theight: var(--clickable-area);\\n\\t\\tborder-radius: var(--half-clickable-area);\\n\\t}\\n\\n\\t// Star icon in the top right\\n\\t.files-list__row-icon-favorite {\\n\\t\\tposition: absolute;\\n\\t\\ttop: 0;\\n\\t\\tright: 0;\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\tjustify-content: center;\\n\\t\\twidth: var(--clickable-area);\\n\\t\\theight: var(--clickable-area);\\n\\t}\\n\\n\\t.files-list__row-name {\\n\\t\\tdisplay: grid;\\n\\t\\tjustify-content: stretch;\\n\\t\\twidth: 100%;\\n\\t\\theight: 100%;\\n\\t\\tgrid-auto-rows: var(--row-height) var(--clickable-area);\\n\\n\\t\\tspan.files-list__row-icon {\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\theight: 100%;\\n\\t\\t\\t// Visual balance, we use half of the clickable area\\n\\t\\t\\t// as a margin around the preview\\n\\t\\t\\tpadding-top: var(--half-clickable-area);\\n\\t\\t}\\n\\n\\t\\ta.files-list__row-name-link {\\n\\t\\t\\t// Minus action menu\\n\\t\\t\\twidth: calc(100% - var(--clickable-area));\\n\\t\\t\\theight: var(--clickable-area);\\n\\t\\t}\\n\\n\\t\\t.files-list__row-name-text {\\n\\t\\t\\tmargin: 0;\\n\\t\\t\\tpadding-right: 0;\\n\\t\\t}\\n\\t}\\n\\n\\t.files-list__row-actions {\\n\\t\\tposition: absolute;\\n\\t\\tright: 0;\\n\\t\\tbottom: 0;\\n\\t\\twidth: var(--clickable-area);\\n\\t\\theight: var(--clickable-area);\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-navigation-entry__settings-quota--not-unlimited[data-v-063ed938] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-063ed938]{position:absolute;bottom:12px;margin-left:44px;width:calc(100% - 44px - 22px)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/NavigationQuota.vue\"],\"names\":[],\"mappings\":\"AAIC,kGACC,eAAA,CAGD,gEACC,iBAAA,CACA,WAAA,CACA,gBAAA,CACA,8BAAA\",\"sourcesContent\":[\"\\n// User storage stats display\\n.app-navigation-entry__settings-quota {\\n\\t// Align title with progress and icon\\n\\t&--not-unlimited::v-deep .app-navigation-entry__name {\\n\\t\\tmargin-top: -6px;\\n\\t}\\n\\n\\tprogress {\\n\\t\\tposition: absolute;\\n\\t\\tbottom: 12px;\\n\\t\\tmargin-left: 44px;\\n\\t\\twidth: calc(100% - 44px - 22px);\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-content[data-v-dcc61216]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-dcc61216]{display:flex;align-items:center;flex:0 0;max-width:100%;margin-block:var(--app-navigation-padding, 4px);margin-inline:calc(var(--default-clickable-area, 44px) + 2*var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px)}.files-list__header>*[data-v-dcc61216]{flex:0 0}.files-list__header-share-button[data-v-dcc61216]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-dcc61216]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-dcc61216]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-dcc61216]{margin:auto}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/FilesList.vue\"],\"names\":[],\"mappings\":\"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,4BAAA,CAIA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CACA,cAAA,CAEA,+CAAA,CACA,iIAAA,CAEA,uCAGC,QAAA,CAGD,kDACC,8CAAA,CAEA,0DACC,uCAAA,CAKH,2CACC,aAAA,CACA,UAAA,CACA,WAAA,CAGD,2CACC,WAAA\",\"sourcesContent\":[\"\\n.app-content {\\n\\t// Virtual list needs to be full height and is scrollable\\n\\tdisplay: flex;\\n\\toverflow: hidden;\\n\\tflex-direction: column;\\n\\tmax-height: 100%;\\n\\tposition: relative !important;\\n}\\n\\n.files-list {\\n\\t&__header {\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\t// Do not grow or shrink (vertically)\\n\\t\\tflex: 0 0;\\n\\t\\tmax-width: 100%;\\n\\t\\t// Align with the navigation toggle icon\\n\\t\\tmargin-block: var(--app-navigation-padding, 4px);\\n\\t\\tmargin-inline: calc(var(--default-clickable-area, 44px) + 2 * var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px);\\n\\n\\t\\t>* {\\n\\t\\t\\t// Do not grow or shrink (horizontally)\\n\\t\\t\\t// Only the breadcrumbs shrinks\\n\\t\\t\\tflex: 0 0;\\n\\t\\t}\\n\\n\\t\\t&-share-button {\\n\\t\\t\\tcolor: var(--color-text-maxcontrast) !important;\\n\\n\\t\\t\\t&--shared {\\n\\t\\t\\t\\tcolor: var(--color-main-text) !important;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n\\n\\t&__refresh-icon {\\n\\t\\tflex: 0 0 44px;\\n\\t\\twidth: 44px;\\n\\t\\theight: 44px;\\n\\t}\\n\\n\\t&__loading-icon {\\n\\t\\tmargin: auto;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-navigation[data-v-8291caa8] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-8291caa8] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-8291caa8]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-8291caa8]{height:auto !important;overflow:hidden !important;padding-top:0 !important;flex:0 0 auto}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/Navigation.vue\"],\"names\":[],\"mappings\":\"AAEA,4DACC,2BAAA,CACA,0BAAA,CAGD,oGACC,uCAAA,CAGD,yDAEC,gDAAA,CAGD,iDACC,sBAAA,CACA,0BAAA,CACA,wBAAA,CAEA,aAAA\",\"sourcesContent\":[\"\\n// TODO: remove when https://github.com/nextcloud/nextcloud-vue/pull/3539 is in\\n.app-navigation::v-deep .app-navigation-entry-icon {\\n\\tbackground-repeat: no-repeat;\\n\\tbackground-position: center;\\n}\\n\\n.app-navigation::v-deep .app-navigation-entry.active .button-vue.icon-collapse:not(:hover) {\\n\\tcolor: var(--color-primary-element-text);\\n}\\n\\n.app-navigation > ul.app-navigation__list {\\n\\t// Use flex gap value for more elegant spacing\\n\\tpadding-bottom: var(--default-grid-baseline, 4px);\\n}\\n\\n.app-navigation-entry__settings {\\n\\theight: auto !important;\\n\\toverflow: hidden !important;\\n\\tpadding-top: 0 !important;\\n\\t// Prevent shrinking or growing\\n\\tflex: 0 0 auto;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.setting-link[data-v-109572de]:hover{text-decoration:underline}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/Settings.vue\"],\"names\":[],\"mappings\":\"AACA,qCACC,yBAAA\",\"sourcesContent\":[\"\\n.setting-link:hover {\\n\\ttext-decoration: underline;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n",";(function (sax) { // wrapper for non-node envs\n sax.parser = function (strict, opt) { return new SAXParser(strict, opt) }\n sax.SAXParser = SAXParser\n sax.SAXStream = SAXStream\n sax.createStream = createStream\n\n // When we pass the MAX_BUFFER_LENGTH position, start checking for buffer overruns.\n // When we check, schedule the next check for MAX_BUFFER_LENGTH - (max(buffer lengths)),\n // since that's the earliest that a buffer overrun could occur. This way, checks are\n // as rare as required, but as often as necessary to ensure never crossing this bound.\n // Furthermore, buffers are only tested at most once per write(), so passing a very\n // large string into write() might have undesirable effects, but this is manageable by\n // the caller, so it is assumed to be safe. Thus, a call to write() may, in the extreme\n // edge case, result in creating at most one complete copy of the string passed in.\n // Set to Infinity to have unlimited buffers.\n sax.MAX_BUFFER_LENGTH = 64 * 1024\n\n var buffers = [\n 'comment', 'sgmlDecl', 'textNode', 'tagName', 'doctype',\n 'procInstName', 'procInstBody', 'entity', 'attribName',\n 'attribValue', 'cdata', 'script'\n ]\n\n sax.EVENTS = [\n 'text',\n 'processinginstruction',\n 'sgmldeclaration',\n 'doctype',\n 'comment',\n 'opentagstart',\n 'attribute',\n 'opentag',\n 'closetag',\n 'opencdata',\n 'cdata',\n 'closecdata',\n 'error',\n 'end',\n 'ready',\n 'script',\n 'opennamespace',\n 'closenamespace'\n ]\n\n function SAXParser (strict, opt) {\n if (!(this instanceof SAXParser)) {\n return new SAXParser(strict, opt)\n }\n\n var parser = this\n clearBuffers(parser)\n parser.q = parser.c = ''\n parser.bufferCheckPosition = sax.MAX_BUFFER_LENGTH\n parser.opt = opt || {}\n parser.opt.lowercase = parser.opt.lowercase || parser.opt.lowercasetags\n parser.looseCase = parser.opt.lowercase ? 'toLowerCase' : 'toUpperCase'\n parser.tags = []\n parser.closed = parser.closedRoot = parser.sawRoot = false\n parser.tag = parser.error = null\n parser.strict = !!strict\n parser.noscript = !!(strict || parser.opt.noscript)\n parser.state = S.BEGIN\n parser.strictEntities = parser.opt.strictEntities\n parser.ENTITIES = parser.strictEntities ? Object.create(sax.XML_ENTITIES) : Object.create(sax.ENTITIES)\n parser.attribList = []\n\n // namespaces form a prototype chain.\n // it always points at the current tag,\n // which protos to its parent tag.\n if (parser.opt.xmlns) {\n parser.ns = Object.create(rootNS)\n }\n\n // mostly just for error reporting\n parser.trackPosition = parser.opt.position !== false\n if (parser.trackPosition) {\n parser.position = parser.line = parser.column = 0\n }\n emit(parser, 'onready')\n }\n\n if (!Object.create) {\n Object.create = function (o) {\n function F () {}\n F.prototype = o\n var newf = new F()\n return newf\n }\n }\n\n if (!Object.keys) {\n Object.keys = function (o) {\n var a = []\n for (var i in o) if (o.hasOwnProperty(i)) a.push(i)\n return a\n }\n }\n\n function checkBufferLength (parser) {\n var maxAllowed = Math.max(sax.MAX_BUFFER_LENGTH, 10)\n var maxActual = 0\n for (var i = 0, l = buffers.length; i < l; i++) {\n var len = parser[buffers[i]].length\n if (len > maxAllowed) {\n // Text/cdata nodes can get big, and since they're buffered,\n // we can get here under normal conditions.\n // Avoid issues by emitting the text node now,\n // so at least it won't get any bigger.\n switch (buffers[i]) {\n case 'textNode':\n closeText(parser)\n break\n\n case 'cdata':\n emitNode(parser, 'oncdata', parser.cdata)\n parser.cdata = ''\n break\n\n case 'script':\n emitNode(parser, 'onscript', parser.script)\n parser.script = ''\n break\n\n default:\n error(parser, 'Max buffer length exceeded: ' + buffers[i])\n }\n }\n maxActual = Math.max(maxActual, len)\n }\n // schedule the next check for the earliest possible buffer overrun.\n var m = sax.MAX_BUFFER_LENGTH - maxActual\n parser.bufferCheckPosition = m + parser.position\n }\n\n function clearBuffers (parser) {\n for (var i = 0, l = buffers.length; i < l; i++) {\n parser[buffers[i]] = ''\n }\n }\n\n function flushBuffers (parser) {\n closeText(parser)\n if (parser.cdata !== '') {\n emitNode(parser, 'oncdata', parser.cdata)\n parser.cdata = ''\n }\n if (parser.script !== '') {\n emitNode(parser, 'onscript', parser.script)\n parser.script = ''\n }\n }\n\n SAXParser.prototype = {\n end: function () { end(this) },\n write: write,\n resume: function () { this.error = null; return this },\n close: function () { return this.write(null) },\n flush: function () { flushBuffers(this) }\n }\n\n var Stream\n try {\n Stream = require('stream').Stream\n } catch (ex) {\n Stream = function () {}\n }\n if (!Stream) Stream = function () {}\n\n var streamWraps = sax.EVENTS.filter(function (ev) {\n return ev !== 'error' && ev !== 'end'\n })\n\n function createStream (strict, opt) {\n return new SAXStream(strict, opt)\n }\n\n function SAXStream (strict, opt) {\n if (!(this instanceof SAXStream)) {\n return new SAXStream(strict, opt)\n }\n\n Stream.apply(this)\n\n this._parser = new SAXParser(strict, opt)\n this.writable = true\n this.readable = true\n\n var me = this\n\n this._parser.onend = function () {\n me.emit('end')\n }\n\n this._parser.onerror = function (er) {\n me.emit('error', er)\n\n // if didn't throw, then means error was handled.\n // go ahead and clear error, so we can write again.\n me._parser.error = null\n }\n\n this._decoder = null\n\n streamWraps.forEach(function (ev) {\n Object.defineProperty(me, 'on' + ev, {\n get: function () {\n return me._parser['on' + ev]\n },\n set: function (h) {\n if (!h) {\n me.removeAllListeners(ev)\n me._parser['on' + ev] = h\n return h\n }\n me.on(ev, h)\n },\n enumerable: true,\n configurable: false\n })\n })\n }\n\n SAXStream.prototype = Object.create(Stream.prototype, {\n constructor: {\n value: SAXStream\n }\n })\n\n SAXStream.prototype.write = function (data) {\n if (typeof Buffer === 'function' &&\n typeof Buffer.isBuffer === 'function' &&\n Buffer.isBuffer(data)) {\n if (!this._decoder) {\n var SD = require('string_decoder').StringDecoder\n this._decoder = new SD('utf8')\n }\n data = this._decoder.write(data)\n }\n\n this._parser.write(data.toString())\n this.emit('data', data)\n return true\n }\n\n SAXStream.prototype.end = function (chunk) {\n if (chunk && chunk.length) {\n this.write(chunk)\n }\n this._parser.end()\n return true\n }\n\n SAXStream.prototype.on = function (ev, handler) {\n var me = this\n if (!me._parser['on' + ev] && streamWraps.indexOf(ev) !== -1) {\n me._parser['on' + ev] = function () {\n var args = arguments.length === 1 ? [arguments[0]] : Array.apply(null, arguments)\n args.splice(0, 0, ev)\n me.emit.apply(me, args)\n }\n }\n\n return Stream.prototype.on.call(me, ev, handler)\n }\n\n // this really needs to be replaced with character classes.\n // XML allows all manner of ridiculous numbers and digits.\n var CDATA = '[CDATA['\n var DOCTYPE = 'DOCTYPE'\n var XML_NAMESPACE = 'http://www.w3.org/XML/1998/namespace'\n var XMLNS_NAMESPACE = 'http://www.w3.org/2000/xmlns/'\n var rootNS = { xml: XML_NAMESPACE, xmlns: XMLNS_NAMESPACE }\n\n // http://www.w3.org/TR/REC-xml/#NT-NameStartChar\n // This implementation works on strings, a single character at a time\n // as such, it cannot ever support astral-plane characters (10000-EFFFF)\n // without a significant breaking change to either this parser, or the\n // JavaScript language. Implementation of an emoji-capable xml parser\n // is left as an exercise for the reader.\n var nameStart = /[:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]/\n\n var nameBody = /[:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD\\u00B7\\u0300-\\u036F\\u203F-\\u2040.\\d-]/\n\n var entityStart = /[#:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]/\n var entityBody = /[#:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD\\u00B7\\u0300-\\u036F\\u203F-\\u2040.\\d-]/\n\n function isWhitespace (c) {\n return c === ' ' || c === '\\n' || c === '\\r' || c === '\\t'\n }\n\n function isQuote (c) {\n return c === '\"' || c === '\\''\n }\n\n function isAttribEnd (c) {\n return c === '>' || isWhitespace(c)\n }\n\n function isMatch (regex, c) {\n return regex.test(c)\n }\n\n function notMatch (regex, c) {\n return !isMatch(regex, c)\n }\n\n var S = 0\n sax.STATE = {\n BEGIN: S++, // leading byte order mark or whitespace\n BEGIN_WHITESPACE: S++, // leading whitespace\n TEXT: S++, // general stuff\n TEXT_ENTITY: S++, // &amp and such.\n OPEN_WAKA: S++, // <\n SGML_DECL: S++, // <!BLARG\n SGML_DECL_QUOTED: S++, // <!BLARG foo \"bar\n DOCTYPE: S++, // <!DOCTYPE\n DOCTYPE_QUOTED: S++, // <!DOCTYPE \"//blah\n DOCTYPE_DTD: S++, // <!DOCTYPE \"//blah\" [ ...\n DOCTYPE_DTD_QUOTED: S++, // <!DOCTYPE \"//blah\" [ \"foo\n COMMENT_STARTING: S++, // <!-\n COMMENT: S++, // <!--\n COMMENT_ENDING: S++, // <!-- blah -\n COMMENT_ENDED: S++, // <!-- blah --\n CDATA: S++, // <![CDATA[ something\n CDATA_ENDING: S++, // ]\n CDATA_ENDING_2: S++, // ]]\n PROC_INST: S++, // <?hi\n PROC_INST_BODY: S++, // <?hi there\n PROC_INST_ENDING: S++, // <?hi \"there\" ?\n OPEN_TAG: S++, // <strong\n OPEN_TAG_SLASH: S++, // <strong /\n ATTRIB: S++, // <a\n ATTRIB_NAME: S++, // <a foo\n ATTRIB_NAME_SAW_WHITE: S++, // <a foo _\n ATTRIB_VALUE: S++, // <a foo=\n ATTRIB_VALUE_QUOTED: S++, // <a foo=\"bar\n ATTRIB_VALUE_CLOSED: S++, // <a foo=\"bar\"\n ATTRIB_VALUE_UNQUOTED: S++, // <a foo=bar\n ATTRIB_VALUE_ENTITY_Q: S++, // <foo bar=\"&quot;\"\n ATTRIB_VALUE_ENTITY_U: S++, // <foo bar=&quot\n CLOSE_TAG: S++, // </a\n CLOSE_TAG_SAW_WHITE: S++, // </a >\n SCRIPT: S++, // <script> ...\n SCRIPT_ENDING: S++ // <script> ... <\n }\n\n sax.XML_ENTITIES = {\n 'amp': '&',\n 'gt': '>',\n 'lt': '<',\n 'quot': '\"',\n 'apos': \"'\"\n }\n\n sax.ENTITIES = {\n 'amp': '&',\n 'gt': '>',\n 'lt': '<',\n 'quot': '\"',\n 'apos': \"'\",\n 'AElig': 198,\n 'Aacute': 193,\n 'Acirc': 194,\n 'Agrave': 192,\n 'Aring': 197,\n 'Atilde': 195,\n 'Auml': 196,\n 'Ccedil': 199,\n 'ETH': 208,\n 'Eacute': 201,\n 'Ecirc': 202,\n 'Egrave': 200,\n 'Euml': 203,\n 'Iacute': 205,\n 'Icirc': 206,\n 'Igrave': 204,\n 'Iuml': 207,\n 'Ntilde': 209,\n 'Oacute': 211,\n 'Ocirc': 212,\n 'Ograve': 210,\n 'Oslash': 216,\n 'Otilde': 213,\n 'Ouml': 214,\n 'THORN': 222,\n 'Uacute': 218,\n 'Ucirc': 219,\n 'Ugrave': 217,\n 'Uuml': 220,\n 'Yacute': 221,\n 'aacute': 225,\n 'acirc': 226,\n 'aelig': 230,\n 'agrave': 224,\n 'aring': 229,\n 'atilde': 227,\n 'auml': 228,\n 'ccedil': 231,\n 'eacute': 233,\n 'ecirc': 234,\n 'egrave': 232,\n 'eth': 240,\n 'euml': 235,\n 'iacute': 237,\n 'icirc': 238,\n 'igrave': 236,\n 'iuml': 239,\n 'ntilde': 241,\n 'oacute': 243,\n 'ocirc': 244,\n 'ograve': 242,\n 'oslash': 248,\n 'otilde': 245,\n 'ouml': 246,\n 'szlig': 223,\n 'thorn': 254,\n 'uacute': 250,\n 'ucirc': 251,\n 'ugrave': 249,\n 'uuml': 252,\n 'yacute': 253,\n 'yuml': 255,\n 'copy': 169,\n 'reg': 174,\n 'nbsp': 160,\n 'iexcl': 161,\n 'cent': 162,\n 'pound': 163,\n 'curren': 164,\n 'yen': 165,\n 'brvbar': 166,\n 'sect': 167,\n 'uml': 168,\n 'ordf': 170,\n 'laquo': 171,\n 'not': 172,\n 'shy': 173,\n 'macr': 175,\n 'deg': 176,\n 'plusmn': 177,\n 'sup1': 185,\n 'sup2': 178,\n 'sup3': 179,\n 'acute': 180,\n 'micro': 181,\n 'para': 182,\n 'middot': 183,\n 'cedil': 184,\n 'ordm': 186,\n 'raquo': 187,\n 'frac14': 188,\n 'frac12': 189,\n 'frac34': 190,\n 'iquest': 191,\n 'times': 215,\n 'divide': 247,\n 'OElig': 338,\n 'oelig': 339,\n 'Scaron': 352,\n 'scaron': 353,\n 'Yuml': 376,\n 'fnof': 402,\n 'circ': 710,\n 'tilde': 732,\n 'Alpha': 913,\n 'Beta': 914,\n 'Gamma': 915,\n 'Delta': 916,\n 'Epsilon': 917,\n 'Zeta': 918,\n 'Eta': 919,\n 'Theta': 920,\n 'Iota': 921,\n 'Kappa': 922,\n 'Lambda': 923,\n 'Mu': 924,\n 'Nu': 925,\n 'Xi': 926,\n 'Omicron': 927,\n 'Pi': 928,\n 'Rho': 929,\n 'Sigma': 931,\n 'Tau': 932,\n 'Upsilon': 933,\n 'Phi': 934,\n 'Chi': 935,\n 'Psi': 936,\n 'Omega': 937,\n 'alpha': 945,\n 'beta': 946,\n 'gamma': 947,\n 'delta': 948,\n 'epsilon': 949,\n 'zeta': 950,\n 'eta': 951,\n 'theta': 952,\n 'iota': 953,\n 'kappa': 954,\n 'lambda': 955,\n 'mu': 956,\n 'nu': 957,\n 'xi': 958,\n 'omicron': 959,\n 'pi': 960,\n 'rho': 961,\n 'sigmaf': 962,\n 'sigma': 963,\n 'tau': 964,\n 'upsilon': 965,\n 'phi': 966,\n 'chi': 967,\n 'psi': 968,\n 'omega': 969,\n 'thetasym': 977,\n 'upsih': 978,\n 'piv': 982,\n 'ensp': 8194,\n 'emsp': 8195,\n 'thinsp': 8201,\n 'zwnj': 8204,\n 'zwj': 8205,\n 'lrm': 8206,\n 'rlm': 8207,\n 'ndash': 8211,\n 'mdash': 8212,\n 'lsquo': 8216,\n 'rsquo': 8217,\n 'sbquo': 8218,\n 'ldquo': 8220,\n 'rdquo': 8221,\n 'bdquo': 8222,\n 'dagger': 8224,\n 'Dagger': 8225,\n 'bull': 8226,\n 'hellip': 8230,\n 'permil': 8240,\n 'prime': 8242,\n 'Prime': 8243,\n 'lsaquo': 8249,\n 'rsaquo': 8250,\n 'oline': 8254,\n 'frasl': 8260,\n 'euro': 8364,\n 'image': 8465,\n 'weierp': 8472,\n 'real': 8476,\n 'trade': 8482,\n 'alefsym': 8501,\n 'larr': 8592,\n 'uarr': 8593,\n 'rarr': 8594,\n 'darr': 8595,\n 'harr': 8596,\n 'crarr': 8629,\n 'lArr': 8656,\n 'uArr': 8657,\n 'rArr': 8658,\n 'dArr': 8659,\n 'hArr': 8660,\n 'forall': 8704,\n 'part': 8706,\n 'exist': 8707,\n 'empty': 8709,\n 'nabla': 8711,\n 'isin': 8712,\n 'notin': 8713,\n 'ni': 8715,\n 'prod': 8719,\n 'sum': 8721,\n 'minus': 8722,\n 'lowast': 8727,\n 'radic': 8730,\n 'prop': 8733,\n 'infin': 8734,\n 'ang': 8736,\n 'and': 8743,\n 'or': 8744,\n 'cap': 8745,\n 'cup': 8746,\n 'int': 8747,\n 'there4': 8756,\n 'sim': 8764,\n 'cong': 8773,\n 'asymp': 8776,\n 'ne': 8800,\n 'equiv': 8801,\n 'le': 8804,\n 'ge': 8805,\n 'sub': 8834,\n 'sup': 8835,\n 'nsub': 8836,\n 'sube': 8838,\n 'supe': 8839,\n 'oplus': 8853,\n 'otimes': 8855,\n 'perp': 8869,\n 'sdot': 8901,\n 'lceil': 8968,\n 'rceil': 8969,\n 'lfloor': 8970,\n 'rfloor': 8971,\n 'lang': 9001,\n 'rang': 9002,\n 'loz': 9674,\n 'spades': 9824,\n 'clubs': 9827,\n 'hearts': 9829,\n 'diams': 9830\n }\n\n Object.keys(sax.ENTITIES).forEach(function (key) {\n var e = sax.ENTITIES[key]\n var s = typeof e === 'number' ? String.fromCharCode(e) : e\n sax.ENTITIES[key] = s\n })\n\n for (var s in sax.STATE) {\n sax.STATE[sax.STATE[s]] = s\n }\n\n // shorthand\n S = sax.STATE\n\n function emit (parser, event, data) {\n parser[event] && parser[event](data)\n }\n\n function emitNode (parser, nodeType, data) {\n if (parser.textNode) closeText(parser)\n emit(parser, nodeType, data)\n }\n\n function closeText (parser) {\n parser.textNode = textopts(parser.opt, parser.textNode)\n if (parser.textNode) emit(parser, 'ontext', parser.textNode)\n parser.textNode = ''\n }\n\n function textopts (opt, text) {\n if (opt.trim) text = text.trim()\n if (opt.normalize) text = text.replace(/\\s+/g, ' ')\n return text\n }\n\n function error (parser, er) {\n closeText(parser)\n if (parser.trackPosition) {\n er += '\\nLine: ' + parser.line +\n '\\nColumn: ' + parser.column +\n '\\nChar: ' + parser.c\n }\n er = new Error(er)\n parser.error = er\n emit(parser, 'onerror', er)\n return parser\n }\n\n function end (parser) {\n if (parser.sawRoot && !parser.closedRoot) strictFail(parser, 'Unclosed root tag')\n if ((parser.state !== S.BEGIN) &&\n (parser.state !== S.BEGIN_WHITESPACE) &&\n (parser.state !== S.TEXT)) {\n error(parser, 'Unexpected end')\n }\n closeText(parser)\n parser.c = ''\n parser.closed = true\n emit(parser, 'onend')\n SAXParser.call(parser, parser.strict, parser.opt)\n return parser\n }\n\n function strictFail (parser, message) {\n if (typeof parser !== 'object' || !(parser instanceof SAXParser)) {\n throw new Error('bad call to strictFail')\n }\n if (parser.strict) {\n error(parser, message)\n }\n }\n\n function newTag (parser) {\n if (!parser.strict) parser.tagName = parser.tagName[parser.looseCase]()\n var parent = parser.tags[parser.tags.length - 1] || parser\n var tag = parser.tag = { name: parser.tagName, attributes: {} }\n\n // will be overridden if tag contails an xmlns=\"foo\" or xmlns:foo=\"bar\"\n if (parser.opt.xmlns) {\n tag.ns = parent.ns\n }\n parser.attribList.length = 0\n emitNode(parser, 'onopentagstart', tag)\n }\n\n function qname (name, attribute) {\n var i = name.indexOf(':')\n var qualName = i < 0 ? [ '', name ] : name.split(':')\n var prefix = qualName[0]\n var local = qualName[1]\n\n // <x \"xmlns\"=\"http://foo\">\n if (attribute && name === 'xmlns') {\n prefix = 'xmlns'\n local = ''\n }\n\n return { prefix: prefix, local: local }\n }\n\n function attrib (parser) {\n if (!parser.strict) {\n parser.attribName = parser.attribName[parser.looseCase]()\n }\n\n if (parser.attribList.indexOf(parser.attribName) !== -1 ||\n parser.tag.attributes.hasOwnProperty(parser.attribName)) {\n parser.attribName = parser.attribValue = ''\n return\n }\n\n if (parser.opt.xmlns) {\n var qn = qname(parser.attribName, true)\n var prefix = qn.prefix\n var local = qn.local\n\n if (prefix === 'xmlns') {\n // namespace binding attribute. push the binding into scope\n if (local === 'xml' && parser.attribValue !== XML_NAMESPACE) {\n strictFail(parser,\n 'xml: prefix must be bound to ' + XML_NAMESPACE + '\\n' +\n 'Actual: ' + parser.attribValue)\n } else if (local === 'xmlns' && parser.attribValue !== XMLNS_NAMESPACE) {\n strictFail(parser,\n 'xmlns: prefix must be bound to ' + XMLNS_NAMESPACE + '\\n' +\n 'Actual: ' + parser.attribValue)\n } else {\n var tag = parser.tag\n var parent = parser.tags[parser.tags.length - 1] || parser\n if (tag.ns === parent.ns) {\n tag.ns = Object.create(parent.ns)\n }\n tag.ns[local] = parser.attribValue\n }\n }\n\n // defer onattribute events until all attributes have been seen\n // so any new bindings can take effect. preserve attribute order\n // so deferred events can be emitted in document order\n parser.attribList.push([parser.attribName, parser.attribValue])\n } else {\n // in non-xmlns mode, we can emit the event right away\n parser.tag.attributes[parser.attribName] = parser.attribValue\n emitNode(parser, 'onattribute', {\n name: parser.attribName,\n value: parser.attribValue\n })\n }\n\n parser.attribName = parser.attribValue = ''\n }\n\n function openTag (parser, selfClosing) {\n if (parser.opt.xmlns) {\n // emit namespace binding events\n var tag = parser.tag\n\n // add namespace info to tag\n var qn = qname(parser.tagName)\n tag.prefix = qn.prefix\n tag.local = qn.local\n tag.uri = tag.ns[qn.prefix] || ''\n\n if (tag.prefix && !tag.uri) {\n strictFail(parser, 'Unbound namespace prefix: ' +\n JSON.stringify(parser.tagName))\n tag.uri = qn.prefix\n }\n\n var parent = parser.tags[parser.tags.length - 1] || parser\n if (tag.ns && parent.ns !== tag.ns) {\n Object.keys(tag.ns).forEach(function (p) {\n emitNode(parser, 'onopennamespace', {\n prefix: p,\n uri: tag.ns[p]\n })\n })\n }\n\n // handle deferred onattribute events\n // Note: do not apply default ns to attributes:\n // http://www.w3.org/TR/REC-xml-names/#defaulting\n for (var i = 0, l = parser.attribList.length; i < l; i++) {\n var nv = parser.attribList[i]\n var name = nv[0]\n var value = nv[1]\n var qualName = qname(name, true)\n var prefix = qualName.prefix\n var local = qualName.local\n var uri = prefix === '' ? '' : (tag.ns[prefix] || '')\n var a = {\n name: name,\n value: value,\n prefix: prefix,\n local: local,\n uri: uri\n }\n\n // if there's any attributes with an undefined namespace,\n // then fail on them now.\n if (prefix && prefix !== 'xmlns' && !uri) {\n strictFail(parser, 'Unbound namespace prefix: ' +\n JSON.stringify(prefix))\n a.uri = prefix\n }\n parser.tag.attributes[name] = a\n emitNode(parser, 'onattribute', a)\n }\n parser.attribList.length = 0\n }\n\n parser.tag.isSelfClosing = !!selfClosing\n\n // process the tag\n parser.sawRoot = true\n parser.tags.push(parser.tag)\n emitNode(parser, 'onopentag', parser.tag)\n if (!selfClosing) {\n // special case for <script> in non-strict mode.\n if (!parser.noscript && parser.tagName.toLowerCase() === 'script') {\n parser.state = S.SCRIPT\n } else {\n parser.state = S.TEXT\n }\n parser.tag = null\n parser.tagName = ''\n }\n parser.attribName = parser.attribValue = ''\n parser.attribList.length = 0\n }\n\n function closeTag (parser) {\n if (!parser.tagName) {\n strictFail(parser, 'Weird empty close tag.')\n parser.textNode += '</>'\n parser.state = S.TEXT\n return\n }\n\n if (parser.script) {\n if (parser.tagName !== 'script') {\n parser.script += '</' + parser.tagName + '>'\n parser.tagName = ''\n parser.state = S.SCRIPT\n return\n }\n emitNode(parser, 'onscript', parser.script)\n parser.script = ''\n }\n\n // first make sure that the closing tag actually exists.\n // <a><b></c></b></a> will close everything, otherwise.\n var t = parser.tags.length\n var tagName = parser.tagName\n if (!parser.strict) {\n tagName = tagName[parser.looseCase]()\n }\n var closeTo = tagName\n while (t--) {\n var close = parser.tags[t]\n if (close.name !== closeTo) {\n // fail the first time in strict mode\n strictFail(parser, 'Unexpected close tag')\n } else {\n break\n }\n }\n\n // didn't find it. we already failed for strict, so just abort.\n if (t < 0) {\n strictFail(parser, 'Unmatched closing tag: ' + parser.tagName)\n parser.textNode += '</' + parser.tagName + '>'\n parser.state = S.TEXT\n return\n }\n parser.tagName = tagName\n var s = parser.tags.length\n while (s-- > t) {\n var tag = parser.tag = parser.tags.pop()\n parser.tagName = parser.tag.name\n emitNode(parser, 'onclosetag', parser.tagName)\n\n var x = {}\n for (var i in tag.ns) {\n x[i] = tag.ns[i]\n }\n\n var parent = parser.tags[parser.tags.length - 1] || parser\n if (parser.opt.xmlns && tag.ns !== parent.ns) {\n // remove namespace bindings introduced by tag\n Object.keys(tag.ns).forEach(function (p) {\n var n = tag.ns[p]\n emitNode(parser, 'onclosenamespace', { prefix: p, uri: n })\n })\n }\n }\n if (t === 0) parser.closedRoot = true\n parser.tagName = parser.attribValue = parser.attribName = ''\n parser.attribList.length = 0\n parser.state = S.TEXT\n }\n\n function parseEntity (parser) {\n var entity = parser.entity\n var entityLC = entity.toLowerCase()\n var num\n var numStr = ''\n\n if (parser.ENTITIES[entity]) {\n return parser.ENTITIES[entity]\n }\n if (parser.ENTITIES[entityLC]) {\n return parser.ENTITIES[entityLC]\n }\n entity = entityLC\n if (entity.charAt(0) === '#') {\n if (entity.charAt(1) === 'x') {\n entity = entity.slice(2)\n num = parseInt(entity, 16)\n numStr = num.toString(16)\n } else {\n entity = entity.slice(1)\n num = parseInt(entity, 10)\n numStr = num.toString(10)\n }\n }\n entity = entity.replace(/^0+/, '')\n if (isNaN(num) || numStr.toLowerCase() !== entity) {\n strictFail(parser, 'Invalid character entity')\n return '&' + parser.entity + ';'\n }\n\n return String.fromCodePoint(num)\n }\n\n function beginWhiteSpace (parser, c) {\n if (c === '<') {\n parser.state = S.OPEN_WAKA\n parser.startTagPosition = parser.position\n } else if (!isWhitespace(c)) {\n // have to process this as a text node.\n // weird, but happens.\n strictFail(parser, 'Non-whitespace before first tag.')\n parser.textNode = c\n parser.state = S.TEXT\n }\n }\n\n function charAt (chunk, i) {\n var result = ''\n if (i < chunk.length) {\n result = chunk.charAt(i)\n }\n return result\n }\n\n function write (chunk) {\n var parser = this\n if (this.error) {\n throw this.error\n }\n if (parser.closed) {\n return error(parser,\n 'Cannot write after close. Assign an onready handler.')\n }\n if (chunk === null) {\n return end(parser)\n }\n if (typeof chunk === 'object') {\n chunk = chunk.toString()\n }\n var i = 0\n var c = ''\n while (true) {\n c = charAt(chunk, i++)\n parser.c = c\n\n if (!c) {\n break\n }\n\n if (parser.trackPosition) {\n parser.position++\n if (c === '\\n') {\n parser.line++\n parser.column = 0\n } else {\n parser.column++\n }\n }\n\n switch (parser.state) {\n case S.BEGIN:\n parser.state = S.BEGIN_WHITESPACE\n if (c === '\\uFEFF') {\n continue\n }\n beginWhiteSpace(parser, c)\n continue\n\n case S.BEGIN_WHITESPACE:\n beginWhiteSpace(parser, c)\n continue\n\n case S.TEXT:\n if (parser.sawRoot && !parser.closedRoot) {\n var starti = i - 1\n while (c && c !== '<' && c !== '&') {\n c = charAt(chunk, i++)\n if (c && parser.trackPosition) {\n parser.position++\n if (c === '\\n') {\n parser.line++\n parser.column = 0\n } else {\n parser.column++\n }\n }\n }\n parser.textNode += chunk.substring(starti, i - 1)\n }\n if (c === '<' && !(parser.sawRoot && parser.closedRoot && !parser.strict)) {\n parser.state = S.OPEN_WAKA\n parser.startTagPosition = parser.position\n } else {\n if (!isWhitespace(c) && (!parser.sawRoot || parser.closedRoot)) {\n strictFail(parser, 'Text data outside of root node.')\n }\n if (c === '&') {\n parser.state = S.TEXT_ENTITY\n } else {\n parser.textNode += c\n }\n }\n continue\n\n case S.SCRIPT:\n // only non-strict\n if (c === '<') {\n parser.state = S.SCRIPT_ENDING\n } else {\n parser.script += c\n }\n continue\n\n case S.SCRIPT_ENDING:\n if (c === '/') {\n parser.state = S.CLOSE_TAG\n } else {\n parser.script += '<' + c\n parser.state = S.SCRIPT\n }\n continue\n\n case S.OPEN_WAKA:\n // either a /, ?, !, or text is coming next.\n if (c === '!') {\n parser.state = S.SGML_DECL\n parser.sgmlDecl = ''\n } else if (isWhitespace(c)) {\n // wait for it...\n } else if (isMatch(nameStart, c)) {\n parser.state = S.OPEN_TAG\n parser.tagName = c\n } else if (c === '/') {\n parser.state = S.CLOSE_TAG\n parser.tagName = ''\n } else if (c === '?') {\n parser.state = S.PROC_INST\n parser.procInstName = parser.procInstBody = ''\n } else {\n strictFail(parser, 'Unencoded <')\n // if there was some whitespace, then add that in.\n if (parser.startTagPosition + 1 < parser.position) {\n var pad = parser.position - parser.startTagPosition\n c = new Array(pad).join(' ') + c\n }\n parser.textNode += '<' + c\n parser.state = S.TEXT\n }\n continue\n\n case S.SGML_DECL:\n if ((parser.sgmlDecl + c).toUpperCase() === CDATA) {\n emitNode(parser, 'onopencdata')\n parser.state = S.CDATA\n parser.sgmlDecl = ''\n parser.cdata = ''\n } else if (parser.sgmlDecl + c === '--') {\n parser.state = S.COMMENT\n parser.comment = ''\n parser.sgmlDecl = ''\n } else if ((parser.sgmlDecl + c).toUpperCase() === DOCTYPE) {\n parser.state = S.DOCTYPE\n if (parser.doctype || parser.sawRoot) {\n strictFail(parser,\n 'Inappropriately located doctype declaration')\n }\n parser.doctype = ''\n parser.sgmlDecl = ''\n } else if (c === '>') {\n emitNode(parser, 'onsgmldeclaration', parser.sgmlDecl)\n parser.sgmlDecl = ''\n parser.state = S.TEXT\n } else if (isQuote(c)) {\n parser.state = S.SGML_DECL_QUOTED\n parser.sgmlDecl += c\n } else {\n parser.sgmlDecl += c\n }\n continue\n\n case S.SGML_DECL_QUOTED:\n if (c === parser.q) {\n parser.state = S.SGML_DECL\n parser.q = ''\n }\n parser.sgmlDecl += c\n continue\n\n case S.DOCTYPE:\n if (c === '>') {\n parser.state = S.TEXT\n emitNode(parser, 'ondoctype', parser.doctype)\n parser.doctype = true // just remember that we saw it.\n } else {\n parser.doctype += c\n if (c === '[') {\n parser.state = S.DOCTYPE_DTD\n } else if (isQuote(c)) {\n parser.state = S.DOCTYPE_QUOTED\n parser.q = c\n }\n }\n continue\n\n case S.DOCTYPE_QUOTED:\n parser.doctype += c\n if (c === parser.q) {\n parser.q = ''\n parser.state = S.DOCTYPE\n }\n continue\n\n case S.DOCTYPE_DTD:\n parser.doctype += c\n if (c === ']') {\n parser.state = S.DOCTYPE\n } else if (isQuote(c)) {\n parser.state = S.DOCTYPE_DTD_QUOTED\n parser.q = c\n }\n continue\n\n case S.DOCTYPE_DTD_QUOTED:\n parser.doctype += c\n if (c === parser.q) {\n parser.state = S.DOCTYPE_DTD\n parser.q = ''\n }\n continue\n\n case S.COMMENT:\n if (c === '-') {\n parser.state = S.COMMENT_ENDING\n } else {\n parser.comment += c\n }\n continue\n\n case S.COMMENT_ENDING:\n if (c === '-') {\n parser.state = S.COMMENT_ENDED\n parser.comment = textopts(parser.opt, parser.comment)\n if (parser.comment) {\n emitNode(parser, 'oncomment', parser.comment)\n }\n parser.comment = ''\n } else {\n parser.comment += '-' + c\n parser.state = S.COMMENT\n }\n continue\n\n case S.COMMENT_ENDED:\n if (c !== '>') {\n strictFail(parser, 'Malformed comment')\n // allow <!-- blah -- bloo --> in non-strict mode,\n // which is a comment of \" blah -- bloo \"\n parser.comment += '--' + c\n parser.state = S.COMMENT\n } else {\n parser.state = S.TEXT\n }\n continue\n\n case S.CDATA:\n if (c === ']') {\n parser.state = S.CDATA_ENDING\n } else {\n parser.cdata += c\n }\n continue\n\n case S.CDATA_ENDING:\n if (c === ']') {\n parser.state = S.CDATA_ENDING_2\n } else {\n parser.cdata += ']' + c\n parser.state = S.CDATA\n }\n continue\n\n case S.CDATA_ENDING_2:\n if (c === '>') {\n if (parser.cdata) {\n emitNode(parser, 'oncdata', parser.cdata)\n }\n emitNode(parser, 'onclosecdata')\n parser.cdata = ''\n parser.state = S.TEXT\n } else if (c === ']') {\n parser.cdata += ']'\n } else {\n parser.cdata += ']]' + c\n parser.state = S.CDATA\n }\n continue\n\n case S.PROC_INST:\n if (c === '?') {\n parser.state = S.PROC_INST_ENDING\n } else if (isWhitespace(c)) {\n parser.state = S.PROC_INST_BODY\n } else {\n parser.procInstName += c\n }\n continue\n\n case S.PROC_INST_BODY:\n if (!parser.procInstBody && isWhitespace(c)) {\n continue\n } else if (c === '?') {\n parser.state = S.PROC_INST_ENDING\n } else {\n parser.procInstBody += c\n }\n continue\n\n case S.PROC_INST_ENDING:\n if (c === '>') {\n emitNode(parser, 'onprocessinginstruction', {\n name: parser.procInstName,\n body: parser.procInstBody\n })\n parser.procInstName = parser.procInstBody = ''\n parser.state = S.TEXT\n } else {\n parser.procInstBody += '?' + c\n parser.state = S.PROC_INST_BODY\n }\n continue\n\n case S.OPEN_TAG:\n if (isMatch(nameBody, c)) {\n parser.tagName += c\n } else {\n newTag(parser)\n if (c === '>') {\n openTag(parser)\n } else if (c === '/') {\n parser.state = S.OPEN_TAG_SLASH\n } else {\n if (!isWhitespace(c)) {\n strictFail(parser, 'Invalid character in tag name')\n }\n parser.state = S.ATTRIB\n }\n }\n continue\n\n case S.OPEN_TAG_SLASH:\n if (c === '>') {\n openTag(parser, true)\n closeTag(parser)\n } else {\n strictFail(parser, 'Forward-slash in opening tag not followed by >')\n parser.state = S.ATTRIB\n }\n continue\n\n case S.ATTRIB:\n // haven't read the attribute name yet.\n if (isWhitespace(c)) {\n continue\n } else if (c === '>') {\n openTag(parser)\n } else if (c === '/') {\n parser.state = S.OPEN_TAG_SLASH\n } else if (isMatch(nameStart, c)) {\n parser.attribName = c\n parser.attribValue = ''\n parser.state = S.ATTRIB_NAME\n } else {\n strictFail(parser, 'Invalid attribute name')\n }\n continue\n\n case S.ATTRIB_NAME:\n if (c === '=') {\n parser.state = S.ATTRIB_VALUE\n } else if (c === '>') {\n strictFail(parser, 'Attribute without value')\n parser.attribValue = parser.attribName\n attrib(parser)\n openTag(parser)\n } else if (isWhitespace(c)) {\n parser.state = S.ATTRIB_NAME_SAW_WHITE\n } else if (isMatch(nameBody, c)) {\n parser.attribName += c\n } else {\n strictFail(parser, 'Invalid attribute name')\n }\n continue\n\n case S.ATTRIB_NAME_SAW_WHITE:\n if (c === '=') {\n parser.state = S.ATTRIB_VALUE\n } else if (isWhitespace(c)) {\n continue\n } else {\n strictFail(parser, 'Attribute without value')\n parser.tag.attributes[parser.attribName] = ''\n parser.attribValue = ''\n emitNode(parser, 'onattribute', {\n name: parser.attribName,\n value: ''\n })\n parser.attribName = ''\n if (c === '>') {\n openTag(parser)\n } else if (isMatch(nameStart, c)) {\n parser.attribName = c\n parser.state = S.ATTRIB_NAME\n } else {\n strictFail(parser, 'Invalid attribute name')\n parser.state = S.ATTRIB\n }\n }\n continue\n\n case S.ATTRIB_VALUE:\n if (isWhitespace(c)) {\n continue\n } else if (isQuote(c)) {\n parser.q = c\n parser.state = S.ATTRIB_VALUE_QUOTED\n } else {\n strictFail(parser, 'Unquoted attribute value')\n parser.state = S.ATTRIB_VALUE_UNQUOTED\n parser.attribValue = c\n }\n continue\n\n case S.ATTRIB_VALUE_QUOTED:\n if (c !== parser.q) {\n if (c === '&') {\n parser.state = S.ATTRIB_VALUE_ENTITY_Q\n } else {\n parser.attribValue += c\n }\n continue\n }\n attrib(parser)\n parser.q = ''\n parser.state = S.ATTRIB_VALUE_CLOSED\n continue\n\n case S.ATTRIB_VALUE_CLOSED:\n if (isWhitespace(c)) {\n parser.state = S.ATTRIB\n } else if (c === '>') {\n openTag(parser)\n } else if (c === '/') {\n parser.state = S.OPEN_TAG_SLASH\n } else if (isMatch(nameStart, c)) {\n strictFail(parser, 'No whitespace between attributes')\n parser.attribName = c\n parser.attribValue = ''\n parser.state = S.ATTRIB_NAME\n } else {\n strictFail(parser, 'Invalid attribute name')\n }\n continue\n\n case S.ATTRIB_VALUE_UNQUOTED:\n if (!isAttribEnd(c)) {\n if (c === '&') {\n parser.state = S.ATTRIB_VALUE_ENTITY_U\n } else {\n parser.attribValue += c\n }\n continue\n }\n attrib(parser)\n if (c === '>') {\n openTag(parser)\n } else {\n parser.state = S.ATTRIB\n }\n continue\n\n case S.CLOSE_TAG:\n if (!parser.tagName) {\n if (isWhitespace(c)) {\n continue\n } else if (notMatch(nameStart, c)) {\n if (parser.script) {\n parser.script += '</' + c\n parser.state = S.SCRIPT\n } else {\n strictFail(parser, 'Invalid tagname in closing tag.')\n }\n } else {\n parser.tagName = c\n }\n } else if (c === '>') {\n closeTag(parser)\n } else if (isMatch(nameBody, c)) {\n parser.tagName += c\n } else if (parser.script) {\n parser.script += '</' + parser.tagName\n parser.tagName = ''\n parser.state = S.SCRIPT\n } else {\n if (!isWhitespace(c)) {\n strictFail(parser, 'Invalid tagname in closing tag')\n }\n parser.state = S.CLOSE_TAG_SAW_WHITE\n }\n continue\n\n case S.CLOSE_TAG_SAW_WHITE:\n if (isWhitespace(c)) {\n continue\n }\n if (c === '>') {\n closeTag(parser)\n } else {\n strictFail(parser, 'Invalid characters in closing tag')\n }\n continue\n\n case S.TEXT_ENTITY:\n case S.ATTRIB_VALUE_ENTITY_Q:\n case S.ATTRIB_VALUE_ENTITY_U:\n var returnState\n var buffer\n switch (parser.state) {\n case S.TEXT_ENTITY:\n returnState = S.TEXT\n buffer = 'textNode'\n break\n\n case S.ATTRIB_VALUE_ENTITY_Q:\n returnState = S.ATTRIB_VALUE_QUOTED\n buffer = 'attribValue'\n break\n\n case S.ATTRIB_VALUE_ENTITY_U:\n returnState = S.ATTRIB_VALUE_UNQUOTED\n buffer = 'attribValue'\n break\n }\n\n if (c === ';') {\n if (parser.opt.unparsedEntities) {\n var parsedEntity = parseEntity(parser)\n parser.entity = ''\n parser.state = returnState\n parser.write(parsedEntity)\n } else {\n parser[buffer] += parseEntity(parser)\n parser.entity = ''\n parser.state = returnState\n }\n } else if (isMatch(parser.entity.length ? entityBody : entityStart, c)) {\n parser.entity += c\n } else {\n strictFail(parser, 'Invalid character in entity name')\n parser[buffer] += '&' + parser.entity + c\n parser.entity = ''\n parser.state = returnState\n }\n\n continue\n\n default: /* istanbul ignore next */ {\n throw new Error(parser, 'Unknown state: ' + parser.state)\n }\n }\n } // while\n\n if (parser.position >= parser.bufferCheckPosition) {\n checkBufferLength(parser)\n }\n return parser\n }\n\n /*! http://mths.be/fromcodepoint v0.1.0 by @mathias */\n /* istanbul ignore next */\n if (!String.fromCodePoint) {\n (function () {\n var stringFromCharCode = String.fromCharCode\n var floor = Math.floor\n var fromCodePoint = function () {\n var MAX_SIZE = 0x4000\n var codeUnits = []\n var highSurrogate\n var lowSurrogate\n var index = -1\n var length = arguments.length\n if (!length) {\n return ''\n }\n var result = ''\n while (++index < length) {\n var codePoint = Number(arguments[index])\n if (\n !isFinite(codePoint) || // `NaN`, `+Infinity`, or `-Infinity`\n codePoint < 0 || // not a valid Unicode code point\n codePoint > 0x10FFFF || // not a valid Unicode code point\n floor(codePoint) !== codePoint // not an integer\n ) {\n throw RangeError('Invalid code point: ' + codePoint)\n }\n if (codePoint <= 0xFFFF) { // BMP code point\n codeUnits.push(codePoint)\n } else { // Astral code point; split in surrogate halves\n // http://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae\n codePoint -= 0x10000\n highSurrogate = (codePoint >> 10) + 0xD800\n lowSurrogate = (codePoint % 0x400) + 0xDC00\n codeUnits.push(highSurrogate, lowSurrogate)\n }\n if (index + 1 === length || codeUnits.length > MAX_SIZE) {\n result += stringFromCharCode.apply(null, codeUnits)\n codeUnits.length = 0\n }\n }\n return result\n }\n /* istanbul ignore next */\n if (Object.defineProperty) {\n Object.defineProperty(String, 'fromCodePoint', {\n value: fromCodePoint,\n configurable: true,\n writable: true\n })\n } else {\n String.fromCodePoint = fromCodePoint\n }\n }())\n }\n})(typeof exports === 'undefined' ? this.sax = {} : exports)\n","(function (global, undefined) {\n \"use strict\";\n\n if (global.setImmediate) {\n return;\n }\n\n var nextHandle = 1; // Spec says greater than zero\n var tasksByHandle = {};\n var currentlyRunningATask = false;\n var doc = global.document;\n var registerImmediate;\n\n function setImmediate(callback) {\n // Callback can either be a function or a string\n if (typeof callback !== \"function\") {\n callback = new Function(\"\" + callback);\n }\n // Copy function arguments\n var args = new Array(arguments.length - 1);\n for (var i = 0; i < args.length; i++) {\n args[i] = arguments[i + 1];\n }\n // Store and register the task\n var task = { callback: callback, args: args };\n tasksByHandle[nextHandle] = task;\n registerImmediate(nextHandle);\n return nextHandle++;\n }\n\n function clearImmediate(handle) {\n delete tasksByHandle[handle];\n }\n\n function run(task) {\n var callback = task.callback;\n var args = task.args;\n switch (args.length) {\n case 0:\n callback();\n break;\n case 1:\n callback(args[0]);\n break;\n case 2:\n callback(args[0], args[1]);\n break;\n case 3:\n callback(args[0], args[1], args[2]);\n break;\n default:\n callback.apply(undefined, args);\n break;\n }\n }\n\n function runIfPresent(handle) {\n // From the spec: \"Wait until any invocations of this algorithm started before this one have completed.\"\n // So if we're currently running a task, we'll need to delay this invocation.\n if (currentlyRunningATask) {\n // Delay by doing a setTimeout. setImmediate was tried instead, but in Firefox 7 it generated a\n // \"too much recursion\" error.\n setTimeout(runIfPresent, 0, handle);\n } else {\n var task = tasksByHandle[handle];\n if (task) {\n currentlyRunningATask = true;\n try {\n run(task);\n } finally {\n clearImmediate(handle);\n currentlyRunningATask = false;\n }\n }\n }\n }\n\n function installNextTickImplementation() {\n registerImmediate = function(handle) {\n process.nextTick(function () { runIfPresent(handle); });\n };\n }\n\n function canUsePostMessage() {\n // The test against `importScripts` prevents this implementation from being installed inside a web worker,\n // where `global.postMessage` means something completely different and can't be used for this purpose.\n if (global.postMessage && !global.importScripts) {\n var postMessageIsAsynchronous = true;\n var oldOnMessage = global.onmessage;\n global.onmessage = function() {\n postMessageIsAsynchronous = false;\n };\n global.postMessage(\"\", \"*\");\n global.onmessage = oldOnMessage;\n return postMessageIsAsynchronous;\n }\n }\n\n function installPostMessageImplementation() {\n // Installs an event handler on `global` for the `message` event: see\n // * https://developer.mozilla.org/en/DOM/window.postMessage\n // * http://www.whatwg.org/specs/web-apps/current-work/multipage/comms.html#crossDocumentMessages\n\n var messagePrefix = \"setImmediate$\" + Math.random() + \"$\";\n var onGlobalMessage = function(event) {\n if (event.source === global &&\n typeof event.data === \"string\" &&\n event.data.indexOf(messagePrefix) === 0) {\n runIfPresent(+event.data.slice(messagePrefix.length));\n }\n };\n\n if (global.addEventListener) {\n global.addEventListener(\"message\", onGlobalMessage, false);\n } else {\n global.attachEvent(\"onmessage\", onGlobalMessage);\n }\n\n registerImmediate = function(handle) {\n global.postMessage(messagePrefix + handle, \"*\");\n };\n }\n\n function installMessageChannelImplementation() {\n var channel = new MessageChannel();\n channel.port1.onmessage = function(event) {\n var handle = event.data;\n runIfPresent(handle);\n };\n\n registerImmediate = function(handle) {\n channel.port2.postMessage(handle);\n };\n }\n\n function installReadyStateChangeImplementation() {\n var html = doc.documentElement;\n registerImmediate = function(handle) {\n // Create a <script> element; its readystatechange event will be fired asynchronously once it is inserted\n // into the document. Do so, thus queuing up the task. Remember to clean up once it's been called.\n var script = doc.createElement(\"script\");\n script.onreadystatechange = function () {\n runIfPresent(handle);\n script.onreadystatechange = null;\n html.removeChild(script);\n script = null;\n };\n html.appendChild(script);\n };\n }\n\n function installSetTimeoutImplementation() {\n registerImmediate = function(handle) {\n setTimeout(runIfPresent, 0, handle);\n };\n }\n\n // If supported, we should attach to the prototype of global, since that is where setTimeout et al. live.\n var attachTo = Object.getPrototypeOf && Object.getPrototypeOf(global);\n attachTo = attachTo && attachTo.setTimeout ? attachTo : global;\n\n // Don't get fooled by e.g. browserify environments.\n if ({}.toString.call(global.process) === \"[object process]\") {\n // For Node.js before 0.9\n installNextTickImplementation();\n\n } else if (canUsePostMessage()) {\n // For non-IE10 modern browsers\n installPostMessageImplementation();\n\n } else if (global.MessageChannel) {\n // For web workers, where supported\n installMessageChannelImplementation();\n\n } else if (doc && \"onreadystatechange\" in doc.createElement(\"script\")) {\n // For IE 6–8\n installReadyStateChangeImplementation();\n\n } else {\n // For older browsers\n installSetTimeoutImplementation();\n }\n\n attachTo.setImmediate = setImmediate;\n attachTo.clearImmediate = clearImmediate;\n}(typeof self === \"undefined\" ? typeof global === \"undefined\" ? this : global : self));\n","// @flow\n\n/*::\ntype Options = {\n max?: number,\n min?: number,\n historyTimeConstant?: number,\n autostart?: boolean,\n ignoreSameProgress?: boolean,\n}\n*/\n\nfunction makeLowPassFilter(RC/*: number*/) {\n return function (previousOutput, input, dt) {\n const alpha = dt / (dt + RC);\n return previousOutput + alpha * (input - previousOutput);\n }\n}\n\nfunction def/*:: <T>*/(x/*: ?T*/, d/*: T*/)/*: T*/ {\n return (x === undefined || x === null) ? d : x;\n}\n\nfunction makeEta(options/*::?: Options */) {\n options = options || {};\n var max = def(options.max, 1);\n var min = def(options.min, 0);\n var autostart = def(options.autostart, true);\n var ignoreSameProgress = def(options.ignoreSameProgress, false);\n\n var rate/*: number | null */ = null;\n var lastTimestamp/*: number | null */ = null;\n var lastProgress/*: number | null */ = null;\n\n var filter = makeLowPassFilter(def(options.historyTimeConstant, 2.5));\n\n function start() {\n report(min);\n }\n\n function reset() {\n rate = null;\n lastTimestamp = null;\n lastProgress = null;\n if (autostart) {\n start();\n }\n }\n\n function report(progress /*: number */, timestamp/*::?: number */) {\n if (typeof timestamp !== 'number') {\n timestamp = Date.now();\n }\n\n if (lastTimestamp === timestamp) { return; }\n if (ignoreSameProgress && lastProgress === progress) { return; }\n\n if (lastTimestamp === null || lastProgress === null) {\n lastProgress = progress;\n lastTimestamp = timestamp;\n return;\n }\n\n var deltaProgress = progress - lastProgress;\n var deltaTimestamp = 0.001 * (timestamp - lastTimestamp);\n var currentRate = deltaProgress / deltaTimestamp;\n\n rate = rate === null\n ? currentRate\n : filter(rate, currentRate, deltaTimestamp);\n lastProgress = progress;\n lastTimestamp = timestamp;\n }\n\n function estimate(timestamp/*::?: number*/) {\n if (lastProgress === null) { return Infinity; }\n if (lastProgress >= max) { return 0; }\n if (rate === null) { return Infinity; }\n\n var estimatedTime = (max - lastProgress) / rate;\n if (typeof timestamp === 'number' && typeof lastTimestamp === 'number') {\n estimatedTime -= (timestamp - lastTimestamp) * 0.001;\n }\n return Math.max(0, estimatedTime);\n }\n\n function getRate() {\n return rate === null ? 0 : rate;\n }\n\n return {\n start: start,\n reset: reset,\n report: report,\n estimate: estimate,\n rate: getRate,\n }\n}\n\nmodule.exports = makeEta;\n","var scope = (typeof global !== \"undefined\" && global) ||\n (typeof self !== \"undefined\" && self) ||\n window;\nvar apply = Function.prototype.apply;\n\n// DOM APIs, for completeness\n\nexports.setTimeout = function() {\n return new Timeout(apply.call(setTimeout, scope, arguments), clearTimeout);\n};\nexports.setInterval = function() {\n return new Timeout(apply.call(setInterval, scope, arguments), clearInterval);\n};\nexports.clearTimeout =\nexports.clearInterval = function(timeout) {\n if (timeout) {\n timeout.close();\n }\n};\n\nfunction Timeout(id, clearFn) {\n this._id = id;\n this._clearFn = clearFn;\n}\nTimeout.prototype.unref = Timeout.prototype.ref = function() {};\nTimeout.prototype.close = function() {\n this._clearFn.call(scope, this._id);\n};\n\n// Does not start the time, just sets up the members needed.\nexports.enroll = function(item, msecs) {\n clearTimeout(item._idleTimeoutId);\n item._idleTimeout = msecs;\n};\n\nexports.unenroll = function(item) {\n clearTimeout(item._idleTimeoutId);\n item._idleTimeout = -1;\n};\n\nexports._unrefActive = exports.active = function(item) {\n clearTimeout(item._idleTimeoutId);\n\n var msecs = item._idleTimeout;\n if (msecs >= 0) {\n item._idleTimeoutId = setTimeout(function onTimeout() {\n if (item._onTimeout)\n item._onTimeout();\n }, msecs);\n }\n};\n\n// setimmediate attaches itself to the global object\nrequire(\"setimmediate\");\n// On some exotic environments, it's not clear which object `setimmediate` was\n// able to install onto. Search each possibility in the same order as the\n// `setimmediate` library.\nexports.setImmediate = (typeof self !== \"undefined\" && self.setImmediate) ||\n (typeof global !== \"undefined\" && global.setImmediate) ||\n (this && this.setImmediate);\nexports.clearImmediate = (typeof self !== \"undefined\" && self.clearImmediate) ||\n (typeof global !== \"undefined\" && global.clearImmediate) ||\n (this && this.clearImmediate);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n exports.stripBOM = function(str) {\n if (str[0] === '\\uFEFF') {\n return str.substring(1);\n } else {\n return str;\n }\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var builder, defaults, escapeCDATA, requiresCDATA, wrapCDATA,\n hasProp = {}.hasOwnProperty;\n\n builder = require('xmlbuilder');\n\n defaults = require('./defaults').defaults;\n\n requiresCDATA = function(entry) {\n return typeof entry === \"string\" && (entry.indexOf('&') >= 0 || entry.indexOf('>') >= 0 || entry.indexOf('<') >= 0);\n };\n\n wrapCDATA = function(entry) {\n return \"<![CDATA[\" + (escapeCDATA(entry)) + \"]]>\";\n };\n\n escapeCDATA = function(entry) {\n return entry.replace(']]>', ']]]]><![CDATA[>');\n };\n\n exports.Builder = (function() {\n function Builder(opts) {\n var key, ref, value;\n this.options = {};\n ref = defaults[\"0.2\"];\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this.options[key] = value;\n }\n for (key in opts) {\n if (!hasProp.call(opts, key)) continue;\n value = opts[key];\n this.options[key] = value;\n }\n }\n\n Builder.prototype.buildObject = function(rootObj) {\n var attrkey, charkey, render, rootElement, rootName;\n attrkey = this.options.attrkey;\n charkey = this.options.charkey;\n if ((Object.keys(rootObj).length === 1) && (this.options.rootName === defaults['0.2'].rootName)) {\n rootName = Object.keys(rootObj)[0];\n rootObj = rootObj[rootName];\n } else {\n rootName = this.options.rootName;\n }\n render = (function(_this) {\n return function(element, obj) {\n var attr, child, entry, index, key, value;\n if (typeof obj !== 'object') {\n if (_this.options.cdata && requiresCDATA(obj)) {\n element.raw(wrapCDATA(obj));\n } else {\n element.txt(obj);\n }\n } else if (Array.isArray(obj)) {\n for (index in obj) {\n if (!hasProp.call(obj, index)) continue;\n child = obj[index];\n for (key in child) {\n entry = child[key];\n element = render(element.ele(key), entry).up();\n }\n }\n } else {\n for (key in obj) {\n if (!hasProp.call(obj, key)) continue;\n child = obj[key];\n if (key === attrkey) {\n if (typeof child === \"object\") {\n for (attr in child) {\n value = child[attr];\n element = element.att(attr, value);\n }\n }\n } else if (key === charkey) {\n if (_this.options.cdata && requiresCDATA(child)) {\n element = element.raw(wrapCDATA(child));\n } else {\n element = element.txt(child);\n }\n } else if (Array.isArray(child)) {\n for (index in child) {\n if (!hasProp.call(child, index)) continue;\n entry = child[index];\n if (typeof entry === 'string') {\n if (_this.options.cdata && requiresCDATA(entry)) {\n element = element.ele(key).raw(wrapCDATA(entry)).up();\n } else {\n element = element.ele(key, entry).up();\n }\n } else {\n element = render(element.ele(key), entry).up();\n }\n }\n } else if (typeof child === \"object\") {\n element = render(element.ele(key), child).up();\n } else {\n if (typeof child === 'string' && _this.options.cdata && requiresCDATA(child)) {\n element = element.ele(key).raw(wrapCDATA(child)).up();\n } else {\n if (child == null) {\n child = '';\n }\n element = element.ele(key, child.toString()).up();\n }\n }\n }\n }\n return element;\n };\n })(this);\n rootElement = builder.create(rootName, this.options.xmldec, this.options.doctype, {\n headless: this.options.headless,\n allowSurrogateChars: this.options.allowSurrogateChars\n });\n return render(rootElement, rootObj).end(this.options.renderOpts);\n };\n\n return Builder;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n exports.defaults = {\n \"0.1\": {\n explicitCharkey: false,\n trim: true,\n normalize: true,\n normalizeTags: false,\n attrkey: \"@\",\n charkey: \"#\",\n explicitArray: false,\n ignoreAttrs: false,\n mergeAttrs: false,\n explicitRoot: false,\n validator: null,\n xmlns: false,\n explicitChildren: false,\n childkey: '@@',\n charsAsChildren: false,\n includeWhiteChars: false,\n async: false,\n strict: true,\n attrNameProcessors: null,\n attrValueProcessors: null,\n tagNameProcessors: null,\n valueProcessors: null,\n emptyTag: ''\n },\n \"0.2\": {\n explicitCharkey: false,\n trim: false,\n normalize: false,\n normalizeTags: false,\n attrkey: \"$\",\n charkey: \"_\",\n explicitArray: true,\n ignoreAttrs: false,\n mergeAttrs: false,\n explicitRoot: true,\n validator: null,\n xmlns: false,\n explicitChildren: false,\n preserveChildrenOrder: false,\n childkey: '$$',\n charsAsChildren: false,\n includeWhiteChars: false,\n async: false,\n strict: true,\n attrNameProcessors: null,\n attrValueProcessors: null,\n tagNameProcessors: null,\n valueProcessors: null,\n rootName: 'root',\n xmldec: {\n 'version': '1.0',\n 'encoding': 'UTF-8',\n 'standalone': true\n },\n doctype: null,\n renderOpts: {\n 'pretty': true,\n 'indent': ' ',\n 'newline': '\\n'\n },\n headless: false,\n chunkSize: 10000,\n emptyTag: '',\n cdata: false\n }\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var bom, defaults, defineProperty, events, isEmpty, processItem, processors, sax, setImmediate,\n bind = function(fn, me){ return function(){ return fn.apply(me, arguments); }; },\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n sax = require('sax');\n\n events = require('events');\n\n bom = require('./bom');\n\n processors = require('./processors');\n\n setImmediate = require('timers').setImmediate;\n\n defaults = require('./defaults').defaults;\n\n isEmpty = function(thing) {\n return typeof thing === \"object\" && (thing != null) && Object.keys(thing).length === 0;\n };\n\n processItem = function(processors, item, key) {\n var i, len, process;\n for (i = 0, len = processors.length; i < len; i++) {\n process = processors[i];\n item = process(item, key);\n }\n return item;\n };\n\n defineProperty = function(obj, key, value) {\n var descriptor;\n descriptor = Object.create(null);\n descriptor.value = value;\n descriptor.writable = true;\n descriptor.enumerable = true;\n descriptor.configurable = true;\n return Object.defineProperty(obj, key, descriptor);\n };\n\n exports.Parser = (function(superClass) {\n extend(Parser, superClass);\n\n function Parser(opts) {\n this.parseStringPromise = bind(this.parseStringPromise, this);\n this.parseString = bind(this.parseString, this);\n this.reset = bind(this.reset, this);\n this.assignOrPush = bind(this.assignOrPush, this);\n this.processAsync = bind(this.processAsync, this);\n var key, ref, value;\n if (!(this instanceof exports.Parser)) {\n return new exports.Parser(opts);\n }\n this.options = {};\n ref = defaults[\"0.2\"];\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this.options[key] = value;\n }\n for (key in opts) {\n if (!hasProp.call(opts, key)) continue;\n value = opts[key];\n this.options[key] = value;\n }\n if (this.options.xmlns) {\n this.options.xmlnskey = this.options.attrkey + \"ns\";\n }\n if (this.options.normalizeTags) {\n if (!this.options.tagNameProcessors) {\n this.options.tagNameProcessors = [];\n }\n this.options.tagNameProcessors.unshift(processors.normalize);\n }\n this.reset();\n }\n\n Parser.prototype.processAsync = function() {\n var chunk, err;\n try {\n if (this.remaining.length <= this.options.chunkSize) {\n chunk = this.remaining;\n this.remaining = '';\n this.saxParser = this.saxParser.write(chunk);\n return this.saxParser.close();\n } else {\n chunk = this.remaining.substr(0, this.options.chunkSize);\n this.remaining = this.remaining.substr(this.options.chunkSize, this.remaining.length);\n this.saxParser = this.saxParser.write(chunk);\n return setImmediate(this.processAsync);\n }\n } catch (error1) {\n err = error1;\n if (!this.saxParser.errThrown) {\n this.saxParser.errThrown = true;\n return this.emit(err);\n }\n }\n };\n\n Parser.prototype.assignOrPush = function(obj, key, newValue) {\n if (!(key in obj)) {\n if (!this.options.explicitArray) {\n return defineProperty(obj, key, newValue);\n } else {\n return defineProperty(obj, key, [newValue]);\n }\n } else {\n if (!(obj[key] instanceof Array)) {\n defineProperty(obj, key, [obj[key]]);\n }\n return obj[key].push(newValue);\n }\n };\n\n Parser.prototype.reset = function() {\n var attrkey, charkey, ontext, stack;\n this.removeAllListeners();\n this.saxParser = sax.parser(this.options.strict, {\n trim: false,\n normalize: false,\n xmlns: this.options.xmlns\n });\n this.saxParser.errThrown = false;\n this.saxParser.onerror = (function(_this) {\n return function(error) {\n _this.saxParser.resume();\n if (!_this.saxParser.errThrown) {\n _this.saxParser.errThrown = true;\n return _this.emit(\"error\", error);\n }\n };\n })(this);\n this.saxParser.onend = (function(_this) {\n return function() {\n if (!_this.saxParser.ended) {\n _this.saxParser.ended = true;\n return _this.emit(\"end\", _this.resultObject);\n }\n };\n })(this);\n this.saxParser.ended = false;\n this.EXPLICIT_CHARKEY = this.options.explicitCharkey;\n this.resultObject = null;\n stack = [];\n attrkey = this.options.attrkey;\n charkey = this.options.charkey;\n this.saxParser.onopentag = (function(_this) {\n return function(node) {\n var key, newValue, obj, processedKey, ref;\n obj = {};\n obj[charkey] = \"\";\n if (!_this.options.ignoreAttrs) {\n ref = node.attributes;\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n if (!(attrkey in obj) && !_this.options.mergeAttrs) {\n obj[attrkey] = {};\n }\n newValue = _this.options.attrValueProcessors ? processItem(_this.options.attrValueProcessors, node.attributes[key], key) : node.attributes[key];\n processedKey = _this.options.attrNameProcessors ? processItem(_this.options.attrNameProcessors, key) : key;\n if (_this.options.mergeAttrs) {\n _this.assignOrPush(obj, processedKey, newValue);\n } else {\n defineProperty(obj[attrkey], processedKey, newValue);\n }\n }\n }\n obj[\"#name\"] = _this.options.tagNameProcessors ? processItem(_this.options.tagNameProcessors, node.name) : node.name;\n if (_this.options.xmlns) {\n obj[_this.options.xmlnskey] = {\n uri: node.uri,\n local: node.local\n };\n }\n return stack.push(obj);\n };\n })(this);\n this.saxParser.onclosetag = (function(_this) {\n return function() {\n var cdata, emptyStr, key, node, nodeName, obj, objClone, old, s, xpath;\n obj = stack.pop();\n nodeName = obj[\"#name\"];\n if (!_this.options.explicitChildren || !_this.options.preserveChildrenOrder) {\n delete obj[\"#name\"];\n }\n if (obj.cdata === true) {\n cdata = obj.cdata;\n delete obj.cdata;\n }\n s = stack[stack.length - 1];\n if (obj[charkey].match(/^\\s*$/) && !cdata) {\n emptyStr = obj[charkey];\n delete obj[charkey];\n } else {\n if (_this.options.trim) {\n obj[charkey] = obj[charkey].trim();\n }\n if (_this.options.normalize) {\n obj[charkey] = obj[charkey].replace(/\\s{2,}/g, \" \").trim();\n }\n obj[charkey] = _this.options.valueProcessors ? processItem(_this.options.valueProcessors, obj[charkey], nodeName) : obj[charkey];\n if (Object.keys(obj).length === 1 && charkey in obj && !_this.EXPLICIT_CHARKEY) {\n obj = obj[charkey];\n }\n }\n if (isEmpty(obj)) {\n if (typeof _this.options.emptyTag === 'function') {\n obj = _this.options.emptyTag();\n } else {\n obj = _this.options.emptyTag !== '' ? _this.options.emptyTag : emptyStr;\n }\n }\n if (_this.options.validator != null) {\n xpath = \"/\" + ((function() {\n var i, len, results;\n results = [];\n for (i = 0, len = stack.length; i < len; i++) {\n node = stack[i];\n results.push(node[\"#name\"]);\n }\n return results;\n })()).concat(nodeName).join(\"/\");\n (function() {\n var err;\n try {\n return obj = _this.options.validator(xpath, s && s[nodeName], obj);\n } catch (error1) {\n err = error1;\n return _this.emit(\"error\", err);\n }\n })();\n }\n if (_this.options.explicitChildren && !_this.options.mergeAttrs && typeof obj === 'object') {\n if (!_this.options.preserveChildrenOrder) {\n node = {};\n if (_this.options.attrkey in obj) {\n node[_this.options.attrkey] = obj[_this.options.attrkey];\n delete obj[_this.options.attrkey];\n }\n if (!_this.options.charsAsChildren && _this.options.charkey in obj) {\n node[_this.options.charkey] = obj[_this.options.charkey];\n delete obj[_this.options.charkey];\n }\n if (Object.getOwnPropertyNames(obj).length > 0) {\n node[_this.options.childkey] = obj;\n }\n obj = node;\n } else if (s) {\n s[_this.options.childkey] = s[_this.options.childkey] || [];\n objClone = {};\n for (key in obj) {\n if (!hasProp.call(obj, key)) continue;\n defineProperty(objClone, key, obj[key]);\n }\n s[_this.options.childkey].push(objClone);\n delete obj[\"#name\"];\n if (Object.keys(obj).length === 1 && charkey in obj && !_this.EXPLICIT_CHARKEY) {\n obj = obj[charkey];\n }\n }\n }\n if (stack.length > 0) {\n return _this.assignOrPush(s, nodeName, obj);\n } else {\n if (_this.options.explicitRoot) {\n old = obj;\n obj = {};\n defineProperty(obj, nodeName, old);\n }\n _this.resultObject = obj;\n _this.saxParser.ended = true;\n return _this.emit(\"end\", _this.resultObject);\n }\n };\n })(this);\n ontext = (function(_this) {\n return function(text) {\n var charChild, s;\n s = stack[stack.length - 1];\n if (s) {\n s[charkey] += text;\n if (_this.options.explicitChildren && _this.options.preserveChildrenOrder && _this.options.charsAsChildren && (_this.options.includeWhiteChars || text.replace(/\\\\n/g, '').trim() !== '')) {\n s[_this.options.childkey] = s[_this.options.childkey] || [];\n charChild = {\n '#name': '__text__'\n };\n charChild[charkey] = text;\n if (_this.options.normalize) {\n charChild[charkey] = charChild[charkey].replace(/\\s{2,}/g, \" \").trim();\n }\n s[_this.options.childkey].push(charChild);\n }\n return s;\n }\n };\n })(this);\n this.saxParser.ontext = ontext;\n return this.saxParser.oncdata = (function(_this) {\n return function(text) {\n var s;\n s = ontext(text);\n if (s) {\n return s.cdata = true;\n }\n };\n })(this);\n };\n\n Parser.prototype.parseString = function(str, cb) {\n var err;\n if ((cb != null) && typeof cb === \"function\") {\n this.on(\"end\", function(result) {\n this.reset();\n return cb(null, result);\n });\n this.on(\"error\", function(err) {\n this.reset();\n return cb(err);\n });\n }\n try {\n str = str.toString();\n if (str.trim() === '') {\n this.emit(\"end\", null);\n return true;\n }\n str = bom.stripBOM(str);\n if (this.options.async) {\n this.remaining = str;\n setImmediate(this.processAsync);\n return this.saxParser;\n }\n return this.saxParser.write(str).close();\n } catch (error1) {\n err = error1;\n if (!(this.saxParser.errThrown || this.saxParser.ended)) {\n this.emit('error', err);\n return this.saxParser.errThrown = true;\n } else if (this.saxParser.ended) {\n throw err;\n }\n }\n };\n\n Parser.prototype.parseStringPromise = function(str) {\n return new Promise((function(_this) {\n return function(resolve, reject) {\n return _this.parseString(str, function(err, value) {\n if (err) {\n return reject(err);\n } else {\n return resolve(value);\n }\n });\n };\n })(this));\n };\n\n return Parser;\n\n })(events);\n\n exports.parseString = function(str, a, b) {\n var cb, options, parser;\n if (b != null) {\n if (typeof b === 'function') {\n cb = b;\n }\n if (typeof a === 'object') {\n options = a;\n }\n } else {\n if (typeof a === 'function') {\n cb = a;\n }\n options = {};\n }\n parser = new exports.Parser(options);\n return parser.parseString(str, cb);\n };\n\n exports.parseStringPromise = function(str, a) {\n var options, parser;\n if (typeof a === 'object') {\n options = a;\n }\n parser = new exports.Parser(options);\n return parser.parseStringPromise(str);\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var prefixMatch;\n\n prefixMatch = new RegExp(/(?!xmlns)^.*:/);\n\n exports.normalize = function(str) {\n return str.toLowerCase();\n };\n\n exports.firstCharLowerCase = function(str) {\n return str.charAt(0).toLowerCase() + str.slice(1);\n };\n\n exports.stripPrefix = function(str) {\n return str.replace(prefixMatch, '');\n };\n\n exports.parseNumbers = function(str) {\n if (!isNaN(str)) {\n str = str % 1 === 0 ? parseInt(str, 10) : parseFloat(str);\n }\n return str;\n };\n\n exports.parseBooleans = function(str) {\n if (/^(?:true|false)$/i.test(str)) {\n str = str.toLowerCase() === 'true';\n }\n return str;\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var builder, defaults, parser, processors,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n defaults = require('./defaults');\n\n builder = require('./builder');\n\n parser = require('./parser');\n\n processors = require('./processors');\n\n exports.defaults = defaults.defaults;\n\n exports.processors = processors;\n\n exports.ValidationError = (function(superClass) {\n extend(ValidationError, superClass);\n\n function ValidationError(message) {\n this.message = message;\n }\n\n return ValidationError;\n\n })(Error);\n\n exports.Builder = builder.Builder;\n\n exports.Parser = parser.Parser;\n\n exports.parseString = parser.parseString;\n\n exports.parseStringPromise = parser.parseStringPromise;\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n module.exports = {\n Disconnected: 1,\n Preceding: 2,\n Following: 4,\n Contains: 8,\n ContainedBy: 16,\n ImplementationSpecific: 32\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n module.exports = {\n Element: 1,\n Attribute: 2,\n Text: 3,\n CData: 4,\n EntityReference: 5,\n EntityDeclaration: 6,\n ProcessingInstruction: 7,\n Comment: 8,\n Document: 9,\n DocType: 10,\n DocumentFragment: 11,\n NotationDeclaration: 12,\n Declaration: 201,\n Raw: 202,\n AttributeDeclaration: 203,\n ElementDeclaration: 204,\n Dummy: 205\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var assign, getValue, isArray, isEmpty, isFunction, isObject, isPlainObject,\n slice = [].slice,\n hasProp = {}.hasOwnProperty;\n\n assign = function() {\n var i, key, len, source, sources, target;\n target = arguments[0], sources = 2 <= arguments.length ? slice.call(arguments, 1) : [];\n if (isFunction(Object.assign)) {\n Object.assign.apply(null, arguments);\n } else {\n for (i = 0, len = sources.length; i < len; i++) {\n source = sources[i];\n if (source != null) {\n for (key in source) {\n if (!hasProp.call(source, key)) continue;\n target[key] = source[key];\n }\n }\n }\n }\n return target;\n };\n\n isFunction = function(val) {\n return !!val && Object.prototype.toString.call(val) === '[object Function]';\n };\n\n isObject = function(val) {\n var ref;\n return !!val && ((ref = typeof val) === 'function' || ref === 'object');\n };\n\n isArray = function(val) {\n if (isFunction(Array.isArray)) {\n return Array.isArray(val);\n } else {\n return Object.prototype.toString.call(val) === '[object Array]';\n }\n };\n\n isEmpty = function(val) {\n var key;\n if (isArray(val)) {\n return !val.length;\n } else {\n for (key in val) {\n if (!hasProp.call(val, key)) continue;\n return false;\n }\n return true;\n }\n };\n\n isPlainObject = function(val) {\n var ctor, proto;\n return isObject(val) && (proto = Object.getPrototypeOf(val)) && (ctor = proto.constructor) && (typeof ctor === 'function') && (ctor instanceof ctor) && (Function.prototype.toString.call(ctor) === Function.prototype.toString.call(Object));\n };\n\n getValue = function(obj) {\n if (isFunction(obj.valueOf)) {\n return obj.valueOf();\n } else {\n return obj;\n }\n };\n\n module.exports.assign = assign;\n\n module.exports.isFunction = isFunction;\n\n module.exports.isObject = isObject;\n\n module.exports.isArray = isArray;\n\n module.exports.isEmpty = isEmpty;\n\n module.exports.isPlainObject = isPlainObject;\n\n module.exports.getValue = getValue;\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n module.exports = {\n None: 0,\n OpenTag: 1,\n InsideTag: 2,\n CloseTag: 3\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLAttribute, XMLNode;\n\n NodeType = require('./NodeType');\n\n XMLNode = require('./XMLNode');\n\n module.exports = XMLAttribute = (function() {\n function XMLAttribute(parent, name, value) {\n this.parent = parent;\n if (this.parent) {\n this.options = this.parent.options;\n this.stringify = this.parent.stringify;\n }\n if (name == null) {\n throw new Error(\"Missing attribute name. \" + this.debugInfo(name));\n }\n this.name = this.stringify.name(name);\n this.value = this.stringify.attValue(value);\n this.type = NodeType.Attribute;\n this.isId = false;\n this.schemaTypeInfo = null;\n }\n\n Object.defineProperty(XMLAttribute.prototype, 'nodeType', {\n get: function() {\n return this.type;\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'ownerElement', {\n get: function() {\n return this.parent;\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'textContent', {\n get: function() {\n return this.value;\n },\n set: function(value) {\n return this.value = value || '';\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'namespaceURI', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'prefix', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'localName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'specified', {\n get: function() {\n return true;\n }\n });\n\n XMLAttribute.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLAttribute.prototype.toString = function(options) {\n return this.options.writer.attribute(this, this.options.writer.filterOptions(options));\n };\n\n XMLAttribute.prototype.debugInfo = function(name) {\n name = name || this.name;\n if (name == null) {\n return \"parent: <\" + this.parent.name + \">\";\n } else {\n return \"attribute: {\" + name + \"}, parent: <\" + this.parent.name + \">\";\n }\n };\n\n XMLAttribute.prototype.isEqualNode = function(node) {\n if (node.namespaceURI !== this.namespaceURI) {\n return false;\n }\n if (node.prefix !== this.prefix) {\n return false;\n }\n if (node.localName !== this.localName) {\n return false;\n }\n if (node.value !== this.value) {\n return false;\n }\n return true;\n };\n\n return XMLAttribute;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCData, XMLCharacterData,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLCData = (function(superClass) {\n extend(XMLCData, superClass);\n\n function XMLCData(parent, text) {\n XMLCData.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing CDATA text. \" + this.debugInfo());\n }\n this.name = \"#cdata-section\";\n this.type = NodeType.CData;\n this.value = this.stringify.cdata(text);\n }\n\n XMLCData.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLCData.prototype.toString = function(options) {\n return this.options.writer.cdata(this, this.options.writer.filterOptions(options));\n };\n\n return XMLCData;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLCharacterData, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n module.exports = XMLCharacterData = (function(superClass) {\n extend(XMLCharacterData, superClass);\n\n function XMLCharacterData(parent) {\n XMLCharacterData.__super__.constructor.call(this, parent);\n this.value = '';\n }\n\n Object.defineProperty(XMLCharacterData.prototype, 'data', {\n get: function() {\n return this.value;\n },\n set: function(value) {\n return this.value = value || '';\n }\n });\n\n Object.defineProperty(XMLCharacterData.prototype, 'length', {\n get: function() {\n return this.value.length;\n }\n });\n\n Object.defineProperty(XMLCharacterData.prototype, 'textContent', {\n get: function() {\n return this.value;\n },\n set: function(value) {\n return this.value = value || '';\n }\n });\n\n XMLCharacterData.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLCharacterData.prototype.substringData = function(offset, count) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.appendData = function(arg) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.insertData = function(offset, arg) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.deleteData = function(offset, count) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.replaceData = function(offset, count, arg) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.isEqualNode = function(node) {\n if (!XMLCharacterData.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.data !== this.data) {\n return false;\n }\n return true;\n };\n\n return XMLCharacterData;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCharacterData, XMLComment,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLComment = (function(superClass) {\n extend(XMLComment, superClass);\n\n function XMLComment(parent, text) {\n XMLComment.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing comment text. \" + this.debugInfo());\n }\n this.name = \"#comment\";\n this.type = NodeType.Comment;\n this.value = this.stringify.comment(text);\n }\n\n XMLComment.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLComment.prototype.toString = function(options) {\n return this.options.writer.comment(this, this.options.writer.filterOptions(options));\n };\n\n return XMLComment;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMConfiguration, XMLDOMErrorHandler, XMLDOMStringList;\n\n XMLDOMErrorHandler = require('./XMLDOMErrorHandler');\n\n XMLDOMStringList = require('./XMLDOMStringList');\n\n module.exports = XMLDOMConfiguration = (function() {\n function XMLDOMConfiguration() {\n var clonedSelf;\n this.defaultParams = {\n \"canonical-form\": false,\n \"cdata-sections\": false,\n \"comments\": false,\n \"datatype-normalization\": false,\n \"element-content-whitespace\": true,\n \"entities\": true,\n \"error-handler\": new XMLDOMErrorHandler(),\n \"infoset\": true,\n \"validate-if-schema\": false,\n \"namespaces\": true,\n \"namespace-declarations\": true,\n \"normalize-characters\": false,\n \"schema-location\": '',\n \"schema-type\": '',\n \"split-cdata-sections\": true,\n \"validate\": false,\n \"well-formed\": true\n };\n this.params = clonedSelf = Object.create(this.defaultParams);\n }\n\n Object.defineProperty(XMLDOMConfiguration.prototype, 'parameterNames', {\n get: function() {\n return new XMLDOMStringList(Object.keys(this.defaultParams));\n }\n });\n\n XMLDOMConfiguration.prototype.getParameter = function(name) {\n if (this.params.hasOwnProperty(name)) {\n return this.params[name];\n } else {\n return null;\n }\n };\n\n XMLDOMConfiguration.prototype.canSetParameter = function(name, value) {\n return true;\n };\n\n XMLDOMConfiguration.prototype.setParameter = function(name, value) {\n if (value != null) {\n return this.params[name] = value;\n } else {\n return delete this.params[name];\n }\n };\n\n return XMLDOMConfiguration;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMErrorHandler;\n\n module.exports = XMLDOMErrorHandler = (function() {\n function XMLDOMErrorHandler() {}\n\n XMLDOMErrorHandler.prototype.handleError = function(error) {\n throw new Error(error);\n };\n\n return XMLDOMErrorHandler;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMImplementation;\n\n module.exports = XMLDOMImplementation = (function() {\n function XMLDOMImplementation() {}\n\n XMLDOMImplementation.prototype.hasFeature = function(feature, version) {\n return true;\n };\n\n XMLDOMImplementation.prototype.createDocumentType = function(qualifiedName, publicId, systemId) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLDOMImplementation.prototype.createDocument = function(namespaceURI, qualifiedName, doctype) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLDOMImplementation.prototype.createHTMLDocument = function(title) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLDOMImplementation.prototype.getFeature = function(feature, version) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n return XMLDOMImplementation;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMStringList;\n\n module.exports = XMLDOMStringList = (function() {\n function XMLDOMStringList(arr) {\n this.arr = arr || [];\n }\n\n Object.defineProperty(XMLDOMStringList.prototype, 'length', {\n get: function() {\n return this.arr.length;\n }\n });\n\n XMLDOMStringList.prototype.item = function(index) {\n return this.arr[index] || null;\n };\n\n XMLDOMStringList.prototype.contains = function(str) {\n return this.arr.indexOf(str) !== -1;\n };\n\n return XMLDOMStringList;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDAttList, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDAttList = (function(superClass) {\n extend(XMLDTDAttList, superClass);\n\n function XMLDTDAttList(parent, elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n XMLDTDAttList.__super__.constructor.call(this, parent);\n if (elementName == null) {\n throw new Error(\"Missing DTD element name. \" + this.debugInfo());\n }\n if (attributeName == null) {\n throw new Error(\"Missing DTD attribute name. \" + this.debugInfo(elementName));\n }\n if (!attributeType) {\n throw new Error(\"Missing DTD attribute type. \" + this.debugInfo(elementName));\n }\n if (!defaultValueType) {\n throw new Error(\"Missing DTD attribute default. \" + this.debugInfo(elementName));\n }\n if (defaultValueType.indexOf('#') !== 0) {\n defaultValueType = '#' + defaultValueType;\n }\n if (!defaultValueType.match(/^(#REQUIRED|#IMPLIED|#FIXED|#DEFAULT)$/)) {\n throw new Error(\"Invalid default value type; expected: #REQUIRED, #IMPLIED, #FIXED or #DEFAULT. \" + this.debugInfo(elementName));\n }\n if (defaultValue && !defaultValueType.match(/^(#FIXED|#DEFAULT)$/)) {\n throw new Error(\"Default value only applies to #FIXED or #DEFAULT. \" + this.debugInfo(elementName));\n }\n this.elementName = this.stringify.name(elementName);\n this.type = NodeType.AttributeDeclaration;\n this.attributeName = this.stringify.name(attributeName);\n this.attributeType = this.stringify.dtdAttType(attributeType);\n if (defaultValue) {\n this.defaultValue = this.stringify.dtdAttDefault(defaultValue);\n }\n this.defaultValueType = defaultValueType;\n }\n\n XMLDTDAttList.prototype.toString = function(options) {\n return this.options.writer.dtdAttList(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDAttList;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDElement, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDElement = (function(superClass) {\n extend(XMLDTDElement, superClass);\n\n function XMLDTDElement(parent, name, value) {\n XMLDTDElement.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing DTD element name. \" + this.debugInfo());\n }\n if (!value) {\n value = '(#PCDATA)';\n }\n if (Array.isArray(value)) {\n value = '(' + value.join(',') + ')';\n }\n this.name = this.stringify.name(name);\n this.type = NodeType.ElementDeclaration;\n this.value = this.stringify.dtdElementValue(value);\n }\n\n XMLDTDElement.prototype.toString = function(options) {\n return this.options.writer.dtdElement(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDElement;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDEntity, XMLNode, isObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isObject = require('./Utility').isObject;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDEntity = (function(superClass) {\n extend(XMLDTDEntity, superClass);\n\n function XMLDTDEntity(parent, pe, name, value) {\n XMLDTDEntity.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing DTD entity name. \" + this.debugInfo(name));\n }\n if (value == null) {\n throw new Error(\"Missing DTD entity value. \" + this.debugInfo(name));\n }\n this.pe = !!pe;\n this.name = this.stringify.name(name);\n this.type = NodeType.EntityDeclaration;\n if (!isObject(value)) {\n this.value = this.stringify.dtdEntityValue(value);\n this.internal = true;\n } else {\n if (!value.pubID && !value.sysID) {\n throw new Error(\"Public and/or system identifiers are required for an external entity. \" + this.debugInfo(name));\n }\n if (value.pubID && !value.sysID) {\n throw new Error(\"System identifier is required for a public external entity. \" + this.debugInfo(name));\n }\n this.internal = false;\n if (value.pubID != null) {\n this.pubID = this.stringify.dtdPubID(value.pubID);\n }\n if (value.sysID != null) {\n this.sysID = this.stringify.dtdSysID(value.sysID);\n }\n if (value.nData != null) {\n this.nData = this.stringify.dtdNData(value.nData);\n }\n if (this.pe && this.nData) {\n throw new Error(\"Notation declaration is not allowed in a parameter entity. \" + this.debugInfo(name));\n }\n }\n }\n\n Object.defineProperty(XMLDTDEntity.prototype, 'publicId', {\n get: function() {\n return this.pubID;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'systemId', {\n get: function() {\n return this.sysID;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'notationName', {\n get: function() {\n return this.nData || null;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'inputEncoding', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'xmlEncoding', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'xmlVersion', {\n get: function() {\n return null;\n }\n });\n\n XMLDTDEntity.prototype.toString = function(options) {\n return this.options.writer.dtdEntity(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDEntity;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDNotation, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDNotation = (function(superClass) {\n extend(XMLDTDNotation, superClass);\n\n function XMLDTDNotation(parent, name, value) {\n XMLDTDNotation.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing DTD notation name. \" + this.debugInfo(name));\n }\n if (!value.pubID && !value.sysID) {\n throw new Error(\"Public or system identifiers are required for an external entity. \" + this.debugInfo(name));\n }\n this.name = this.stringify.name(name);\n this.type = NodeType.NotationDeclaration;\n if (value.pubID != null) {\n this.pubID = this.stringify.dtdPubID(value.pubID);\n }\n if (value.sysID != null) {\n this.sysID = this.stringify.dtdSysID(value.sysID);\n }\n }\n\n Object.defineProperty(XMLDTDNotation.prototype, 'publicId', {\n get: function() {\n return this.pubID;\n }\n });\n\n Object.defineProperty(XMLDTDNotation.prototype, 'systemId', {\n get: function() {\n return this.sysID;\n }\n });\n\n XMLDTDNotation.prototype.toString = function(options) {\n return this.options.writer.dtdNotation(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDNotation;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDeclaration, XMLNode, isObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isObject = require('./Utility').isObject;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDeclaration = (function(superClass) {\n extend(XMLDeclaration, superClass);\n\n function XMLDeclaration(parent, version, encoding, standalone) {\n var ref;\n XMLDeclaration.__super__.constructor.call(this, parent);\n if (isObject(version)) {\n ref = version, version = ref.version, encoding = ref.encoding, standalone = ref.standalone;\n }\n if (!version) {\n version = '1.0';\n }\n this.type = NodeType.Declaration;\n this.version = this.stringify.xmlVersion(version);\n if (encoding != null) {\n this.encoding = this.stringify.xmlEncoding(encoding);\n }\n if (standalone != null) {\n this.standalone = this.stringify.xmlStandalone(standalone);\n }\n }\n\n XMLDeclaration.prototype.toString = function(options) {\n return this.options.writer.declaration(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDeclaration;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDAttList, XMLDTDElement, XMLDTDEntity, XMLDTDNotation, XMLDocType, XMLNamedNodeMap, XMLNode, isObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isObject = require('./Utility').isObject;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n XMLDTDAttList = require('./XMLDTDAttList');\n\n XMLDTDEntity = require('./XMLDTDEntity');\n\n XMLDTDElement = require('./XMLDTDElement');\n\n XMLDTDNotation = require('./XMLDTDNotation');\n\n XMLNamedNodeMap = require('./XMLNamedNodeMap');\n\n module.exports = XMLDocType = (function(superClass) {\n extend(XMLDocType, superClass);\n\n function XMLDocType(parent, pubID, sysID) {\n var child, i, len, ref, ref1, ref2;\n XMLDocType.__super__.constructor.call(this, parent);\n this.type = NodeType.DocType;\n if (parent.children) {\n ref = parent.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if (child.type === NodeType.Element) {\n this.name = child.name;\n break;\n }\n }\n }\n this.documentObject = parent;\n if (isObject(pubID)) {\n ref1 = pubID, pubID = ref1.pubID, sysID = ref1.sysID;\n }\n if (sysID == null) {\n ref2 = [pubID, sysID], sysID = ref2[0], pubID = ref2[1];\n }\n if (pubID != null) {\n this.pubID = this.stringify.dtdPubID(pubID);\n }\n if (sysID != null) {\n this.sysID = this.stringify.dtdSysID(sysID);\n }\n }\n\n Object.defineProperty(XMLDocType.prototype, 'entities', {\n get: function() {\n var child, i, len, nodes, ref;\n nodes = {};\n ref = this.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if ((child.type === NodeType.EntityDeclaration) && !child.pe) {\n nodes[child.name] = child;\n }\n }\n return new XMLNamedNodeMap(nodes);\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'notations', {\n get: function() {\n var child, i, len, nodes, ref;\n nodes = {};\n ref = this.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if (child.type === NodeType.NotationDeclaration) {\n nodes[child.name] = child;\n }\n }\n return new XMLNamedNodeMap(nodes);\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'publicId', {\n get: function() {\n return this.pubID;\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'systemId', {\n get: function() {\n return this.sysID;\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'internalSubset', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n XMLDocType.prototype.element = function(name, value) {\n var child;\n child = new XMLDTDElement(this, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.attList = function(elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n var child;\n child = new XMLDTDAttList(this, elementName, attributeName, attributeType, defaultValueType, defaultValue);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.entity = function(name, value) {\n var child;\n child = new XMLDTDEntity(this, false, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.pEntity = function(name, value) {\n var child;\n child = new XMLDTDEntity(this, true, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.notation = function(name, value) {\n var child;\n child = new XMLDTDNotation(this, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.toString = function(options) {\n return this.options.writer.docType(this, this.options.writer.filterOptions(options));\n };\n\n XMLDocType.prototype.ele = function(name, value) {\n return this.element(name, value);\n };\n\n XMLDocType.prototype.att = function(elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n return this.attList(elementName, attributeName, attributeType, defaultValueType, defaultValue);\n };\n\n XMLDocType.prototype.ent = function(name, value) {\n return this.entity(name, value);\n };\n\n XMLDocType.prototype.pent = function(name, value) {\n return this.pEntity(name, value);\n };\n\n XMLDocType.prototype.not = function(name, value) {\n return this.notation(name, value);\n };\n\n XMLDocType.prototype.up = function() {\n return this.root() || this.documentObject;\n };\n\n XMLDocType.prototype.isEqualNode = function(node) {\n if (!XMLDocType.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.name !== this.name) {\n return false;\n }\n if (node.publicId !== this.publicId) {\n return false;\n }\n if (node.systemId !== this.systemId) {\n return false;\n }\n return true;\n };\n\n return XMLDocType;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDOMConfiguration, XMLDOMImplementation, XMLDocument, XMLNode, XMLStringWriter, XMLStringifier, isPlainObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isPlainObject = require('./Utility').isPlainObject;\n\n XMLDOMImplementation = require('./XMLDOMImplementation');\n\n XMLDOMConfiguration = require('./XMLDOMConfiguration');\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n XMLStringifier = require('./XMLStringifier');\n\n XMLStringWriter = require('./XMLStringWriter');\n\n module.exports = XMLDocument = (function(superClass) {\n extend(XMLDocument, superClass);\n\n function XMLDocument(options) {\n XMLDocument.__super__.constructor.call(this, null);\n this.name = \"#document\";\n this.type = NodeType.Document;\n this.documentURI = null;\n this.domConfig = new XMLDOMConfiguration();\n options || (options = {});\n if (!options.writer) {\n options.writer = new XMLStringWriter();\n }\n this.options = options;\n this.stringify = new XMLStringifier(options);\n }\n\n Object.defineProperty(XMLDocument.prototype, 'implementation', {\n value: new XMLDOMImplementation()\n });\n\n Object.defineProperty(XMLDocument.prototype, 'doctype', {\n get: function() {\n var child, i, len, ref;\n ref = this.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if (child.type === NodeType.DocType) {\n return child;\n }\n }\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'documentElement', {\n get: function() {\n return this.rootObject || null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'inputEncoding', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'strictErrorChecking', {\n get: function() {\n return false;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'xmlEncoding', {\n get: function() {\n if (this.children.length !== 0 && this.children[0].type === NodeType.Declaration) {\n return this.children[0].encoding;\n } else {\n return null;\n }\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'xmlStandalone', {\n get: function() {\n if (this.children.length !== 0 && this.children[0].type === NodeType.Declaration) {\n return this.children[0].standalone === 'yes';\n } else {\n return false;\n }\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'xmlVersion', {\n get: function() {\n if (this.children.length !== 0 && this.children[0].type === NodeType.Declaration) {\n return this.children[0].version;\n } else {\n return \"1.0\";\n }\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'URL', {\n get: function() {\n return this.documentURI;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'origin', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'compatMode', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'characterSet', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'contentType', {\n get: function() {\n return null;\n }\n });\n\n XMLDocument.prototype.end = function(writer) {\n var writerOptions;\n writerOptions = {};\n if (!writer) {\n writer = this.options.writer;\n } else if (isPlainObject(writer)) {\n writerOptions = writer;\n writer = this.options.writer;\n }\n return writer.document(this, writer.filterOptions(writerOptions));\n };\n\n XMLDocument.prototype.toString = function(options) {\n return this.options.writer.document(this, this.options.writer.filterOptions(options));\n };\n\n XMLDocument.prototype.createElement = function(tagName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createDocumentFragment = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createTextNode = function(data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createComment = function(data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createCDATASection = function(data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createProcessingInstruction = function(target, data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createAttribute = function(name) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createEntityReference = function(name) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementsByTagName = function(tagname) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.importNode = function(importedNode, deep) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createElementNS = function(namespaceURI, qualifiedName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createAttributeNS = function(namespaceURI, qualifiedName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementsByTagNameNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementById = function(elementId) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.adoptNode = function(source) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.normalizeDocument = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.renameNode = function(node, namespaceURI, qualifiedName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementsByClassName = function(classNames) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createEvent = function(eventInterface) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createRange = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createNodeIterator = function(root, whatToShow, filter) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createTreeWalker = function(root, whatToShow, filter) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n return XMLDocument;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLAttribute, XMLCData, XMLComment, XMLDTDAttList, XMLDTDElement, XMLDTDEntity, XMLDTDNotation, XMLDeclaration, XMLDocType, XMLDocument, XMLDocumentCB, XMLElement, XMLProcessingInstruction, XMLRaw, XMLStringWriter, XMLStringifier, XMLText, getValue, isFunction, isObject, isPlainObject, ref,\n hasProp = {}.hasOwnProperty;\n\n ref = require('./Utility'), isObject = ref.isObject, isFunction = ref.isFunction, isPlainObject = ref.isPlainObject, getValue = ref.getValue;\n\n NodeType = require('./NodeType');\n\n XMLDocument = require('./XMLDocument');\n\n XMLElement = require('./XMLElement');\n\n XMLCData = require('./XMLCData');\n\n XMLComment = require('./XMLComment');\n\n XMLRaw = require('./XMLRaw');\n\n XMLText = require('./XMLText');\n\n XMLProcessingInstruction = require('./XMLProcessingInstruction');\n\n XMLDeclaration = require('./XMLDeclaration');\n\n XMLDocType = require('./XMLDocType');\n\n XMLDTDAttList = require('./XMLDTDAttList');\n\n XMLDTDEntity = require('./XMLDTDEntity');\n\n XMLDTDElement = require('./XMLDTDElement');\n\n XMLDTDNotation = require('./XMLDTDNotation');\n\n XMLAttribute = require('./XMLAttribute');\n\n XMLStringifier = require('./XMLStringifier');\n\n XMLStringWriter = require('./XMLStringWriter');\n\n WriterState = require('./WriterState');\n\n module.exports = XMLDocumentCB = (function() {\n function XMLDocumentCB(options, onData, onEnd) {\n var writerOptions;\n this.name = \"?xml\";\n this.type = NodeType.Document;\n options || (options = {});\n writerOptions = {};\n if (!options.writer) {\n options.writer = new XMLStringWriter();\n } else if (isPlainObject(options.writer)) {\n writerOptions = options.writer;\n options.writer = new XMLStringWriter();\n }\n this.options = options;\n this.writer = options.writer;\n this.writerOptions = this.writer.filterOptions(writerOptions);\n this.stringify = new XMLStringifier(options);\n this.onDataCallback = onData || function() {};\n this.onEndCallback = onEnd || function() {};\n this.currentNode = null;\n this.currentLevel = -1;\n this.openTags = {};\n this.documentStarted = false;\n this.documentCompleted = false;\n this.root = null;\n }\n\n XMLDocumentCB.prototype.createChildNode = function(node) {\n var att, attName, attributes, child, i, len, ref1, ref2;\n switch (node.type) {\n case NodeType.CData:\n this.cdata(node.value);\n break;\n case NodeType.Comment:\n this.comment(node.value);\n break;\n case NodeType.Element:\n attributes = {};\n ref1 = node.attribs;\n for (attName in ref1) {\n if (!hasProp.call(ref1, attName)) continue;\n att = ref1[attName];\n attributes[attName] = att.value;\n }\n this.node(node.name, attributes);\n break;\n case NodeType.Dummy:\n this.dummy();\n break;\n case NodeType.Raw:\n this.raw(node.value);\n break;\n case NodeType.Text:\n this.text(node.value);\n break;\n case NodeType.ProcessingInstruction:\n this.instruction(node.target, node.value);\n break;\n default:\n throw new Error(\"This XML node type is not supported in a JS object: \" + node.constructor.name);\n }\n ref2 = node.children;\n for (i = 0, len = ref2.length; i < len; i++) {\n child = ref2[i];\n this.createChildNode(child);\n if (child.type === NodeType.Element) {\n this.up();\n }\n }\n return this;\n };\n\n XMLDocumentCB.prototype.dummy = function() {\n return this;\n };\n\n XMLDocumentCB.prototype.node = function(name, attributes, text) {\n var ref1;\n if (name == null) {\n throw new Error(\"Missing node name.\");\n }\n if (this.root && this.currentLevel === -1) {\n throw new Error(\"Document can only have one root node. \" + this.debugInfo(name));\n }\n this.openCurrent();\n name = getValue(name);\n if (attributes == null) {\n attributes = {};\n }\n attributes = getValue(attributes);\n if (!isObject(attributes)) {\n ref1 = [attributes, text], text = ref1[0], attributes = ref1[1];\n }\n this.currentNode = new XMLElement(this, name, attributes);\n this.currentNode.children = false;\n this.currentLevel++;\n this.openTags[this.currentLevel] = this.currentNode;\n if (text != null) {\n this.text(text);\n }\n return this;\n };\n\n XMLDocumentCB.prototype.element = function(name, attributes, text) {\n var child, i, len, oldValidationFlag, ref1, root;\n if (this.currentNode && this.currentNode.type === NodeType.DocType) {\n this.dtdElement.apply(this, arguments);\n } else {\n if (Array.isArray(name) || isObject(name) || isFunction(name)) {\n oldValidationFlag = this.options.noValidation;\n this.options.noValidation = true;\n root = new XMLDocument(this.options).element('TEMP_ROOT');\n root.element(name);\n this.options.noValidation = oldValidationFlag;\n ref1 = root.children;\n for (i = 0, len = ref1.length; i < len; i++) {\n child = ref1[i];\n this.createChildNode(child);\n if (child.type === NodeType.Element) {\n this.up();\n }\n }\n } else {\n this.node(name, attributes, text);\n }\n }\n return this;\n };\n\n XMLDocumentCB.prototype.attribute = function(name, value) {\n var attName, attValue;\n if (!this.currentNode || this.currentNode.children) {\n throw new Error(\"att() can only be used immediately after an ele() call in callback mode. \" + this.debugInfo(name));\n }\n if (name != null) {\n name = getValue(name);\n }\n if (isObject(name)) {\n for (attName in name) {\n if (!hasProp.call(name, attName)) continue;\n attValue = name[attName];\n this.attribute(attName, attValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n if (this.options.keepNullAttributes && (value == null)) {\n this.currentNode.attribs[name] = new XMLAttribute(this, name, \"\");\n } else if (value != null) {\n this.currentNode.attribs[name] = new XMLAttribute(this, name, value);\n }\n }\n return this;\n };\n\n XMLDocumentCB.prototype.text = function(value) {\n var node;\n this.openCurrent();\n node = new XMLText(this, value);\n this.onData(this.writer.text(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.cdata = function(value) {\n var node;\n this.openCurrent();\n node = new XMLCData(this, value);\n this.onData(this.writer.cdata(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.comment = function(value) {\n var node;\n this.openCurrent();\n node = new XMLComment(this, value);\n this.onData(this.writer.comment(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.raw = function(value) {\n var node;\n this.openCurrent();\n node = new XMLRaw(this, value);\n this.onData(this.writer.raw(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.instruction = function(target, value) {\n var i, insTarget, insValue, len, node;\n this.openCurrent();\n if (target != null) {\n target = getValue(target);\n }\n if (value != null) {\n value = getValue(value);\n }\n if (Array.isArray(target)) {\n for (i = 0, len = target.length; i < len; i++) {\n insTarget = target[i];\n this.instruction(insTarget);\n }\n } else if (isObject(target)) {\n for (insTarget in target) {\n if (!hasProp.call(target, insTarget)) continue;\n insValue = target[insTarget];\n this.instruction(insTarget, insValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n node = new XMLProcessingInstruction(this, target, value);\n this.onData(this.writer.processingInstruction(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n }\n return this;\n };\n\n XMLDocumentCB.prototype.declaration = function(version, encoding, standalone) {\n var node;\n this.openCurrent();\n if (this.documentStarted) {\n throw new Error(\"declaration() must be the first node.\");\n }\n node = new XMLDeclaration(this, version, encoding, standalone);\n this.onData(this.writer.declaration(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.doctype = function(root, pubID, sysID) {\n this.openCurrent();\n if (root == null) {\n throw new Error(\"Missing root node name.\");\n }\n if (this.root) {\n throw new Error(\"dtd() must come before the root node.\");\n }\n this.currentNode = new XMLDocType(this, pubID, sysID);\n this.currentNode.rootNodeName = root;\n this.currentNode.children = false;\n this.currentLevel++;\n this.openTags[this.currentLevel] = this.currentNode;\n return this;\n };\n\n XMLDocumentCB.prototype.dtdElement = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDElement(this, name, value);\n this.onData(this.writer.dtdElement(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.attList = function(elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n var node;\n this.openCurrent();\n node = new XMLDTDAttList(this, elementName, attributeName, attributeType, defaultValueType, defaultValue);\n this.onData(this.writer.dtdAttList(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.entity = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDEntity(this, false, name, value);\n this.onData(this.writer.dtdEntity(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.pEntity = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDEntity(this, true, name, value);\n this.onData(this.writer.dtdEntity(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.notation = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDNotation(this, name, value);\n this.onData(this.writer.dtdNotation(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.up = function() {\n if (this.currentLevel < 0) {\n throw new Error(\"The document node has no parent.\");\n }\n if (this.currentNode) {\n if (this.currentNode.children) {\n this.closeNode(this.currentNode);\n } else {\n this.openNode(this.currentNode);\n }\n this.currentNode = null;\n } else {\n this.closeNode(this.openTags[this.currentLevel]);\n }\n delete this.openTags[this.currentLevel];\n this.currentLevel--;\n return this;\n };\n\n XMLDocumentCB.prototype.end = function() {\n while (this.currentLevel >= 0) {\n this.up();\n }\n return this.onEnd();\n };\n\n XMLDocumentCB.prototype.openCurrent = function() {\n if (this.currentNode) {\n this.currentNode.children = true;\n return this.openNode(this.currentNode);\n }\n };\n\n XMLDocumentCB.prototype.openNode = function(node) {\n var att, chunk, name, ref1;\n if (!node.isOpen) {\n if (!this.root && this.currentLevel === 0 && node.type === NodeType.Element) {\n this.root = node;\n }\n chunk = '';\n if (node.type === NodeType.Element) {\n this.writerOptions.state = WriterState.OpenTag;\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + '<' + node.name;\n ref1 = node.attribs;\n for (name in ref1) {\n if (!hasProp.call(ref1, name)) continue;\n att = ref1[name];\n chunk += this.writer.attribute(att, this.writerOptions, this.currentLevel);\n }\n chunk += (node.children ? '>' : '/>') + this.writer.endline(node, this.writerOptions, this.currentLevel);\n this.writerOptions.state = WriterState.InsideTag;\n } else {\n this.writerOptions.state = WriterState.OpenTag;\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + '<!DOCTYPE ' + node.rootNodeName;\n if (node.pubID && node.sysID) {\n chunk += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.sysID) {\n chunk += ' SYSTEM \"' + node.sysID + '\"';\n }\n if (node.children) {\n chunk += ' [';\n this.writerOptions.state = WriterState.InsideTag;\n } else {\n this.writerOptions.state = WriterState.CloseTag;\n chunk += '>';\n }\n chunk += this.writer.endline(node, this.writerOptions, this.currentLevel);\n }\n this.onData(chunk, this.currentLevel);\n return node.isOpen = true;\n }\n };\n\n XMLDocumentCB.prototype.closeNode = function(node) {\n var chunk;\n if (!node.isClosed) {\n chunk = '';\n this.writerOptions.state = WriterState.CloseTag;\n if (node.type === NodeType.Element) {\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + '</' + node.name + '>' + this.writer.endline(node, this.writerOptions, this.currentLevel);\n } else {\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + ']>' + this.writer.endline(node, this.writerOptions, this.currentLevel);\n }\n this.writerOptions.state = WriterState.None;\n this.onData(chunk, this.currentLevel);\n return node.isClosed = true;\n }\n };\n\n XMLDocumentCB.prototype.onData = function(chunk, level) {\n this.documentStarted = true;\n return this.onDataCallback(chunk, level + 1);\n };\n\n XMLDocumentCB.prototype.onEnd = function() {\n this.documentCompleted = true;\n return this.onEndCallback();\n };\n\n XMLDocumentCB.prototype.debugInfo = function(name) {\n if (name == null) {\n return \"\";\n } else {\n return \"node: <\" + name + \">\";\n }\n };\n\n XMLDocumentCB.prototype.ele = function() {\n return this.element.apply(this, arguments);\n };\n\n XMLDocumentCB.prototype.nod = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLDocumentCB.prototype.txt = function(value) {\n return this.text(value);\n };\n\n XMLDocumentCB.prototype.dat = function(value) {\n return this.cdata(value);\n };\n\n XMLDocumentCB.prototype.com = function(value) {\n return this.comment(value);\n };\n\n XMLDocumentCB.prototype.ins = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLDocumentCB.prototype.dec = function(version, encoding, standalone) {\n return this.declaration(version, encoding, standalone);\n };\n\n XMLDocumentCB.prototype.dtd = function(root, pubID, sysID) {\n return this.doctype(root, pubID, sysID);\n };\n\n XMLDocumentCB.prototype.e = function(name, attributes, text) {\n return this.element(name, attributes, text);\n };\n\n XMLDocumentCB.prototype.n = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLDocumentCB.prototype.t = function(value) {\n return this.text(value);\n };\n\n XMLDocumentCB.prototype.d = function(value) {\n return this.cdata(value);\n };\n\n XMLDocumentCB.prototype.c = function(value) {\n return this.comment(value);\n };\n\n XMLDocumentCB.prototype.r = function(value) {\n return this.raw(value);\n };\n\n XMLDocumentCB.prototype.i = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLDocumentCB.prototype.att = function() {\n if (this.currentNode && this.currentNode.type === NodeType.DocType) {\n return this.attList.apply(this, arguments);\n } else {\n return this.attribute.apply(this, arguments);\n }\n };\n\n XMLDocumentCB.prototype.a = function() {\n if (this.currentNode && this.currentNode.type === NodeType.DocType) {\n return this.attList.apply(this, arguments);\n } else {\n return this.attribute.apply(this, arguments);\n }\n };\n\n XMLDocumentCB.prototype.ent = function(name, value) {\n return this.entity(name, value);\n };\n\n XMLDocumentCB.prototype.pent = function(name, value) {\n return this.pEntity(name, value);\n };\n\n XMLDocumentCB.prototype.not = function(name, value) {\n return this.notation(name, value);\n };\n\n return XMLDocumentCB;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDummy, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDummy = (function(superClass) {\n extend(XMLDummy, superClass);\n\n function XMLDummy(parent) {\n XMLDummy.__super__.constructor.call(this, parent);\n this.type = NodeType.Dummy;\n }\n\n XMLDummy.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLDummy.prototype.toString = function(options) {\n return '';\n };\n\n return XMLDummy;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLAttribute, XMLElement, XMLNamedNodeMap, XMLNode, getValue, isFunction, isObject, ref,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n ref = require('./Utility'), isObject = ref.isObject, isFunction = ref.isFunction, getValue = ref.getValue;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n XMLAttribute = require('./XMLAttribute');\n\n XMLNamedNodeMap = require('./XMLNamedNodeMap');\n\n module.exports = XMLElement = (function(superClass) {\n extend(XMLElement, superClass);\n\n function XMLElement(parent, name, attributes) {\n var child, j, len, ref1;\n XMLElement.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing element name. \" + this.debugInfo());\n }\n this.name = this.stringify.name(name);\n this.type = NodeType.Element;\n this.attribs = {};\n this.schemaTypeInfo = null;\n if (attributes != null) {\n this.attribute(attributes);\n }\n if (parent.type === NodeType.Document) {\n this.isRoot = true;\n this.documentObject = parent;\n parent.rootObject = this;\n if (parent.children) {\n ref1 = parent.children;\n for (j = 0, len = ref1.length; j < len; j++) {\n child = ref1[j];\n if (child.type === NodeType.DocType) {\n child.name = this.name;\n break;\n }\n }\n }\n }\n }\n\n Object.defineProperty(XMLElement.prototype, 'tagName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'namespaceURI', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'prefix', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'localName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'id', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'className', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'classList', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'attributes', {\n get: function() {\n if (!this.attributeMap || !this.attributeMap.nodes) {\n this.attributeMap = new XMLNamedNodeMap(this.attribs);\n }\n return this.attributeMap;\n }\n });\n\n XMLElement.prototype.clone = function() {\n var att, attName, clonedSelf, ref1;\n clonedSelf = Object.create(this);\n if (clonedSelf.isRoot) {\n clonedSelf.documentObject = null;\n }\n clonedSelf.attribs = {};\n ref1 = this.attribs;\n for (attName in ref1) {\n if (!hasProp.call(ref1, attName)) continue;\n att = ref1[attName];\n clonedSelf.attribs[attName] = att.clone();\n }\n clonedSelf.children = [];\n this.children.forEach(function(child) {\n var clonedChild;\n clonedChild = child.clone();\n clonedChild.parent = clonedSelf;\n return clonedSelf.children.push(clonedChild);\n });\n return clonedSelf;\n };\n\n XMLElement.prototype.attribute = function(name, value) {\n var attName, attValue;\n if (name != null) {\n name = getValue(name);\n }\n if (isObject(name)) {\n for (attName in name) {\n if (!hasProp.call(name, attName)) continue;\n attValue = name[attName];\n this.attribute(attName, attValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n if (this.options.keepNullAttributes && (value == null)) {\n this.attribs[name] = new XMLAttribute(this, name, \"\");\n } else if (value != null) {\n this.attribs[name] = new XMLAttribute(this, name, value);\n }\n }\n return this;\n };\n\n XMLElement.prototype.removeAttribute = function(name) {\n var attName, j, len;\n if (name == null) {\n throw new Error(\"Missing attribute name. \" + this.debugInfo());\n }\n name = getValue(name);\n if (Array.isArray(name)) {\n for (j = 0, len = name.length; j < len; j++) {\n attName = name[j];\n delete this.attribs[attName];\n }\n } else {\n delete this.attribs[name];\n }\n return this;\n };\n\n XMLElement.prototype.toString = function(options) {\n return this.options.writer.element(this, this.options.writer.filterOptions(options));\n };\n\n XMLElement.prototype.att = function(name, value) {\n return this.attribute(name, value);\n };\n\n XMLElement.prototype.a = function(name, value) {\n return this.attribute(name, value);\n };\n\n XMLElement.prototype.getAttribute = function(name) {\n if (this.attribs.hasOwnProperty(name)) {\n return this.attribs[name].value;\n } else {\n return null;\n }\n };\n\n XMLElement.prototype.setAttribute = function(name, value) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getAttributeNode = function(name) {\n if (this.attribs.hasOwnProperty(name)) {\n return this.attribs[name];\n } else {\n return null;\n }\n };\n\n XMLElement.prototype.setAttributeNode = function(newAttr) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.removeAttributeNode = function(oldAttr) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagName = function(name) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getAttributeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setAttributeNS = function(namespaceURI, qualifiedName, value) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.removeAttributeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getAttributeNodeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setAttributeNodeNS = function(newAttr) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagNameNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.hasAttribute = function(name) {\n return this.attribs.hasOwnProperty(name);\n };\n\n XMLElement.prototype.hasAttributeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setIdAttribute = function(name, isId) {\n if (this.attribs.hasOwnProperty(name)) {\n return this.attribs[name].isId;\n } else {\n return isId;\n }\n };\n\n XMLElement.prototype.setIdAttributeNS = function(namespaceURI, localName, isId) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setIdAttributeNode = function(idAttr, isId) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagName = function(tagname) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagNameNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByClassName = function(classNames) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.isEqualNode = function(node) {\n var i, j, ref1;\n if (!XMLElement.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.namespaceURI !== this.namespaceURI) {\n return false;\n }\n if (node.prefix !== this.prefix) {\n return false;\n }\n if (node.localName !== this.localName) {\n return false;\n }\n if (node.attribs.length !== this.attribs.length) {\n return false;\n }\n for (i = j = 0, ref1 = this.attribs.length - 1; 0 <= ref1 ? j <= ref1 : j >= ref1; i = 0 <= ref1 ? ++j : --j) {\n if (!this.attribs[i].isEqualNode(node.attribs[i])) {\n return false;\n }\n }\n return true;\n };\n\n return XMLElement;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLNamedNodeMap;\n\n module.exports = XMLNamedNodeMap = (function() {\n function XMLNamedNodeMap(nodes) {\n this.nodes = nodes;\n }\n\n Object.defineProperty(XMLNamedNodeMap.prototype, 'length', {\n get: function() {\n return Object.keys(this.nodes).length || 0;\n }\n });\n\n XMLNamedNodeMap.prototype.clone = function() {\n return this.nodes = null;\n };\n\n XMLNamedNodeMap.prototype.getNamedItem = function(name) {\n return this.nodes[name];\n };\n\n XMLNamedNodeMap.prototype.setNamedItem = function(node) {\n var oldNode;\n oldNode = this.nodes[node.nodeName];\n this.nodes[node.nodeName] = node;\n return oldNode || null;\n };\n\n XMLNamedNodeMap.prototype.removeNamedItem = function(name) {\n var oldNode;\n oldNode = this.nodes[name];\n delete this.nodes[name];\n return oldNode || null;\n };\n\n XMLNamedNodeMap.prototype.item = function(index) {\n return this.nodes[Object.keys(this.nodes)[index]] || null;\n };\n\n XMLNamedNodeMap.prototype.getNamedItemNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLNamedNodeMap.prototype.setNamedItemNS = function(node) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLNamedNodeMap.prototype.removeNamedItemNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n return XMLNamedNodeMap;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var DocumentPosition, NodeType, XMLCData, XMLComment, XMLDeclaration, XMLDocType, XMLDummy, XMLElement, XMLNamedNodeMap, XMLNode, XMLNodeList, XMLProcessingInstruction, XMLRaw, XMLText, getValue, isEmpty, isFunction, isObject, ref1,\n hasProp = {}.hasOwnProperty;\n\n ref1 = require('./Utility'), isObject = ref1.isObject, isFunction = ref1.isFunction, isEmpty = ref1.isEmpty, getValue = ref1.getValue;\n\n XMLElement = null;\n\n XMLCData = null;\n\n XMLComment = null;\n\n XMLDeclaration = null;\n\n XMLDocType = null;\n\n XMLRaw = null;\n\n XMLText = null;\n\n XMLProcessingInstruction = null;\n\n XMLDummy = null;\n\n NodeType = null;\n\n XMLNodeList = null;\n\n XMLNamedNodeMap = null;\n\n DocumentPosition = null;\n\n module.exports = XMLNode = (function() {\n function XMLNode(parent1) {\n this.parent = parent1;\n if (this.parent) {\n this.options = this.parent.options;\n this.stringify = this.parent.stringify;\n }\n this.value = null;\n this.children = [];\n this.baseURI = null;\n if (!XMLElement) {\n XMLElement = require('./XMLElement');\n XMLCData = require('./XMLCData');\n XMLComment = require('./XMLComment');\n XMLDeclaration = require('./XMLDeclaration');\n XMLDocType = require('./XMLDocType');\n XMLRaw = require('./XMLRaw');\n XMLText = require('./XMLText');\n XMLProcessingInstruction = require('./XMLProcessingInstruction');\n XMLDummy = require('./XMLDummy');\n NodeType = require('./NodeType');\n XMLNodeList = require('./XMLNodeList');\n XMLNamedNodeMap = require('./XMLNamedNodeMap');\n DocumentPosition = require('./DocumentPosition');\n }\n }\n\n Object.defineProperty(XMLNode.prototype, 'nodeName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'nodeType', {\n get: function() {\n return this.type;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'nodeValue', {\n get: function() {\n return this.value;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'parentNode', {\n get: function() {\n return this.parent;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'childNodes', {\n get: function() {\n if (!this.childNodeList || !this.childNodeList.nodes) {\n this.childNodeList = new XMLNodeList(this.children);\n }\n return this.childNodeList;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'firstChild', {\n get: function() {\n return this.children[0] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'lastChild', {\n get: function() {\n return this.children[this.children.length - 1] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'previousSibling', {\n get: function() {\n var i;\n i = this.parent.children.indexOf(this);\n return this.parent.children[i - 1] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'nextSibling', {\n get: function() {\n var i;\n i = this.parent.children.indexOf(this);\n return this.parent.children[i + 1] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'ownerDocument', {\n get: function() {\n return this.document() || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'textContent', {\n get: function() {\n var child, j, len, ref2, str;\n if (this.nodeType === NodeType.Element || this.nodeType === NodeType.DocumentFragment) {\n str = '';\n ref2 = this.children;\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n if (child.textContent) {\n str += child.textContent;\n }\n }\n return str;\n } else {\n return null;\n }\n },\n set: function(value) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n XMLNode.prototype.setParent = function(parent) {\n var child, j, len, ref2, results;\n this.parent = parent;\n if (parent) {\n this.options = parent.options;\n this.stringify = parent.stringify;\n }\n ref2 = this.children;\n results = [];\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n results.push(child.setParent(this));\n }\n return results;\n };\n\n XMLNode.prototype.element = function(name, attributes, text) {\n var childNode, item, j, k, key, lastChild, len, len1, ref2, ref3, val;\n lastChild = null;\n if (attributes === null && (text == null)) {\n ref2 = [{}, null], attributes = ref2[0], text = ref2[1];\n }\n if (attributes == null) {\n attributes = {};\n }\n attributes = getValue(attributes);\n if (!isObject(attributes)) {\n ref3 = [attributes, text], text = ref3[0], attributes = ref3[1];\n }\n if (name != null) {\n name = getValue(name);\n }\n if (Array.isArray(name)) {\n for (j = 0, len = name.length; j < len; j++) {\n item = name[j];\n lastChild = this.element(item);\n }\n } else if (isFunction(name)) {\n lastChild = this.element(name.apply());\n } else if (isObject(name)) {\n for (key in name) {\n if (!hasProp.call(name, key)) continue;\n val = name[key];\n if (isFunction(val)) {\n val = val.apply();\n }\n if (!this.options.ignoreDecorators && this.stringify.convertAttKey && key.indexOf(this.stringify.convertAttKey) === 0) {\n lastChild = this.attribute(key.substr(this.stringify.convertAttKey.length), val);\n } else if (!this.options.separateArrayItems && Array.isArray(val) && isEmpty(val)) {\n lastChild = this.dummy();\n } else if (isObject(val) && isEmpty(val)) {\n lastChild = this.element(key);\n } else if (!this.options.keepNullNodes && (val == null)) {\n lastChild = this.dummy();\n } else if (!this.options.separateArrayItems && Array.isArray(val)) {\n for (k = 0, len1 = val.length; k < len1; k++) {\n item = val[k];\n childNode = {};\n childNode[key] = item;\n lastChild = this.element(childNode);\n }\n } else if (isObject(val)) {\n if (!this.options.ignoreDecorators && this.stringify.convertTextKey && key.indexOf(this.stringify.convertTextKey) === 0) {\n lastChild = this.element(val);\n } else {\n lastChild = this.element(key);\n lastChild.element(val);\n }\n } else {\n lastChild = this.element(key, val);\n }\n }\n } else if (!this.options.keepNullNodes && text === null) {\n lastChild = this.dummy();\n } else {\n if (!this.options.ignoreDecorators && this.stringify.convertTextKey && name.indexOf(this.stringify.convertTextKey) === 0) {\n lastChild = this.text(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertCDataKey && name.indexOf(this.stringify.convertCDataKey) === 0) {\n lastChild = this.cdata(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertCommentKey && name.indexOf(this.stringify.convertCommentKey) === 0) {\n lastChild = this.comment(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertRawKey && name.indexOf(this.stringify.convertRawKey) === 0) {\n lastChild = this.raw(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertPIKey && name.indexOf(this.stringify.convertPIKey) === 0) {\n lastChild = this.instruction(name.substr(this.stringify.convertPIKey.length), text);\n } else {\n lastChild = this.node(name, attributes, text);\n }\n }\n if (lastChild == null) {\n throw new Error(\"Could not create any elements with: \" + name + \". \" + this.debugInfo());\n }\n return lastChild;\n };\n\n XMLNode.prototype.insertBefore = function(name, attributes, text) {\n var child, i, newChild, refChild, removed;\n if (name != null ? name.type : void 0) {\n newChild = name;\n refChild = attributes;\n newChild.setParent(this);\n if (refChild) {\n i = children.indexOf(refChild);\n removed = children.splice(i);\n children.push(newChild);\n Array.prototype.push.apply(children, removed);\n } else {\n children.push(newChild);\n }\n return newChild;\n } else {\n if (this.isRoot) {\n throw new Error(\"Cannot insert elements at root level. \" + this.debugInfo(name));\n }\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i);\n child = this.parent.element(name, attributes, text);\n Array.prototype.push.apply(this.parent.children, removed);\n return child;\n }\n };\n\n XMLNode.prototype.insertAfter = function(name, attributes, text) {\n var child, i, removed;\n if (this.isRoot) {\n throw new Error(\"Cannot insert elements at root level. \" + this.debugInfo(name));\n }\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i + 1);\n child = this.parent.element(name, attributes, text);\n Array.prototype.push.apply(this.parent.children, removed);\n return child;\n };\n\n XMLNode.prototype.remove = function() {\n var i, ref2;\n if (this.isRoot) {\n throw new Error(\"Cannot remove the root element. \" + this.debugInfo());\n }\n i = this.parent.children.indexOf(this);\n [].splice.apply(this.parent.children, [i, i - i + 1].concat(ref2 = [])), ref2;\n return this.parent;\n };\n\n XMLNode.prototype.node = function(name, attributes, text) {\n var child, ref2;\n if (name != null) {\n name = getValue(name);\n }\n attributes || (attributes = {});\n attributes = getValue(attributes);\n if (!isObject(attributes)) {\n ref2 = [attributes, text], text = ref2[0], attributes = ref2[1];\n }\n child = new XMLElement(this, name, attributes);\n if (text != null) {\n child.text(text);\n }\n this.children.push(child);\n return child;\n };\n\n XMLNode.prototype.text = function(value) {\n var child;\n if (isObject(value)) {\n this.element(value);\n }\n child = new XMLText(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.cdata = function(value) {\n var child;\n child = new XMLCData(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.comment = function(value) {\n var child;\n child = new XMLComment(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.commentBefore = function(value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i);\n child = this.parent.comment(value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.commentAfter = function(value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i + 1);\n child = this.parent.comment(value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.raw = function(value) {\n var child;\n child = new XMLRaw(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.dummy = function() {\n var child;\n child = new XMLDummy(this);\n return child;\n };\n\n XMLNode.prototype.instruction = function(target, value) {\n var insTarget, insValue, instruction, j, len;\n if (target != null) {\n target = getValue(target);\n }\n if (value != null) {\n value = getValue(value);\n }\n if (Array.isArray(target)) {\n for (j = 0, len = target.length; j < len; j++) {\n insTarget = target[j];\n this.instruction(insTarget);\n }\n } else if (isObject(target)) {\n for (insTarget in target) {\n if (!hasProp.call(target, insTarget)) continue;\n insValue = target[insTarget];\n this.instruction(insTarget, insValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n instruction = new XMLProcessingInstruction(this, target, value);\n this.children.push(instruction);\n }\n return this;\n };\n\n XMLNode.prototype.instructionBefore = function(target, value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i);\n child = this.parent.instruction(target, value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.instructionAfter = function(target, value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i + 1);\n child = this.parent.instruction(target, value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.declaration = function(version, encoding, standalone) {\n var doc, xmldec;\n doc = this.document();\n xmldec = new XMLDeclaration(doc, version, encoding, standalone);\n if (doc.children.length === 0) {\n doc.children.unshift(xmldec);\n } else if (doc.children[0].type === NodeType.Declaration) {\n doc.children[0] = xmldec;\n } else {\n doc.children.unshift(xmldec);\n }\n return doc.root() || doc;\n };\n\n XMLNode.prototype.dtd = function(pubID, sysID) {\n var child, doc, doctype, i, j, k, len, len1, ref2, ref3;\n doc = this.document();\n doctype = new XMLDocType(doc, pubID, sysID);\n ref2 = doc.children;\n for (i = j = 0, len = ref2.length; j < len; i = ++j) {\n child = ref2[i];\n if (child.type === NodeType.DocType) {\n doc.children[i] = doctype;\n return doctype;\n }\n }\n ref3 = doc.children;\n for (i = k = 0, len1 = ref3.length; k < len1; i = ++k) {\n child = ref3[i];\n if (child.isRoot) {\n doc.children.splice(i, 0, doctype);\n return doctype;\n }\n }\n doc.children.push(doctype);\n return doctype;\n };\n\n XMLNode.prototype.up = function() {\n if (this.isRoot) {\n throw new Error(\"The root node has no parent. Use doc() if you need to get the document object.\");\n }\n return this.parent;\n };\n\n XMLNode.prototype.root = function() {\n var node;\n node = this;\n while (node) {\n if (node.type === NodeType.Document) {\n return node.rootObject;\n } else if (node.isRoot) {\n return node;\n } else {\n node = node.parent;\n }\n }\n };\n\n XMLNode.prototype.document = function() {\n var node;\n node = this;\n while (node) {\n if (node.type === NodeType.Document) {\n return node;\n } else {\n node = node.parent;\n }\n }\n };\n\n XMLNode.prototype.end = function(options) {\n return this.document().end(options);\n };\n\n XMLNode.prototype.prev = function() {\n var i;\n i = this.parent.children.indexOf(this);\n if (i < 1) {\n throw new Error(\"Already at the first node. \" + this.debugInfo());\n }\n return this.parent.children[i - 1];\n };\n\n XMLNode.prototype.next = function() {\n var i;\n i = this.parent.children.indexOf(this);\n if (i === -1 || i === this.parent.children.length - 1) {\n throw new Error(\"Already at the last node. \" + this.debugInfo());\n }\n return this.parent.children[i + 1];\n };\n\n XMLNode.prototype.importDocument = function(doc) {\n var clonedRoot;\n clonedRoot = doc.root().clone();\n clonedRoot.parent = this;\n clonedRoot.isRoot = false;\n this.children.push(clonedRoot);\n return this;\n };\n\n XMLNode.prototype.debugInfo = function(name) {\n var ref2, ref3;\n name = name || this.name;\n if ((name == null) && !((ref2 = this.parent) != null ? ref2.name : void 0)) {\n return \"\";\n } else if (name == null) {\n return \"parent: <\" + this.parent.name + \">\";\n } else if (!((ref3 = this.parent) != null ? ref3.name : void 0)) {\n return \"node: <\" + name + \">\";\n } else {\n return \"node: <\" + name + \">, parent: <\" + this.parent.name + \">\";\n }\n };\n\n XMLNode.prototype.ele = function(name, attributes, text) {\n return this.element(name, attributes, text);\n };\n\n XMLNode.prototype.nod = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLNode.prototype.txt = function(value) {\n return this.text(value);\n };\n\n XMLNode.prototype.dat = function(value) {\n return this.cdata(value);\n };\n\n XMLNode.prototype.com = function(value) {\n return this.comment(value);\n };\n\n XMLNode.prototype.ins = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLNode.prototype.doc = function() {\n return this.document();\n };\n\n XMLNode.prototype.dec = function(version, encoding, standalone) {\n return this.declaration(version, encoding, standalone);\n };\n\n XMLNode.prototype.e = function(name, attributes, text) {\n return this.element(name, attributes, text);\n };\n\n XMLNode.prototype.n = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLNode.prototype.t = function(value) {\n return this.text(value);\n };\n\n XMLNode.prototype.d = function(value) {\n return this.cdata(value);\n };\n\n XMLNode.prototype.c = function(value) {\n return this.comment(value);\n };\n\n XMLNode.prototype.r = function(value) {\n return this.raw(value);\n };\n\n XMLNode.prototype.i = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLNode.prototype.u = function() {\n return this.up();\n };\n\n XMLNode.prototype.importXMLBuilder = function(doc) {\n return this.importDocument(doc);\n };\n\n XMLNode.prototype.replaceChild = function(newChild, oldChild) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.removeChild = function(oldChild) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.appendChild = function(newChild) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.hasChildNodes = function() {\n return this.children.length !== 0;\n };\n\n XMLNode.prototype.cloneNode = function(deep) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.normalize = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.isSupported = function(feature, version) {\n return true;\n };\n\n XMLNode.prototype.hasAttributes = function() {\n return this.attribs.length !== 0;\n };\n\n XMLNode.prototype.compareDocumentPosition = function(other) {\n var ref, res;\n ref = this;\n if (ref === other) {\n return 0;\n } else if (this.document() !== other.document()) {\n res = DocumentPosition.Disconnected | DocumentPosition.ImplementationSpecific;\n if (Math.random() < 0.5) {\n res |= DocumentPosition.Preceding;\n } else {\n res |= DocumentPosition.Following;\n }\n return res;\n } else if (ref.isAncestor(other)) {\n return DocumentPosition.Contains | DocumentPosition.Preceding;\n } else if (ref.isDescendant(other)) {\n return DocumentPosition.Contains | DocumentPosition.Following;\n } else if (ref.isPreceding(other)) {\n return DocumentPosition.Preceding;\n } else {\n return DocumentPosition.Following;\n }\n };\n\n XMLNode.prototype.isSameNode = function(other) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.lookupPrefix = function(namespaceURI) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.isDefaultNamespace = function(namespaceURI) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.lookupNamespaceURI = function(prefix) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.isEqualNode = function(node) {\n var i, j, ref2;\n if (node.nodeType !== this.nodeType) {\n return false;\n }\n if (node.children.length !== this.children.length) {\n return false;\n }\n for (i = j = 0, ref2 = this.children.length - 1; 0 <= ref2 ? j <= ref2 : j >= ref2; i = 0 <= ref2 ? ++j : --j) {\n if (!this.children[i].isEqualNode(node.children[i])) {\n return false;\n }\n }\n return true;\n };\n\n XMLNode.prototype.getFeature = function(feature, version) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.setUserData = function(key, data, handler) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.getUserData = function(key) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.contains = function(other) {\n if (!other) {\n return false;\n }\n return other === this || this.isDescendant(other);\n };\n\n XMLNode.prototype.isDescendant = function(node) {\n var child, isDescendantChild, j, len, ref2;\n ref2 = this.children;\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n if (node === child) {\n return true;\n }\n isDescendantChild = child.isDescendant(node);\n if (isDescendantChild) {\n return true;\n }\n }\n return false;\n };\n\n XMLNode.prototype.isAncestor = function(node) {\n return node.isDescendant(this);\n };\n\n XMLNode.prototype.isPreceding = function(node) {\n var nodePos, thisPos;\n nodePos = this.treePosition(node);\n thisPos = this.treePosition(this);\n if (nodePos === -1 || thisPos === -1) {\n return false;\n } else {\n return nodePos < thisPos;\n }\n };\n\n XMLNode.prototype.isFollowing = function(node) {\n var nodePos, thisPos;\n nodePos = this.treePosition(node);\n thisPos = this.treePosition(this);\n if (nodePos === -1 || thisPos === -1) {\n return false;\n } else {\n return nodePos > thisPos;\n }\n };\n\n XMLNode.prototype.treePosition = function(node) {\n var found, pos;\n pos = 0;\n found = false;\n this.foreachTreeNode(this.document(), function(childNode) {\n pos++;\n if (!found && childNode === node) {\n return found = true;\n }\n });\n if (found) {\n return pos;\n } else {\n return -1;\n }\n };\n\n XMLNode.prototype.foreachTreeNode = function(node, func) {\n var child, j, len, ref2, res;\n node || (node = this.document());\n ref2 = node.children;\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n if (res = func(child)) {\n return res;\n } else {\n res = this.foreachTreeNode(child, func);\n if (res) {\n return res;\n }\n }\n }\n };\n\n return XMLNode;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLNodeList;\n\n module.exports = XMLNodeList = (function() {\n function XMLNodeList(nodes) {\n this.nodes = nodes;\n }\n\n Object.defineProperty(XMLNodeList.prototype, 'length', {\n get: function() {\n return this.nodes.length || 0;\n }\n });\n\n XMLNodeList.prototype.clone = function() {\n return this.nodes = null;\n };\n\n XMLNodeList.prototype.item = function(index) {\n return this.nodes[index] || null;\n };\n\n return XMLNodeList;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCharacterData, XMLProcessingInstruction,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLProcessingInstruction = (function(superClass) {\n extend(XMLProcessingInstruction, superClass);\n\n function XMLProcessingInstruction(parent, target, value) {\n XMLProcessingInstruction.__super__.constructor.call(this, parent);\n if (target == null) {\n throw new Error(\"Missing instruction target. \" + this.debugInfo());\n }\n this.type = NodeType.ProcessingInstruction;\n this.target = this.stringify.insTarget(target);\n this.name = this.target;\n if (value) {\n this.value = this.stringify.insValue(value);\n }\n }\n\n XMLProcessingInstruction.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLProcessingInstruction.prototype.toString = function(options) {\n return this.options.writer.processingInstruction(this, this.options.writer.filterOptions(options));\n };\n\n XMLProcessingInstruction.prototype.isEqualNode = function(node) {\n if (!XMLProcessingInstruction.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.target !== this.target) {\n return false;\n }\n return true;\n };\n\n return XMLProcessingInstruction;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLNode, XMLRaw,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLNode = require('./XMLNode');\n\n module.exports = XMLRaw = (function(superClass) {\n extend(XMLRaw, superClass);\n\n function XMLRaw(parent, text) {\n XMLRaw.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing raw text. \" + this.debugInfo());\n }\n this.type = NodeType.Raw;\n this.value = this.stringify.raw(text);\n }\n\n XMLRaw.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLRaw.prototype.toString = function(options) {\n return this.options.writer.raw(this, this.options.writer.filterOptions(options));\n };\n\n return XMLRaw;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLStreamWriter, XMLWriterBase,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLWriterBase = require('./XMLWriterBase');\n\n WriterState = require('./WriterState');\n\n module.exports = XMLStreamWriter = (function(superClass) {\n extend(XMLStreamWriter, superClass);\n\n function XMLStreamWriter(stream, options) {\n this.stream = stream;\n XMLStreamWriter.__super__.constructor.call(this, options);\n }\n\n XMLStreamWriter.prototype.endline = function(node, options, level) {\n if (node.isLastRootNode && options.state === WriterState.CloseTag) {\n return '';\n } else {\n return XMLStreamWriter.__super__.endline.call(this, node, options, level);\n }\n };\n\n XMLStreamWriter.prototype.document = function(doc, options) {\n var child, i, j, k, len, len1, ref, ref1, results;\n ref = doc.children;\n for (i = j = 0, len = ref.length; j < len; i = ++j) {\n child = ref[i];\n child.isLastRootNode = i === doc.children.length - 1;\n }\n options = this.filterOptions(options);\n ref1 = doc.children;\n results = [];\n for (k = 0, len1 = ref1.length; k < len1; k++) {\n child = ref1[k];\n results.push(this.writeChildNode(child, options, 0));\n }\n return results;\n };\n\n XMLStreamWriter.prototype.attribute = function(att, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.attribute.call(this, att, options, level));\n };\n\n XMLStreamWriter.prototype.cdata = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.cdata.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.comment = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.comment.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.declaration = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.declaration.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.docType = function(node, options, level) {\n var child, j, len, ref;\n level || (level = 0);\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n this.stream.write(this.indent(node, options, level));\n this.stream.write('<!DOCTYPE ' + node.root().name);\n if (node.pubID && node.sysID) {\n this.stream.write(' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"');\n } else if (node.sysID) {\n this.stream.write(' SYSTEM \"' + node.sysID + '\"');\n }\n if (node.children.length > 0) {\n this.stream.write(' [');\n this.stream.write(this.endline(node, options, level));\n options.state = WriterState.InsideTag;\n ref = node.children;\n for (j = 0, len = ref.length; j < len; j++) {\n child = ref[j];\n this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n this.stream.write(']');\n }\n options.state = WriterState.CloseTag;\n this.stream.write(options.spaceBeforeSlash + '>');\n this.stream.write(this.endline(node, options, level));\n options.state = WriterState.None;\n return this.closeNode(node, options, level);\n };\n\n XMLStreamWriter.prototype.element = function(node, options, level) {\n var att, child, childNodeCount, firstChildNode, j, len, name, prettySuppressed, ref, ref1;\n level || (level = 0);\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n this.stream.write(this.indent(node, options, level) + '<' + node.name);\n ref = node.attribs;\n for (name in ref) {\n if (!hasProp.call(ref, name)) continue;\n att = ref[name];\n this.attribute(att, options, level);\n }\n childNodeCount = node.children.length;\n firstChildNode = childNodeCount === 0 ? null : node.children[0];\n if (childNodeCount === 0 || node.children.every(function(e) {\n return (e.type === NodeType.Text || e.type === NodeType.Raw) && e.value === '';\n })) {\n if (options.allowEmpty) {\n this.stream.write('>');\n options.state = WriterState.CloseTag;\n this.stream.write('</' + node.name + '>');\n } else {\n options.state = WriterState.CloseTag;\n this.stream.write(options.spaceBeforeSlash + '/>');\n }\n } else if (options.pretty && childNodeCount === 1 && (firstChildNode.type === NodeType.Text || firstChildNode.type === NodeType.Raw) && (firstChildNode.value != null)) {\n this.stream.write('>');\n options.state = WriterState.InsideTag;\n options.suppressPrettyCount++;\n prettySuppressed = true;\n this.writeChildNode(firstChildNode, options, level + 1);\n options.suppressPrettyCount--;\n prettySuppressed = false;\n options.state = WriterState.CloseTag;\n this.stream.write('</' + node.name + '>');\n } else {\n this.stream.write('>' + this.endline(node, options, level));\n options.state = WriterState.InsideTag;\n ref1 = node.children;\n for (j = 0, len = ref1.length; j < len; j++) {\n child = ref1[j];\n this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n this.stream.write(this.indent(node, options, level) + '</' + node.name + '>');\n }\n this.stream.write(this.endline(node, options, level));\n options.state = WriterState.None;\n return this.closeNode(node, options, level);\n };\n\n XMLStreamWriter.prototype.processingInstruction = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.processingInstruction.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.raw = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.raw.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.text = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.text.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdAttList = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdAttList.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdElement = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdElement.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdEntity = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdEntity.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdNotation = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdNotation.call(this, node, options, level));\n };\n\n return XMLStreamWriter;\n\n })(XMLWriterBase);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLStringWriter, XMLWriterBase,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLWriterBase = require('./XMLWriterBase');\n\n module.exports = XMLStringWriter = (function(superClass) {\n extend(XMLStringWriter, superClass);\n\n function XMLStringWriter(options) {\n XMLStringWriter.__super__.constructor.call(this, options);\n }\n\n XMLStringWriter.prototype.document = function(doc, options) {\n var child, i, len, r, ref;\n options = this.filterOptions(options);\n r = '';\n ref = doc.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n r += this.writeChildNode(child, options, 0);\n }\n if (options.pretty && r.slice(-options.newline.length) === options.newline) {\n r = r.slice(0, -options.newline.length);\n }\n return r;\n };\n\n return XMLStringWriter;\n\n })(XMLWriterBase);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLStringifier,\n bind = function(fn, me){ return function(){ return fn.apply(me, arguments); }; },\n hasProp = {}.hasOwnProperty;\n\n module.exports = XMLStringifier = (function() {\n function XMLStringifier(options) {\n this.assertLegalName = bind(this.assertLegalName, this);\n this.assertLegalChar = bind(this.assertLegalChar, this);\n var key, ref, value;\n options || (options = {});\n this.options = options;\n if (!this.options.version) {\n this.options.version = '1.0';\n }\n ref = options.stringify || {};\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this[key] = value;\n }\n }\n\n XMLStringifier.prototype.name = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalName('' + val || '');\n };\n\n XMLStringifier.prototype.text = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar(this.textEscape('' + val || ''));\n };\n\n XMLStringifier.prototype.cdata = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n val = val.replace(']]>', ']]]]><![CDATA[>');\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.comment = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (val.match(/--/)) {\n throw new Error(\"Comment text cannot contain double-hypen: \" + val);\n }\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.raw = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return '' + val || '';\n };\n\n XMLStringifier.prototype.attValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar(this.attEscape(val = '' + val || ''));\n };\n\n XMLStringifier.prototype.insTarget = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.insValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (val.match(/\\?>/)) {\n throw new Error(\"Invalid processing instruction value: \" + val);\n }\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.xmlVersion = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (!val.match(/1\\.[0-9]+/)) {\n throw new Error(\"Invalid version number: \" + val);\n }\n return val;\n };\n\n XMLStringifier.prototype.xmlEncoding = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (!val.match(/^[A-Za-z](?:[A-Za-z0-9._-])*$/)) {\n throw new Error(\"Invalid encoding: \" + val);\n }\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.xmlStandalone = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n if (val) {\n return \"yes\";\n } else {\n return \"no\";\n }\n };\n\n XMLStringifier.prototype.dtdPubID = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdSysID = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdElementValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdAttType = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdAttDefault = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdEntityValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdNData = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.convertAttKey = '@';\n\n XMLStringifier.prototype.convertPIKey = '?';\n\n XMLStringifier.prototype.convertTextKey = '#text';\n\n XMLStringifier.prototype.convertCDataKey = '#cdata';\n\n XMLStringifier.prototype.convertCommentKey = '#comment';\n\n XMLStringifier.prototype.convertRawKey = '#raw';\n\n XMLStringifier.prototype.assertLegalChar = function(str) {\n var regex, res;\n if (this.options.noValidation) {\n return str;\n }\n regex = '';\n if (this.options.version === '1.0') {\n regex = /[\\0-\\x08\\x0B\\f\\x0E-\\x1F\\uFFFE\\uFFFF]|[\\uD800-\\uDBFF](?![\\uDC00-\\uDFFF])|(?:[^\\uD800-\\uDBFF]|^)[\\uDC00-\\uDFFF]/;\n if (res = str.match(regex)) {\n throw new Error(\"Invalid character in string: \" + str + \" at index \" + res.index);\n }\n } else if (this.options.version === '1.1') {\n regex = /[\\0\\uFFFE\\uFFFF]|[\\uD800-\\uDBFF](?![\\uDC00-\\uDFFF])|(?:[^\\uD800-\\uDBFF]|^)[\\uDC00-\\uDFFF]/;\n if (res = str.match(regex)) {\n throw new Error(\"Invalid character in string: \" + str + \" at index \" + res.index);\n }\n }\n return str;\n };\n\n XMLStringifier.prototype.assertLegalName = function(str) {\n var regex;\n if (this.options.noValidation) {\n return str;\n }\n this.assertLegalChar(str);\n regex = /^([:A-Z_a-z\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]|[\\uD800-\\uDB7F][\\uDC00-\\uDFFF])([\\x2D\\.0-:A-Z_a-z\\xB7\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u037D\\u037F-\\u1FFF\\u200C\\u200D\\u203F\\u2040\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]|[\\uD800-\\uDB7F][\\uDC00-\\uDFFF])*$/;\n if (!str.match(regex)) {\n throw new Error(\"Invalid character in name\");\n }\n return str;\n };\n\n XMLStringifier.prototype.textEscape = function(str) {\n var ampregex;\n if (this.options.noValidation) {\n return str;\n }\n ampregex = this.options.noDoubleEncoding ? /(?!&\\S+;)&/g : /&/g;\n return str.replace(ampregex, '&amp;').replace(/</g, '&lt;').replace(/>/g, '&gt;').replace(/\\r/g, '&#xD;');\n };\n\n XMLStringifier.prototype.attEscape = function(str) {\n var ampregex;\n if (this.options.noValidation) {\n return str;\n }\n ampregex = this.options.noDoubleEncoding ? /(?!&\\S+;)&/g : /&/g;\n return str.replace(ampregex, '&amp;').replace(/</g, '&lt;').replace(/\"/g, '&quot;').replace(/\\t/g, '&#x9;').replace(/\\n/g, '&#xA;').replace(/\\r/g, '&#xD;');\n };\n\n return XMLStringifier;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCharacterData, XMLText,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLText = (function(superClass) {\n extend(XMLText, superClass);\n\n function XMLText(parent, text) {\n XMLText.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing element text. \" + this.debugInfo());\n }\n this.name = \"#text\";\n this.type = NodeType.Text;\n this.value = this.stringify.text(text);\n }\n\n Object.defineProperty(XMLText.prototype, 'isElementContentWhitespace', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLText.prototype, 'wholeText', {\n get: function() {\n var next, prev, str;\n str = '';\n prev = this.previousSibling;\n while (prev) {\n str = prev.data + str;\n prev = prev.previousSibling;\n }\n str += this.data;\n next = this.nextSibling;\n while (next) {\n str = str + next.data;\n next = next.nextSibling;\n }\n return str;\n }\n });\n\n XMLText.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLText.prototype.toString = function(options) {\n return this.options.writer.text(this, this.options.writer.filterOptions(options));\n };\n\n XMLText.prototype.splitText = function(offset) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLText.prototype.replaceWholeText = function(content) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n return XMLText;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLCData, XMLComment, XMLDTDAttList, XMLDTDElement, XMLDTDEntity, XMLDTDNotation, XMLDeclaration, XMLDocType, XMLDummy, XMLElement, XMLProcessingInstruction, XMLRaw, XMLText, XMLWriterBase, assign,\n hasProp = {}.hasOwnProperty;\n\n assign = require('./Utility').assign;\n\n NodeType = require('./NodeType');\n\n XMLDeclaration = require('./XMLDeclaration');\n\n XMLDocType = require('./XMLDocType');\n\n XMLCData = require('./XMLCData');\n\n XMLComment = require('./XMLComment');\n\n XMLElement = require('./XMLElement');\n\n XMLRaw = require('./XMLRaw');\n\n XMLText = require('./XMLText');\n\n XMLProcessingInstruction = require('./XMLProcessingInstruction');\n\n XMLDummy = require('./XMLDummy');\n\n XMLDTDAttList = require('./XMLDTDAttList');\n\n XMLDTDElement = require('./XMLDTDElement');\n\n XMLDTDEntity = require('./XMLDTDEntity');\n\n XMLDTDNotation = require('./XMLDTDNotation');\n\n WriterState = require('./WriterState');\n\n module.exports = XMLWriterBase = (function() {\n function XMLWriterBase(options) {\n var key, ref, value;\n options || (options = {});\n this.options = options;\n ref = options.writer || {};\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this[\"_\" + key] = this[key];\n this[key] = value;\n }\n }\n\n XMLWriterBase.prototype.filterOptions = function(options) {\n var filteredOptions, ref, ref1, ref2, ref3, ref4, ref5, ref6;\n options || (options = {});\n options = assign({}, this.options, options);\n filteredOptions = {\n writer: this\n };\n filteredOptions.pretty = options.pretty || false;\n filteredOptions.allowEmpty = options.allowEmpty || false;\n filteredOptions.indent = (ref = options.indent) != null ? ref : ' ';\n filteredOptions.newline = (ref1 = options.newline) != null ? ref1 : '\\n';\n filteredOptions.offset = (ref2 = options.offset) != null ? ref2 : 0;\n filteredOptions.dontPrettyTextNodes = (ref3 = (ref4 = options.dontPrettyTextNodes) != null ? ref4 : options.dontprettytextnodes) != null ? ref3 : 0;\n filteredOptions.spaceBeforeSlash = (ref5 = (ref6 = options.spaceBeforeSlash) != null ? ref6 : options.spacebeforeslash) != null ? ref5 : '';\n if (filteredOptions.spaceBeforeSlash === true) {\n filteredOptions.spaceBeforeSlash = ' ';\n }\n filteredOptions.suppressPrettyCount = 0;\n filteredOptions.user = {};\n filteredOptions.state = WriterState.None;\n return filteredOptions;\n };\n\n XMLWriterBase.prototype.indent = function(node, options, level) {\n var indentLevel;\n if (!options.pretty || options.suppressPrettyCount) {\n return '';\n } else if (options.pretty) {\n indentLevel = (level || 0) + options.offset + 1;\n if (indentLevel > 0) {\n return new Array(indentLevel).join(options.indent);\n }\n }\n return '';\n };\n\n XMLWriterBase.prototype.endline = function(node, options, level) {\n if (!options.pretty || options.suppressPrettyCount) {\n return '';\n } else {\n return options.newline;\n }\n };\n\n XMLWriterBase.prototype.attribute = function(att, options, level) {\n var r;\n this.openAttribute(att, options, level);\n r = ' ' + att.name + '=\"' + att.value + '\"';\n this.closeAttribute(att, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.cdata = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<![CDATA[';\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += ']]>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.comment = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!-- ';\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += ' -->' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.declaration = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<?xml';\n options.state = WriterState.InsideTag;\n r += ' version=\"' + node.version + '\"';\n if (node.encoding != null) {\n r += ' encoding=\"' + node.encoding + '\"';\n }\n if (node.standalone != null) {\n r += ' standalone=\"' + node.standalone + '\"';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '?>';\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.docType = function(node, options, level) {\n var child, i, len, r, ref;\n level || (level = 0);\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level);\n r += '<!DOCTYPE ' + node.root().name;\n if (node.pubID && node.sysID) {\n r += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.sysID) {\n r += ' SYSTEM \"' + node.sysID + '\"';\n }\n if (node.children.length > 0) {\n r += ' [';\n r += this.endline(node, options, level);\n options.state = WriterState.InsideTag;\n ref = node.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n r += this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n r += ']';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>';\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.element = function(node, options, level) {\n var att, child, childNodeCount, firstChildNode, i, j, len, len1, name, prettySuppressed, r, ref, ref1, ref2;\n level || (level = 0);\n prettySuppressed = false;\n r = '';\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r += this.indent(node, options, level) + '<' + node.name;\n ref = node.attribs;\n for (name in ref) {\n if (!hasProp.call(ref, name)) continue;\n att = ref[name];\n r += this.attribute(att, options, level);\n }\n childNodeCount = node.children.length;\n firstChildNode = childNodeCount === 0 ? null : node.children[0];\n if (childNodeCount === 0 || node.children.every(function(e) {\n return (e.type === NodeType.Text || e.type === NodeType.Raw) && e.value === '';\n })) {\n if (options.allowEmpty) {\n r += '>';\n options.state = WriterState.CloseTag;\n r += '</' + node.name + '>' + this.endline(node, options, level);\n } else {\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '/>' + this.endline(node, options, level);\n }\n } else if (options.pretty && childNodeCount === 1 && (firstChildNode.type === NodeType.Text || firstChildNode.type === NodeType.Raw) && (firstChildNode.value != null)) {\n r += '>';\n options.state = WriterState.InsideTag;\n options.suppressPrettyCount++;\n prettySuppressed = true;\n r += this.writeChildNode(firstChildNode, options, level + 1);\n options.suppressPrettyCount--;\n prettySuppressed = false;\n options.state = WriterState.CloseTag;\n r += '</' + node.name + '>' + this.endline(node, options, level);\n } else {\n if (options.dontPrettyTextNodes) {\n ref1 = node.children;\n for (i = 0, len = ref1.length; i < len; i++) {\n child = ref1[i];\n if ((child.type === NodeType.Text || child.type === NodeType.Raw) && (child.value != null)) {\n options.suppressPrettyCount++;\n prettySuppressed = true;\n break;\n }\n }\n }\n r += '>' + this.endline(node, options, level);\n options.state = WriterState.InsideTag;\n ref2 = node.children;\n for (j = 0, len1 = ref2.length; j < len1; j++) {\n child = ref2[j];\n r += this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n r += this.indent(node, options, level) + '</' + node.name + '>';\n if (prettySuppressed) {\n options.suppressPrettyCount--;\n }\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n }\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.writeChildNode = function(node, options, level) {\n switch (node.type) {\n case NodeType.CData:\n return this.cdata(node, options, level);\n case NodeType.Comment:\n return this.comment(node, options, level);\n case NodeType.Element:\n return this.element(node, options, level);\n case NodeType.Raw:\n return this.raw(node, options, level);\n case NodeType.Text:\n return this.text(node, options, level);\n case NodeType.ProcessingInstruction:\n return this.processingInstruction(node, options, level);\n case NodeType.Dummy:\n return '';\n case NodeType.Declaration:\n return this.declaration(node, options, level);\n case NodeType.DocType:\n return this.docType(node, options, level);\n case NodeType.AttributeDeclaration:\n return this.dtdAttList(node, options, level);\n case NodeType.ElementDeclaration:\n return this.dtdElement(node, options, level);\n case NodeType.EntityDeclaration:\n return this.dtdEntity(node, options, level);\n case NodeType.NotationDeclaration:\n return this.dtdNotation(node, options, level);\n default:\n throw new Error(\"Unknown XML node type: \" + node.constructor.name);\n }\n };\n\n XMLWriterBase.prototype.processingInstruction = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<?';\n options.state = WriterState.InsideTag;\n r += node.target;\n if (node.value) {\n r += ' ' + node.value;\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '?>';\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.raw = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level);\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.text = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level);\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdAttList = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!ATTLIST';\n options.state = WriterState.InsideTag;\n r += ' ' + node.elementName + ' ' + node.attributeName + ' ' + node.attributeType;\n if (node.defaultValueType !== '#DEFAULT') {\n r += ' ' + node.defaultValueType;\n }\n if (node.defaultValue) {\n r += ' \"' + node.defaultValue + '\"';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdElement = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!ELEMENT';\n options.state = WriterState.InsideTag;\n r += ' ' + node.name + ' ' + node.value;\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdEntity = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!ENTITY';\n options.state = WriterState.InsideTag;\n if (node.pe) {\n r += ' %';\n }\n r += ' ' + node.name;\n if (node.value) {\n r += ' \"' + node.value + '\"';\n } else {\n if (node.pubID && node.sysID) {\n r += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.sysID) {\n r += ' SYSTEM \"' + node.sysID + '\"';\n }\n if (node.nData) {\n r += ' NDATA ' + node.nData;\n }\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdNotation = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!NOTATION';\n options.state = WriterState.InsideTag;\n r += ' ' + node.name;\n if (node.pubID && node.sysID) {\n r += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.pubID) {\n r += ' PUBLIC \"' + node.pubID + '\"';\n } else if (node.sysID) {\n r += ' SYSTEM \"' + node.sysID + '\"';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.openNode = function(node, options, level) {};\n\n XMLWriterBase.prototype.closeNode = function(node, options, level) {};\n\n XMLWriterBase.prototype.openAttribute = function(att, options, level) {};\n\n XMLWriterBase.prototype.closeAttribute = function(att, options, level) {};\n\n return XMLWriterBase;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLDOMImplementation, XMLDocument, XMLDocumentCB, XMLStreamWriter, XMLStringWriter, assign, isFunction, ref;\n\n ref = require('./Utility'), assign = ref.assign, isFunction = ref.isFunction;\n\n XMLDOMImplementation = require('./XMLDOMImplementation');\n\n XMLDocument = require('./XMLDocument');\n\n XMLDocumentCB = require('./XMLDocumentCB');\n\n XMLStringWriter = require('./XMLStringWriter');\n\n XMLStreamWriter = require('./XMLStreamWriter');\n\n NodeType = require('./NodeType');\n\n WriterState = require('./WriterState');\n\n module.exports.create = function(name, xmldec, doctype, options) {\n var doc, root;\n if (name == null) {\n throw new Error(\"Root element needs a name.\");\n }\n options = assign({}, xmldec, doctype, options);\n doc = new XMLDocument(options);\n root = doc.element(name);\n if (!options.headless) {\n doc.declaration(options);\n if ((options.pubID != null) || (options.sysID != null)) {\n doc.dtd(options);\n }\n }\n return root;\n };\n\n module.exports.begin = function(options, onData, onEnd) {\n var ref1;\n if (isFunction(options)) {\n ref1 = [options, onData], onData = ref1[0], onEnd = ref1[1];\n options = {};\n }\n if (onData) {\n return new XMLDocumentCB(options, onData, onEnd);\n } else {\n return new XMLDocument(options);\n }\n };\n\n module.exports.stringWriter = function(options) {\n return new XMLStringWriter(options);\n };\n\n module.exports.streamWriter = function(stream, options) {\n return new XMLStreamWriter(stream, options);\n };\n\n module.exports.implementation = new XMLDOMImplementation();\n\n module.exports.nodeType = NodeType;\n\n module.exports.writerState = WriterState;\n\n}).call(this);\n","import { getCurrentUser as A, onRequestTokenUpdate as ue, getRequestToken as de } from \"@nextcloud/auth\";\nimport { getLoggerBuilder as B } from \"@nextcloud/logger\";\nimport { getCanonicalLocale as ae } from \"@nextcloud/l10n\";\nimport { join as le, basename as fe, extname as ce, dirname as I } from \"path\";\nimport { encodePath as he } from \"@nextcloud/paths\";\nimport { generateRemoteUrl as pe } from \"@nextcloud/router\";\nimport { createClient as ge, getPatcher as we } from \"webdav\";\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst me = (e) => e === null ? B().setApp(\"files\").build() : B().setApp(\"files\").setUid(e.uid).build(), m = me(A());\n/**\n * @copyright Copyright (c) 2021 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass Ne {\n _entries = [];\n registerEntry(t) {\n this.validateEntry(t), this._entries.push(t);\n }\n unregisterEntry(t) {\n const r = typeof t == \"string\" ? this.getEntryIndex(t) : this.getEntryIndex(t.id);\n if (r === -1) {\n m.warn(\"Entry not found, nothing removed\", { entry: t, entries: this.getEntries() });\n return;\n }\n this._entries.splice(r, 1);\n }\n /**\n * Get the list of registered entries\n *\n * @param {Folder} context the creation context. Usually the current folder\n */\n getEntries(t) {\n return t ? this._entries.filter((r) => typeof r.enabled == \"function\" ? r.enabled(t) : !0) : this._entries;\n }\n getEntryIndex(t) {\n return this._entries.findIndex((r) => r.id === t);\n }\n validateEntry(t) {\n if (!t.id || !t.displayName || !(t.iconSvgInline || t.iconClass) || !t.handler)\n throw new Error(\"Invalid entry\");\n if (typeof t.id != \"string\" || typeof t.displayName != \"string\")\n throw new Error(\"Invalid id or displayName property\");\n if (t.iconClass && typeof t.iconClass != \"string\" || t.iconSvgInline && typeof t.iconSvgInline != \"string\")\n throw new Error(\"Invalid icon provided\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (typeof t.handler != \"function\")\n throw new Error(\"Invalid handler property\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order property\");\n if (this.getEntryIndex(t.id) !== -1)\n throw new Error(\"Duplicate entry\");\n }\n}\nconst F = function() {\n return typeof window._nc_newfilemenu > \"u\" && (window._nc_newfilemenu = new Ne(), m.debug(\"NewFileMenu initialized\")), window._nc_newfilemenu;\n};\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst C = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"], P = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction Yt(e, t = !1, r = !1, s = !1) {\n r = r && !s, typeof e == \"string\" && (e = Number(e));\n let n = e > 0 ? Math.floor(Math.log(e) / Math.log(s ? 1e3 : 1024)) : 0;\n n = Math.min((r ? P.length : C.length) - 1, n);\n const i = r ? P[n] : C[n];\n let d = (e / Math.pow(s ? 1e3 : 1024, n)).toFixed(1);\n return t === !0 && n === 0 ? (d !== \"0.0\" ? \"< 1 \" : \"0 \") + (r ? P[1] : C[1]) : (n < 2 ? d = parseFloat(d).toFixed(0) : d = parseFloat(d).toLocaleString(ae()), d + \" \" + i);\n}\nfunction Jt(e, t = !1) {\n try {\n e = `${e}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n } catch {\n return null;\n }\n const r = e.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n if (r === null || r[1] === \".\" || r[1] === \"\")\n return null;\n const s = {\n \"\": 0,\n k: 1,\n m: 2,\n g: 3,\n t: 4,\n p: 5,\n e: 6\n }, n = `${r[1]}`, i = r[4] === \"i\" || t ? 1024 : 1e3;\n return Math.round(Number.parseFloat(n) * i ** s[r[3]]);\n}\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar W = /* @__PURE__ */ ((e) => (e.DEFAULT = \"default\", e.HIDDEN = \"hidden\", e))(W || {});\nclass Qt {\n _action;\n constructor(t) {\n this.validateAction(t), this._action = t;\n }\n get id() {\n return this._action.id;\n }\n get displayName() {\n return this._action.displayName;\n }\n get title() {\n return this._action.title;\n }\n get iconSvgInline() {\n return this._action.iconSvgInline;\n }\n get enabled() {\n return this._action.enabled;\n }\n get exec() {\n return this._action.exec;\n }\n get execBatch() {\n return this._action.execBatch;\n }\n get order() {\n return this._action.order;\n }\n get parent() {\n return this._action.parent;\n }\n get default() {\n return this._action.default;\n }\n get inline() {\n return this._action.inline;\n }\n get renderInline() {\n return this._action.renderInline;\n }\n validateAction(t) {\n if (!t.id || typeof t.id != \"string\")\n throw new Error(\"Invalid id\");\n if (!t.displayName || typeof t.displayName != \"function\")\n throw new Error(\"Invalid displayName function\");\n if (\"title\" in t && typeof t.title != \"function\")\n throw new Error(\"Invalid title function\");\n if (!t.iconSvgInline || typeof t.iconSvgInline != \"function\")\n throw new Error(\"Invalid iconSvgInline function\");\n if (!t.exec || typeof t.exec != \"function\")\n throw new Error(\"Invalid exec function\");\n if (\"enabled\" in t && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled function\");\n if (\"execBatch\" in t && typeof t.execBatch != \"function\")\n throw new Error(\"Invalid execBatch function\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order\");\n if (\"parent\" in t && typeof t.parent != \"string\")\n throw new Error(\"Invalid parent\");\n if (t.default && !Object.values(W).includes(t.default))\n throw new Error(\"Invalid default\");\n if (\"inline\" in t && typeof t.inline != \"function\")\n throw new Error(\"Invalid inline function\");\n if (\"renderInline\" in t && typeof t.renderInline != \"function\")\n throw new Error(\"Invalid renderInline function\");\n }\n}\nconst Dt = function(e) {\n if (typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions.find((t) => t.id === e.id)) {\n m.error(`FileAction ${e.id} already registered`, { action: e });\n return;\n }\n window._nc_fileactions.push(e);\n}, er = function() {\n return typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass tr {\n _header;\n constructor(t) {\n this.validateHeader(t), this._header = t;\n }\n get id() {\n return this._header.id;\n }\n get order() {\n return this._header.order;\n }\n get enabled() {\n return this._header.enabled;\n }\n get render() {\n return this._header.render;\n }\n get updated() {\n return this._header.updated;\n }\n validateHeader(t) {\n if (!t.id || !t.render || !t.updated)\n throw new Error(\"Invalid header: id, render and updated are required\");\n if (typeof t.id != \"string\")\n throw new Error(\"Invalid id property\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (t.render && typeof t.render != \"function\")\n throw new Error(\"Invalid render property\");\n if (t.updated && typeof t.updated != \"function\")\n throw new Error(\"Invalid updated property\");\n }\n}\nconst rr = function(e) {\n if (typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader.find((t) => t.id === e.id)) {\n m.error(`Header ${e.id} already registered`, { header: e });\n return;\n }\n window._nc_filelistheader.push(e);\n}, nr = function() {\n return typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar N = /* @__PURE__ */ ((e) => (e[e.NONE = 0] = \"NONE\", e[e.CREATE = 4] = \"CREATE\", e[e.READ = 1] = \"READ\", e[e.UPDATE = 2] = \"UPDATE\", e[e.DELETE = 8] = \"DELETE\", e[e.SHARE = 16] = \"SHARE\", e[e.ALL = 31] = \"ALL\", e))(N || {});\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst Z = [\n \"d:getcontentlength\",\n \"d:getcontenttype\",\n \"d:getetag\",\n \"d:getlastmodified\",\n \"d:quota-available-bytes\",\n \"d:resourcetype\",\n \"nc:has-preview\",\n \"nc:is-encrypted\",\n \"nc:mount-type\",\n \"oc:comments-unread\",\n \"oc:favorite\",\n \"oc:fileid\",\n \"oc:owner-display-name\",\n \"oc:owner-id\",\n \"oc:permissions\",\n \"oc:size\"\n], j = {\n d: \"DAV:\",\n nc: \"http://nextcloud.org/ns\",\n oc: \"http://owncloud.org/ns\",\n ocs: \"http://open-collaboration-services.org/ns\"\n}, ir = function(e, t = { nc: \"http://nextcloud.org/ns\" }) {\n typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...Z], window._nc_dav_namespaces = { ...j });\n const r = { ...window._nc_dav_namespaces, ...t };\n if (window._nc_dav_properties.find((n) => n === e))\n return m.warn(`${e} already registered`, { prop: e }), !1;\n if (e.startsWith(\"<\") || e.split(\":\").length !== 2)\n return m.error(`${e} is not valid. See example: 'oc:fileid'`, { prop: e }), !1;\n const s = e.split(\":\")[0];\n return r[s] ? (window._nc_dav_properties.push(e), window._nc_dav_namespaces = r, !0) : (m.error(`${e} namespace unknown`, { prop: e, namespaces: r }), !1);\n}, V = function() {\n return typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...Z]), window._nc_dav_properties.map((e) => `<${e} />`).join(\" \");\n}, L = function() {\n return typeof window._nc_dav_namespaces > \"u\" && (window._nc_dav_namespaces = { ...j }), Object.keys(window._nc_dav_namespaces).map((e) => `xmlns:${e}=\"${window._nc_dav_namespaces?.[e]}\"`).join(\" \");\n}, sr = function() {\n return `<?xml version=\"1.0\"?>\n\t\t<d:propfind ${L()}>\n\t\t\t<d:prop>\n\t\t\t\t${V()}\n\t\t\t</d:prop>\n\t\t</d:propfind>`;\n}, Ee = function() {\n return `<?xml version=\"1.0\"?>\n\t\t<oc:filter-files ${L()}>\n\t\t\t<d:prop>\n\t\t\t\t${V()}\n\t\t\t</d:prop>\n\t\t\t<oc:filter-rules>\n\t\t\t\t<oc:favorite>1</oc:favorite>\n\t\t\t</oc:filter-rules>\n\t\t</oc:filter-files>`;\n}, or = function(e) {\n return `<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n<d:searchrequest ${L()}\n\txmlns:ns=\"https://github.com/icewind1991/SearchDAV/ns\">\n\t<d:basicsearch>\n\t\t<d:select>\n\t\t\t<d:prop>\n\t\t\t\t${V()}\n\t\t\t</d:prop>\n\t\t</d:select>\n\t\t<d:from>\n\t\t\t<d:scope>\n\t\t\t\t<d:href>/files/${A()?.uid}/</d:href>\n\t\t\t\t<d:depth>infinity</d:depth>\n\t\t\t</d:scope>\n\t\t</d:from>\n\t\t<d:where>\n\t\t\t<d:and>\n\t\t\t\t<d:or>\n\t\t\t\t\t<d:not>\n\t\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t\t<d:getcontenttype/>\n\t\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t\t<d:literal>httpd/unix-directory</d:literal>\n\t\t\t\t\t\t</d:eq>\n\t\t\t\t\t</d:not>\n\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t<oc:size/>\n\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t<d:literal>0</d:literal>\n\t\t\t\t\t</d:eq>\n\t\t\t\t</d:or>\n\t\t\t\t<d:gt>\n\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t\t</d:prop>\n\t\t\t\t\t<d:literal>${e}</d:literal>\n\t\t\t\t</d:gt>\n\t\t\t</d:and>\n\t\t</d:where>\n\t\t<d:orderby>\n\t\t\t<d:order>\n\t\t\t\t<d:prop>\n\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t</d:prop>\n\t\t\t\t<d:descending/>\n\t\t\t</d:order>\n\t\t</d:orderby>\n\t\t<d:limit>\n\t\t\t<d:nresults>100</d:nresults>\n\t\t\t<ns:firstresult>0</ns:firstresult>\n\t\t</d:limit>\n\t</d:basicsearch>\n</d:searchrequest>`;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst be = function(e = \"\") {\n let t = N.NONE;\n return e && ((e.includes(\"C\") || e.includes(\"K\")) && (t |= N.CREATE), e.includes(\"G\") && (t |= N.READ), (e.includes(\"W\") || e.includes(\"N\") || e.includes(\"V\")) && (t |= N.UPDATE), e.includes(\"D\") && (t |= N.DELETE), e.includes(\"R\") && (t |= N.SHARE)), t;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar S = /* @__PURE__ */ ((e) => (e.Folder = \"folder\", e.File = \"file\", e))(S || {});\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst Y = function(e, t) {\n return e.match(t) !== null;\n}, q = (e, t) => {\n if (e.id && typeof e.id != \"number\")\n throw new Error(\"Invalid id type of value\");\n if (!e.source)\n throw new Error(\"Missing mandatory source\");\n try {\n new URL(e.source);\n } catch {\n throw new Error(\"Invalid source format, source must be a valid URL\");\n }\n if (!e.source.startsWith(\"http\"))\n throw new Error(\"Invalid source format, only http(s) is supported\");\n if (e.mtime && !(e.mtime instanceof Date))\n throw new Error(\"Invalid mtime type\");\n if (e.crtime && !(e.crtime instanceof Date))\n throw new Error(\"Invalid crtime type\");\n if (!e.mime || typeof e.mime != \"string\" || !e.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi))\n throw new Error(\"Missing or invalid mandatory mime\");\n if (\"size\" in e && typeof e.size != \"number\" && e.size !== void 0)\n throw new Error(\"Invalid size type\");\n if (\"permissions\" in e && e.permissions !== void 0 && !(typeof e.permissions == \"number\" && e.permissions >= N.NONE && e.permissions <= N.ALL))\n throw new Error(\"Invalid permissions\");\n if (e.owner && e.owner !== null && typeof e.owner != \"string\")\n throw new Error(\"Invalid owner type\");\n if (e.attributes && typeof e.attributes != \"object\")\n throw new Error(\"Invalid attributes type\");\n if (e.root && typeof e.root != \"string\")\n throw new Error(\"Invalid root type\");\n if (e.root && !e.root.startsWith(\"/\"))\n throw new Error(\"Root must start with a leading slash\");\n if (e.root && !e.source.includes(e.root))\n throw new Error(\"Root must be part of the source\");\n if (e.root && Y(e.source, t)) {\n const r = e.source.match(t)[0];\n if (!e.source.includes(le(r, e.root)))\n throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n }\n if (e.status && !Object.values(J).includes(e.status))\n throw new Error(\"Status must be a valid NodeStatus\");\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar J = /* @__PURE__ */ ((e) => (e.NEW = \"new\", e.FAILED = \"failed\", e.LOADING = \"loading\", e.LOCKED = \"locked\", e))(J || {});\nclass Q {\n _data;\n _attributes;\n _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n constructor(t, r) {\n q(t, r || this._knownDavService), this._data = t;\n const s = {\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n set: (n, i, d) => (this.updateMtime(), Reflect.set(n, i, d)),\n deleteProperty: (n, i) => (this.updateMtime(), Reflect.deleteProperty(n, i))\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n };\n this._attributes = new Proxy(t.attributes || {}, s), delete this._data.attributes, r && (this._knownDavService = r);\n }\n /**\n * Get the source url to this object\n */\n get source() {\n return this._data.source.replace(/\\/$/i, \"\");\n }\n /**\n * Get the encoded source url to this object for requests purposes\n */\n get encodedSource() {\n const { origin: t } = new URL(this.source);\n return t + he(this.source.slice(t.length));\n }\n /**\n * Get this object name\n */\n get basename() {\n return fe(this.source);\n }\n /**\n * Get this object's extension\n */\n get extension() {\n return ce(this.source);\n }\n /**\n * Get the directory path leading to this object\n * Will use the relative path to root if available\n */\n get dirname() {\n if (this.root) {\n let r = this.source;\n this.isDavRessource && (r = r.split(this._knownDavService).pop());\n const s = r.indexOf(this.root), n = this.root.replace(/\\/$/, \"\");\n return I(r.slice(s + n.length) || \"/\");\n }\n const t = new URL(this.source);\n return I(t.pathname);\n }\n /**\n * Get the file mime\n */\n get mime() {\n return this._data.mime;\n }\n /**\n * Get the file modification time\n */\n get mtime() {\n return this._data.mtime;\n }\n /**\n * Get the file creation time\n */\n get crtime() {\n return this._data.crtime;\n }\n /**\n * Get the file size\n */\n get size() {\n return this._data.size;\n }\n /**\n * Get the file attribute\n */\n get attributes() {\n return this._attributes;\n }\n /**\n * Get the file permissions\n */\n get permissions() {\n return this.owner === null && !this.isDavRessource ? N.READ : this._data.permissions !== void 0 ? this._data.permissions : N.NONE;\n }\n /**\n * Get the file owner\n */\n get owner() {\n return this.isDavRessource ? this._data.owner : null;\n }\n /**\n * Is this a dav-related ressource ?\n */\n get isDavRessource() {\n return Y(this.source, this._knownDavService);\n }\n /**\n * Get the dav root of this object\n */\n get root() {\n return this._data.root ? this._data.root.replace(/^(.+)\\/$/, \"$1\") : this.isDavRessource && I(this.source).split(this._knownDavService).pop() || null;\n }\n /**\n * Get the absolute path of this object relative to the root\n */\n get path() {\n if (this.root) {\n let t = this.source;\n this.isDavRessource && (t = t.split(this._knownDavService).pop());\n const r = t.indexOf(this.root), s = this.root.replace(/\\/$/, \"\");\n return t.slice(r + s.length) || \"/\";\n }\n return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n }\n /**\n * Get the node id if defined.\n * Will look for the fileid in attributes if undefined.\n */\n get fileid() {\n return this._data?.id || this.attributes?.fileid;\n }\n /**\n * Get the node status.\n */\n get status() {\n return this._data?.status;\n }\n /**\n * Set the node status.\n */\n set status(t) {\n this._data.status = t;\n }\n /**\n * Move the node to a new destination\n *\n * @param {string} destination the new source.\n * e.g. https://cloud.domain.com/remote.php/dav/files/emma/Photos/picture.jpg\n */\n move(t) {\n q({ ...this._data, source: t }, this._knownDavService), this._data.source = t, this.updateMtime();\n }\n /**\n * Rename the node\n * This aliases the move method for easier usage\n *\n * @param basename The new name of the node\n */\n rename(t) {\n if (t.includes(\"/\"))\n throw new Error(\"Invalid basename\");\n this.move(I(this.source) + \"/\" + t);\n }\n /**\n * Update the mtime if exists.\n */\n updateMtime() {\n this._data.mtime && (this._data.mtime = /* @__PURE__ */ new Date());\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass ye extends Q {\n get type() {\n return S.File;\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass _e extends Q {\n constructor(t) {\n super({\n ...t,\n mime: \"httpd/unix-directory\"\n });\n }\n get type() {\n return S.Folder;\n }\n get extension() {\n return null;\n }\n get mime() {\n return \"httpd/unix-directory\";\n }\n}\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst D = `/files/${A()?.uid}`, ee = pe(\"dav\"), ur = function(e = ee, t = {}) {\n const r = ge(e, { headers: t });\n function s(i) {\n r.setHeaders({\n ...t,\n // Add this so the server knows it is an request from the browser\n \"X-Requested-With\": \"XMLHttpRequest\",\n // Inject user auth\n requesttoken: i ?? \"\"\n });\n }\n return ue(s), s(de()), we().patch(\"fetch\", (i, d) => {\n const u = d.headers;\n return u?.method && (d.method = u.method, delete u.method), fetch(i, d);\n }), r;\n}, dr = async (e, t = \"/\", r = D) => (await e.getDirectoryContents(`${r}${t}`, {\n details: !0,\n data: Ee(),\n headers: {\n // see davGetClient for patched webdav client\n method: \"REPORT\"\n },\n includeSelf: !0\n})).data.filter((n) => n.filename !== t).map((n) => ve(n, r)), ve = function(e, t = D, r = ee) {\n const s = A()?.uid;\n if (!s)\n throw new Error(\"No user id found\");\n const n = e.props, i = be(n?.permissions), d = (n?.[\"owner-id\"] || s).toString(), u = {\n id: n?.fileid || 0,\n source: `${r}${e.filename}`,\n mtime: new Date(Date.parse(e.lastmod)),\n mime: e.mime || \"application/octet-stream\",\n size: n?.size || Number.parseInt(n.getcontentlength || \"0\"),\n permissions: i,\n owner: d,\n root: t,\n attributes: {\n ...e,\n ...n,\n hasPreview: n?.[\"has-preview\"]\n }\n };\n return delete u.attributes?.props, e.type === \"file\" ? new ye(u) : new _e(u);\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass Te {\n _views = [];\n _currentView = null;\n register(t) {\n if (this._views.find((r) => r.id === t.id))\n throw new Error(`View id ${t.id} is already registered`);\n this._views.push(t);\n }\n remove(t) {\n const r = this._views.findIndex((s) => s.id === t);\n r !== -1 && this._views.splice(r, 1);\n }\n get views() {\n return this._views;\n }\n setActive(t) {\n this._currentView = t;\n }\n get active() {\n return this._currentView;\n }\n}\nconst ar = function() {\n return typeof window._nc_navigation > \"u\" && (window._nc_navigation = new Te(), m.debug(\"Navigation service initialized\")), window._nc_navigation;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass Ie {\n _column;\n constructor(t) {\n Ae(t), this._column = t;\n }\n get id() {\n return this._column.id;\n }\n get title() {\n return this._column.title;\n }\n get render() {\n return this._column.render;\n }\n get sort() {\n return this._column.sort;\n }\n get summary() {\n return this._column.summary;\n }\n}\nconst Ae = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"A column id is required\");\n if (!e.title || typeof e.title != \"string\")\n throw new Error(\"A column title is required\");\n if (!e.render || typeof e.render != \"function\")\n throw new Error(\"A render function is required\");\n if (e.sort && typeof e.sort != \"function\")\n throw new Error(\"Column sortFunction must be a function\");\n if (e.summary && typeof e.summary != \"function\")\n throw new Error(\"Column summary must be a function\");\n return !0;\n};\nvar R = {}, O = {};\n(function(e) {\n const t = \":A-Za-z_\\\\u00C0-\\\\u00D6\\\\u00D8-\\\\u00F6\\\\u00F8-\\\\u02FF\\\\u0370-\\\\u037D\\\\u037F-\\\\u1FFF\\\\u200C-\\\\u200D\\\\u2070-\\\\u218F\\\\u2C00-\\\\u2FEF\\\\u3001-\\\\uD7FF\\\\uF900-\\\\uFDCF\\\\uFDF0-\\\\uFFFD\", r = t + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\", s = \"[\" + t + \"][\" + r + \"]*\", n = new RegExp(\"^\" + s + \"$\"), i = function(u, o) {\n const a = [];\n let l = o.exec(u);\n for (; l; ) {\n const f = [];\n f.startIndex = o.lastIndex - l[0].length;\n const c = l.length;\n for (let g = 0; g < c; g++)\n f.push(l[g]);\n a.push(f), l = o.exec(u);\n }\n return a;\n }, d = function(u) {\n const o = n.exec(u);\n return !(o === null || typeof o > \"u\");\n };\n e.isExist = function(u) {\n return typeof u < \"u\";\n }, e.isEmptyObject = function(u) {\n return Object.keys(u).length === 0;\n }, e.merge = function(u, o, a) {\n if (o) {\n const l = Object.keys(o), f = l.length;\n for (let c = 0; c < f; c++)\n a === \"strict\" ? u[l[c]] = [o[l[c]]] : u[l[c]] = o[l[c]];\n }\n }, e.getValue = function(u) {\n return e.isExist(u) ? u : \"\";\n }, e.isName = d, e.getAllMatches = i, e.nameRegexp = s;\n})(O);\nconst M = O, Oe = {\n allowBooleanAttributes: !1,\n //A tag can have attributes without any value\n unpairedTags: []\n};\nR.validate = function(e, t) {\n t = Object.assign({}, Oe, t);\n const r = [];\n let s = !1, n = !1;\n e[0] === \"\\uFEFF\" && (e = e.substr(1));\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\" && e[i + 1] === \"?\") {\n if (i += 2, i = U(e, i), i.err)\n return i;\n } else if (e[i] === \"<\") {\n let d = i;\n if (i++, e[i] === \"!\") {\n i = G(e, i);\n continue;\n } else {\n let u = !1;\n e[i] === \"/\" && (u = !0, i++);\n let o = \"\";\n for (; i < e.length && e[i] !== \">\" && e[i] !== \" \" && e[i] !== \"\t\" && e[i] !== `\n` && e[i] !== \"\\r\"; i++)\n o += e[i];\n if (o = o.trim(), o[o.length - 1] === \"/\" && (o = o.substring(0, o.length - 1), i--), !Se(o)) {\n let f;\n return o.trim().length === 0 ? f = \"Invalid space after '<'.\" : f = \"Tag '\" + o + \"' is an invalid name.\", p(\"InvalidTag\", f, w(e, i));\n }\n const a = xe(e, i);\n if (a === !1)\n return p(\"InvalidAttr\", \"Attributes for '\" + o + \"' have open quote.\", w(e, i));\n let l = a.value;\n if (i = a.index, l[l.length - 1] === \"/\") {\n const f = i - l.length;\n l = l.substring(0, l.length - 1);\n const c = z(l, t);\n if (c === !0)\n s = !0;\n else\n return p(c.err.code, c.err.msg, w(e, f + c.err.line));\n } else if (u)\n if (a.tagClosed) {\n if (l.trim().length > 0)\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' can't have attributes or invalid starting.\", w(e, d));\n {\n const f = r.pop();\n if (o !== f.tagName) {\n let c = w(e, f.tagStartPos);\n return p(\n \"InvalidTag\",\n \"Expected closing tag '\" + f.tagName + \"' (opened in line \" + c.line + \", col \" + c.col + \") instead of closing tag '\" + o + \"'.\",\n w(e, d)\n );\n }\n r.length == 0 && (n = !0);\n }\n } else\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' doesn't have proper closing.\", w(e, i));\n else {\n const f = z(l, t);\n if (f !== !0)\n return p(f.err.code, f.err.msg, w(e, i - l.length + f.err.line));\n if (n === !0)\n return p(\"InvalidXml\", \"Multiple possible root nodes found.\", w(e, i));\n t.unpairedTags.indexOf(o) !== -1 || r.push({ tagName: o, tagStartPos: d }), s = !0;\n }\n for (i++; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"!\") {\n i++, i = G(e, i);\n continue;\n } else if (e[i + 1] === \"?\") {\n if (i = U(e, ++i), i.err)\n return i;\n } else\n break;\n else if (e[i] === \"&\") {\n const f = Ve(e, i);\n if (f == -1)\n return p(\"InvalidChar\", \"char '&' is not expected.\", w(e, i));\n i = f;\n } else if (n === !0 && !X(e[i]))\n return p(\"InvalidXml\", \"Extra text at the end\", w(e, i));\n e[i] === \"<\" && i--;\n }\n } else {\n if (X(e[i]))\n continue;\n return p(\"InvalidChar\", \"char '\" + e[i] + \"' is not expected.\", w(e, i));\n }\n if (s) {\n if (r.length == 1)\n return p(\"InvalidTag\", \"Unclosed tag '\" + r[0].tagName + \"'.\", w(e, r[0].tagStartPos));\n if (r.length > 0)\n return p(\"InvalidXml\", \"Invalid '\" + JSON.stringify(r.map((i) => i.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n } else\n return p(\"InvalidXml\", \"Start tag expected.\", 1);\n return !0;\n};\nfunction X(e) {\n return e === \" \" || e === \"\t\" || e === `\n` || e === \"\\r\";\n}\nfunction U(e, t) {\n const r = t;\n for (; t < e.length; t++)\n if (e[t] == \"?\" || e[t] == \" \") {\n const s = e.substr(r, t - r);\n if (t > 5 && s === \"xml\")\n return p(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", w(e, t));\n if (e[t] == \"?\" && e[t + 1] == \">\") {\n t++;\n break;\n } else\n continue;\n }\n return t;\n}\nfunction G(e, t) {\n if (e.length > t + 5 && e[t + 1] === \"-\" && e[t + 2] === \"-\") {\n for (t += 3; t < e.length; t++)\n if (e[t] === \"-\" && e[t + 1] === \"-\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n } else if (e.length > t + 8 && e[t + 1] === \"D\" && e[t + 2] === \"O\" && e[t + 3] === \"C\" && e[t + 4] === \"T\" && e[t + 5] === \"Y\" && e[t + 6] === \"P\" && e[t + 7] === \"E\") {\n let r = 1;\n for (t += 8; t < e.length; t++)\n if (e[t] === \"<\")\n r++;\n else if (e[t] === \">\" && (r--, r === 0))\n break;\n } else if (e.length > t + 9 && e[t + 1] === \"[\" && e[t + 2] === \"C\" && e[t + 3] === \"D\" && e[t + 4] === \"A\" && e[t + 5] === \"T\" && e[t + 6] === \"A\" && e[t + 7] === \"[\") {\n for (t += 8; t < e.length; t++)\n if (e[t] === \"]\" && e[t + 1] === \"]\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n }\n return t;\n}\nconst Ce = '\"', Pe = \"'\";\nfunction xe(e, t) {\n let r = \"\", s = \"\", n = !1;\n for (; t < e.length; t++) {\n if (e[t] === Ce || e[t] === Pe)\n s === \"\" ? s = e[t] : s !== e[t] || (s = \"\");\n else if (e[t] === \">\" && s === \"\") {\n n = !0;\n break;\n }\n r += e[t];\n }\n return s !== \"\" ? !1 : {\n value: r,\n index: t,\n tagClosed: n\n };\n}\nconst $e = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction z(e, t) {\n const r = M.getAllMatches(e, $e), s = {};\n for (let n = 0; n < r.length; n++) {\n if (r[n][1].length === 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' has no space in starting.\", v(r[n]));\n if (r[n][3] !== void 0 && r[n][4] === void 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' is without value.\", v(r[n]));\n if (r[n][3] === void 0 && !t.allowBooleanAttributes)\n return p(\"InvalidAttr\", \"boolean attribute '\" + r[n][2] + \"' is not allowed.\", v(r[n]));\n const i = r[n][2];\n if (!Le(i))\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is an invalid name.\", v(r[n]));\n if (!s.hasOwnProperty(i))\n s[i] = 1;\n else\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is repeated.\", v(r[n]));\n }\n return !0;\n}\nfunction Fe(e, t) {\n let r = /\\d/;\n for (e[t] === \"x\" && (t++, r = /[\\da-fA-F]/); t < e.length; t++) {\n if (e[t] === \";\")\n return t;\n if (!e[t].match(r))\n break;\n }\n return -1;\n}\nfunction Ve(e, t) {\n if (t++, e[t] === \";\")\n return -1;\n if (e[t] === \"#\")\n return t++, Fe(e, t);\n let r = 0;\n for (; t < e.length; t++, r++)\n if (!(e[t].match(/\\w/) && r < 20)) {\n if (e[t] === \";\")\n break;\n return -1;\n }\n return t;\n}\nfunction p(e, t, r) {\n return {\n err: {\n code: e,\n msg: t,\n line: r.line || r,\n col: r.col\n }\n };\n}\nfunction Le(e) {\n return M.isName(e);\n}\nfunction Se(e) {\n return M.isName(e);\n}\nfunction w(e, t) {\n const r = e.substring(0, t).split(/\\r?\\n/);\n return {\n line: r.length,\n // column number is last line's length + 1, because column numbering starts at 1:\n col: r[r.length - 1].length + 1\n };\n}\nfunction v(e) {\n return e.startIndex + e[1].length;\n}\nvar k = {};\nconst te = {\n preserveOrder: !1,\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n removeNSPrefix: !1,\n // remove NS from tag name or attribute name if true\n allowBooleanAttributes: !1,\n //a tag can have attributes without any value\n //ignoreRootElement : false,\n parseTagValue: !0,\n parseAttributeValue: !1,\n trimValues: !0,\n //Trim string values of tag and attributes\n cdataPropName: !1,\n numberParseOptions: {\n hex: !0,\n leadingZeros: !0,\n eNotation: !0\n },\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n stopNodes: [],\n //nested tags will not be parsed even for errors\n alwaysCreateTextNode: !1,\n isArray: () => !1,\n commentPropName: !1,\n unpairedTags: [],\n processEntities: !0,\n htmlEntities: !1,\n ignoreDeclaration: !1,\n ignorePiTags: !1,\n transformTagName: !1,\n transformAttributeName: !1,\n updateTag: function(e, t, r) {\n return e;\n }\n // skipEmptyListItem: false\n}, Re = function(e) {\n return Object.assign({}, te, e);\n};\nk.buildOptions = Re;\nk.defaultOptions = te;\nclass Me {\n constructor(t) {\n this.tagname = t, this.child = [], this[\":@\"] = {};\n }\n add(t, r) {\n t === \"__proto__\" && (t = \"#__proto__\"), this.child.push({ [t]: r });\n }\n addChild(t) {\n t.tagname === \"__proto__\" && (t.tagname = \"#__proto__\"), t[\":@\"] && Object.keys(t[\":@\"]).length > 0 ? this.child.push({ [t.tagname]: t.child, \":@\": t[\":@\"] }) : this.child.push({ [t.tagname]: t.child });\n }\n}\nvar ke = Me;\nconst Be = O;\nfunction qe(e, t) {\n const r = {};\n if (e[t + 3] === \"O\" && e[t + 4] === \"C\" && e[t + 5] === \"T\" && e[t + 6] === \"Y\" && e[t + 7] === \"P\" && e[t + 8] === \"E\") {\n t = t + 9;\n let s = 1, n = !1, i = !1, d = \"\";\n for (; t < e.length; t++)\n if (e[t] === \"<\" && !i) {\n if (n && Ge(e, t))\n t += 7, [entityName, val, t] = Xe(e, t + 1), val.indexOf(\"&\") === -1 && (r[We(entityName)] = {\n regx: RegExp(`&${entityName};`, \"g\"),\n val\n });\n else if (n && ze(e, t))\n t += 8;\n else if (n && He(e, t))\n t += 8;\n else if (n && Ke(e, t))\n t += 9;\n else if (Ue)\n i = !0;\n else\n throw new Error(\"Invalid DOCTYPE\");\n s++, d = \"\";\n } else if (e[t] === \">\") {\n if (i ? e[t - 1] === \"-\" && e[t - 2] === \"-\" && (i = !1, s--) : s--, s === 0)\n break;\n } else\n e[t] === \"[\" ? n = !0 : d += e[t];\n if (s !== 0)\n throw new Error(\"Unclosed DOCTYPE\");\n } else\n throw new Error(\"Invalid Tag instead of DOCTYPE\");\n return { entities: r, i: t };\n}\nfunction Xe(e, t) {\n let r = \"\";\n for (; t < e.length && e[t] !== \"'\" && e[t] !== '\"'; t++)\n r += e[t];\n if (r = r.trim(), r.indexOf(\" \") !== -1)\n throw new Error(\"External entites are not supported\");\n const s = e[t++];\n let n = \"\";\n for (; t < e.length && e[t] !== s; t++)\n n += e[t];\n return [r, n, t];\n}\nfunction Ue(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"-\" && e[t + 3] === \"-\";\n}\nfunction Ge(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"N\" && e[t + 4] === \"T\" && e[t + 5] === \"I\" && e[t + 6] === \"T\" && e[t + 7] === \"Y\";\n}\nfunction ze(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"L\" && e[t + 4] === \"E\" && e[t + 5] === \"M\" && e[t + 6] === \"E\" && e[t + 7] === \"N\" && e[t + 8] === \"T\";\n}\nfunction He(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"A\" && e[t + 3] === \"T\" && e[t + 4] === \"T\" && e[t + 5] === \"L\" && e[t + 6] === \"I\" && e[t + 7] === \"S\" && e[t + 8] === \"T\";\n}\nfunction Ke(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"N\" && e[t + 3] === \"O\" && e[t + 4] === \"T\" && e[t + 5] === \"A\" && e[t + 6] === \"T\" && e[t + 7] === \"I\" && e[t + 8] === \"O\" && e[t + 9] === \"N\";\n}\nfunction We(e) {\n if (Be.isName(e))\n return e;\n throw new Error(`Invalid entity name ${e}`);\n}\nvar Ze = qe;\nconst je = /^[-+]?0x[a-fA-F0-9]+$/, Ye = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\n!Number.parseInt && window.parseInt && (Number.parseInt = window.parseInt);\n!Number.parseFloat && window.parseFloat && (Number.parseFloat = window.parseFloat);\nconst Je = {\n hex: !0,\n leadingZeros: !0,\n decimalPoint: \".\",\n eNotation: !0\n //skipLike: /regex/\n};\nfunction Qe(e, t = {}) {\n if (t = Object.assign({}, Je, t), !e || typeof e != \"string\")\n return e;\n let r = e.trim();\n if (t.skipLike !== void 0 && t.skipLike.test(r))\n return e;\n if (t.hex && je.test(r))\n return Number.parseInt(r, 16);\n {\n const s = Ye.exec(r);\n if (s) {\n const n = s[1], i = s[2];\n let d = De(s[3]);\n const u = s[4] || s[6];\n if (!t.leadingZeros && i.length > 0 && n && r[2] !== \".\")\n return e;\n if (!t.leadingZeros && i.length > 0 && !n && r[1] !== \".\")\n return e;\n {\n const o = Number(r), a = \"\" + o;\n return a.search(/[eE]/) !== -1 || u ? t.eNotation ? o : e : r.indexOf(\".\") !== -1 ? a === \"0\" && d === \"\" || a === d || n && a === \"-\" + d ? o : e : i ? d === a || n + d === a ? o : e : r === a || r === n + a ? o : e;\n }\n } else\n return e;\n }\n}\nfunction De(e) {\n return e && e.indexOf(\".\") !== -1 && (e = e.replace(/0+$/, \"\"), e === \".\" ? e = \"0\" : e[0] === \".\" ? e = \"0\" + e : e[e.length - 1] === \".\" && (e = e.substr(0, e.length - 1))), e;\n}\nvar et = Qe;\nconst re = O, T = ke, tt = Ze, rt = et;\nlet nt = class {\n constructor(t) {\n this.options = t, this.currentNode = null, this.tagsNodeStack = [], this.docTypeEntities = {}, this.lastEntities = {\n apos: { regex: /&(apos|#39|#x27);/g, val: \"'\" },\n gt: { regex: /&(gt|#62|#x3E);/g, val: \">\" },\n lt: { regex: /&(lt|#60|#x3C);/g, val: \"<\" },\n quot: { regex: /&(quot|#34|#x22);/g, val: '\"' }\n }, this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" }, this.htmlEntities = {\n space: { regex: /&(nbsp|#160);/g, val: \" \" },\n // \"lt\" : { regex: /&(lt|#60);/g, val: \"<\" },\n // \"gt\" : { regex: /&(gt|#62);/g, val: \">\" },\n // \"amp\" : { regex: /&(amp|#38);/g, val: \"&\" },\n // \"quot\" : { regex: /&(quot|#34);/g, val: \"\\\"\" },\n // \"apos\" : { regex: /&(apos|#39);/g, val: \"'\" },\n cent: { regex: /&(cent|#162);/g, val: \"¢\" },\n pound: { regex: /&(pound|#163);/g, val: \"£\" },\n yen: { regex: /&(yen|#165);/g, val: \"¥\" },\n euro: { regex: /&(euro|#8364);/g, val: \"€\" },\n copyright: { regex: /&(copy|#169);/g, val: \"©\" },\n reg: { regex: /&(reg|#174);/g, val: \"®\" },\n inr: { regex: /&(inr|#8377);/g, val: \"₹\" }\n }, this.addExternalEntities = it, this.parseXml = at, this.parseTextData = st, this.resolveNameSpace = ot, this.buildAttributesMap = dt, this.isItStopNode = ht, this.replaceEntitiesValue = ft, this.readStopNodeData = gt, this.saveTextToParentTag = ct, this.addChild = lt;\n }\n};\nfunction it(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n this.lastEntities[s] = {\n regex: new RegExp(\"&\" + s + \";\", \"g\"),\n val: e[s]\n };\n }\n}\nfunction st(e, t, r, s, n, i, d) {\n if (e !== void 0 && (this.options.trimValues && !s && (e = e.trim()), e.length > 0)) {\n d || (e = this.replaceEntitiesValue(e));\n const u = this.options.tagValueProcessor(t, e, r, n, i);\n return u == null ? e : typeof u != typeof e || u !== e ? u : this.options.trimValues ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e.trim() === e ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e;\n }\n}\nfunction ot(e) {\n if (this.options.removeNSPrefix) {\n const t = e.split(\":\"), r = e.charAt(0) === \"/\" ? \"/\" : \"\";\n if (t[0] === \"xmlns\")\n return \"\";\n t.length === 2 && (e = r + t[1]);\n }\n return e;\n}\nconst ut = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction dt(e, t, r) {\n if (!this.options.ignoreAttributes && typeof e == \"string\") {\n const s = re.getAllMatches(e, ut), n = s.length, i = {};\n for (let d = 0; d < n; d++) {\n const u = this.resolveNameSpace(s[d][1]);\n let o = s[d][4], a = this.options.attributeNamePrefix + u;\n if (u.length)\n if (this.options.transformAttributeName && (a = this.options.transformAttributeName(a)), a === \"__proto__\" && (a = \"#__proto__\"), o !== void 0) {\n this.options.trimValues && (o = o.trim()), o = this.replaceEntitiesValue(o);\n const l = this.options.attributeValueProcessor(u, o, t);\n l == null ? i[a] = o : typeof l != typeof o || l !== o ? i[a] = l : i[a] = $(\n o,\n this.options.parseAttributeValue,\n this.options.numberParseOptions\n );\n } else\n this.options.allowBooleanAttributes && (i[a] = !0);\n }\n if (!Object.keys(i).length)\n return;\n if (this.options.attributesGroupName) {\n const d = {};\n return d[this.options.attributesGroupName] = i, d;\n }\n return i;\n }\n}\nconst at = function(e) {\n e = e.replace(/\\r\\n?/g, `\n`);\n const t = new T(\"!xml\");\n let r = t, s = \"\", n = \"\";\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"/\") {\n const u = y(e, \">\", i, \"Closing Tag is not closed.\");\n let o = e.substring(i + 2, u).trim();\n if (this.options.removeNSPrefix) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1));\n }\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && (s = this.saveTextToParentTag(s, r, n));\n const a = n.substring(n.lastIndexOf(\".\") + 1);\n if (o && this.options.unpairedTags.indexOf(o) !== -1)\n throw new Error(`Unpaired tag can not be used as closing tag: </${o}>`);\n let l = 0;\n a && this.options.unpairedTags.indexOf(a) !== -1 ? (l = n.lastIndexOf(\".\", n.lastIndexOf(\".\") - 1), this.tagsNodeStack.pop()) : l = n.lastIndexOf(\".\"), n = n.substring(0, l), r = this.tagsNodeStack.pop(), s = \"\", i = u;\n } else if (e[i + 1] === \"?\") {\n let u = x(e, i, !1, \"?>\");\n if (!u)\n throw new Error(\"Pi Tag is not closed.\");\n if (s = this.saveTextToParentTag(s, r, n), !(this.options.ignoreDeclaration && u.tagName === \"?xml\" || this.options.ignorePiTags)) {\n const o = new T(u.tagName);\n o.add(this.options.textNodeName, \"\"), u.tagName !== u.tagExp && u.attrExpPresent && (o[\":@\"] = this.buildAttributesMap(u.tagExp, n, u.tagName)), this.addChild(r, o, n);\n }\n i = u.closeIndex + 1;\n } else if (e.substr(i + 1, 3) === \"!--\") {\n const u = y(e, \"-->\", i + 4, \"Comment is not closed.\");\n if (this.options.commentPropName) {\n const o = e.substring(i + 4, u - 2);\n s = this.saveTextToParentTag(s, r, n), r.add(this.options.commentPropName, [{ [this.options.textNodeName]: o }]);\n }\n i = u;\n } else if (e.substr(i + 1, 2) === \"!D\") {\n const u = tt(e, i);\n this.docTypeEntities = u.entities, i = u.i;\n } else if (e.substr(i + 1, 2) === \"![\") {\n const u = y(e, \"]]>\", i, \"CDATA is not closed.\") - 2, o = e.substring(i + 9, u);\n s = this.saveTextToParentTag(s, r, n);\n let a = this.parseTextData(o, r.tagname, n, !0, !1, !0, !0);\n a == null && (a = \"\"), this.options.cdataPropName ? r.add(this.options.cdataPropName, [{ [this.options.textNodeName]: o }]) : r.add(this.options.textNodeName, a), i = u + 2;\n } else {\n let u = x(e, i, this.options.removeNSPrefix), o = u.tagName;\n const a = u.rawTagName;\n let l = u.tagExp, f = u.attrExpPresent, c = u.closeIndex;\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && s && r.tagname !== \"!xml\" && (s = this.saveTextToParentTag(s, r, n, !1));\n const g = r;\n if (g && this.options.unpairedTags.indexOf(g.tagname) !== -1 && (r = this.tagsNodeStack.pop(), n = n.substring(0, n.lastIndexOf(\".\"))), o !== t.tagname && (n += n ? \".\" + o : o), this.isItStopNode(this.options.stopNodes, n, o)) {\n let h = \"\";\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1)\n i = u.closeIndex;\n else if (this.options.unpairedTags.indexOf(o) !== -1)\n i = u.closeIndex;\n else {\n const E = this.readStopNodeData(e, a, c + 1);\n if (!E)\n throw new Error(`Unexpected end of ${a}`);\n i = E.i, h = E.tagContent;\n }\n const _ = new T(o);\n o !== l && f && (_[\":@\"] = this.buildAttributesMap(l, n, o)), h && (h = this.parseTextData(h, o, n, !0, f, !0, !0)), n = n.substr(0, n.lastIndexOf(\".\")), _.add(this.options.textNodeName, h), this.addChild(r, _, n);\n } else {\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1) {\n o[o.length - 1] === \"/\" ? (o = o.substr(0, o.length - 1), n = n.substr(0, n.length - 1), l = o) : l = l.substr(0, l.length - 1), this.options.transformTagName && (o = this.options.transformTagName(o));\n const h = new T(o);\n o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), n = n.substr(0, n.lastIndexOf(\".\"));\n } else {\n const h = new T(o);\n this.tagsNodeStack.push(r), o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), r = h;\n }\n s = \"\", i = c;\n }\n }\n else\n s += e[i];\n return t.child;\n};\nfunction lt(e, t, r) {\n const s = this.options.updateTag(t.tagname, r, t[\":@\"]);\n s === !1 || (typeof s == \"string\" && (t.tagname = s), e.addChild(t));\n}\nconst ft = function(e) {\n if (this.options.processEntities) {\n for (let t in this.docTypeEntities) {\n const r = this.docTypeEntities[t];\n e = e.replace(r.regx, r.val);\n }\n for (let t in this.lastEntities) {\n const r = this.lastEntities[t];\n e = e.replace(r.regex, r.val);\n }\n if (this.options.htmlEntities)\n for (let t in this.htmlEntities) {\n const r = this.htmlEntities[t];\n e = e.replace(r.regex, r.val);\n }\n e = e.replace(this.ampEntity.regex, this.ampEntity.val);\n }\n return e;\n};\nfunction ct(e, t, r, s) {\n return e && (s === void 0 && (s = Object.keys(t.child).length === 0), e = this.parseTextData(\n e,\n t.tagname,\n r,\n !1,\n t[\":@\"] ? Object.keys(t[\":@\"]).length !== 0 : !1,\n s\n ), e !== void 0 && e !== \"\" && t.add(this.options.textNodeName, e), e = \"\"), e;\n}\nfunction ht(e, t, r) {\n const s = \"*.\" + r;\n for (const n in e) {\n const i = e[n];\n if (s === i || t === i)\n return !0;\n }\n return !1;\n}\nfunction pt(e, t, r = \">\") {\n let s, n = \"\";\n for (let i = t; i < e.length; i++) {\n let d = e[i];\n if (s)\n d === s && (s = \"\");\n else if (d === '\"' || d === \"'\")\n s = d;\n else if (d === r[0])\n if (r[1]) {\n if (e[i + 1] === r[1])\n return {\n data: n,\n index: i\n };\n } else\n return {\n data: n,\n index: i\n };\n else\n d === \"\t\" && (d = \" \");\n n += d;\n }\n}\nfunction y(e, t, r, s) {\n const n = e.indexOf(t, r);\n if (n === -1)\n throw new Error(s);\n return n + t.length - 1;\n}\nfunction x(e, t, r, s = \">\") {\n const n = pt(e, t + 1, s);\n if (!n)\n return;\n let i = n.data;\n const d = n.index, u = i.search(/\\s/);\n let o = i, a = !0;\n u !== -1 && (o = i.substring(0, u), i = i.substring(u + 1).trimStart());\n const l = o;\n if (r) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1), a = o !== n.data.substr(f + 1));\n }\n return {\n tagName: o,\n tagExp: i,\n closeIndex: d,\n attrExpPresent: a,\n rawTagName: l\n };\n}\nfunction gt(e, t, r) {\n const s = r;\n let n = 1;\n for (; r < e.length; r++)\n if (e[r] === \"<\")\n if (e[r + 1] === \"/\") {\n const i = y(e, \">\", r, `${t} is not closed`);\n if (e.substring(r + 2, i).trim() === t && (n--, n === 0))\n return {\n tagContent: e.substring(s, r),\n i\n };\n r = i;\n } else if (e[r + 1] === \"?\")\n r = y(e, \"?>\", r + 1, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 3) === \"!--\")\n r = y(e, \"-->\", r + 3, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 2) === \"![\")\n r = y(e, \"]]>\", r, \"StopNode is not closed.\") - 2;\n else {\n const i = x(e, r, \">\");\n i && ((i && i.tagName) === t && i.tagExp[i.tagExp.length - 1] !== \"/\" && n++, r = i.closeIndex);\n }\n}\nfunction $(e, t, r) {\n if (t && typeof e == \"string\") {\n const s = e.trim();\n return s === \"true\" ? !0 : s === \"false\" ? !1 : rt(e, r);\n } else\n return re.isExist(e) ? e : \"\";\n}\nvar wt = nt, ne = {};\nfunction mt(e, t) {\n return ie(e, t);\n}\nfunction ie(e, t, r) {\n let s;\n const n = {};\n for (let i = 0; i < e.length; i++) {\n const d = e[i], u = Nt(d);\n let o = \"\";\n if (r === void 0 ? o = u : o = r + \".\" + u, u === t.textNodeName)\n s === void 0 ? s = d[u] : s += \"\" + d[u];\n else {\n if (u === void 0)\n continue;\n if (d[u]) {\n let a = ie(d[u], t, o);\n const l = bt(a, t);\n d[\":@\"] ? Et(a, d[\":@\"], o, t) : Object.keys(a).length === 1 && a[t.textNodeName] !== void 0 && !t.alwaysCreateTextNode ? a = a[t.textNodeName] : Object.keys(a).length === 0 && (t.alwaysCreateTextNode ? a[t.textNodeName] = \"\" : a = \"\"), n[u] !== void 0 && n.hasOwnProperty(u) ? (Array.isArray(n[u]) || (n[u] = [n[u]]), n[u].push(a)) : t.isArray(u, o, l) ? n[u] = [a] : n[u] = a;\n }\n }\n }\n return typeof s == \"string\" ? s.length > 0 && (n[t.textNodeName] = s) : s !== void 0 && (n[t.textNodeName] = s), n;\n}\nfunction Nt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (s !== \":@\")\n return s;\n }\n}\nfunction Et(e, t, r, s) {\n if (t) {\n const n = Object.keys(t), i = n.length;\n for (let d = 0; d < i; d++) {\n const u = n[d];\n s.isArray(u, r + \".\" + u, !0, !0) ? e[u] = [t[u]] : e[u] = t[u];\n }\n }\n}\nfunction bt(e, t) {\n const { textNodeName: r } = t, s = Object.keys(e).length;\n return !!(s === 0 || s === 1 && (e[r] || typeof e[r] == \"boolean\" || e[r] === 0));\n}\nne.prettify = mt;\nconst { buildOptions: yt } = k, _t = wt, { prettify: vt } = ne, Tt = R;\nlet It = class {\n constructor(t) {\n this.externalEntities = {}, this.options = yt(t);\n }\n /**\n * Parse XML dats to JS object \n * @param {string|Buffer} xmlData \n * @param {boolean|Object} validationOption \n */\n parse(t, r) {\n if (typeof t != \"string\")\n if (t.toString)\n t = t.toString();\n else\n throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n if (r) {\n r === !0 && (r = {});\n const i = Tt.validate(t, r);\n if (i !== !0)\n throw Error(`${i.err.msg}:${i.err.line}:${i.err.col}`);\n }\n const s = new _t(this.options);\n s.addExternalEntities(this.externalEntities);\n const n = s.parseXml(t);\n return this.options.preserveOrder || n === void 0 ? n : vt(n, this.options);\n }\n /**\n * Add Entity which is not by default supported by this library\n * @param {string} key \n * @param {string} value \n */\n addEntity(t, r) {\n if (r.indexOf(\"&\") !== -1)\n throw new Error(\"Entity value can't have '&'\");\n if (t.indexOf(\"&\") !== -1 || t.indexOf(\";\") !== -1)\n throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'\");\n if (r === \"&\")\n throw new Error(\"An entity with value '&' is not permitted\");\n this.externalEntities[t] = r;\n }\n};\nvar At = It;\nconst Ot = `\n`;\nfunction Ct(e, t) {\n let r = \"\";\n return t.format && t.indentBy.length > 0 && (r = Ot), se(e, t, \"\", r);\n}\nfunction se(e, t, r, s) {\n let n = \"\", i = !1;\n for (let d = 0; d < e.length; d++) {\n const u = e[d], o = Pt(u);\n if (o === void 0)\n continue;\n let a = \"\";\n if (r.length === 0 ? a = o : a = `${r}.${o}`, o === t.textNodeName) {\n let h = u[o];\n xt(a, t) || (h = t.tagValueProcessor(o, h), h = oe(h, t)), i && (n += s), n += h, i = !1;\n continue;\n } else if (o === t.cdataPropName) {\n i && (n += s), n += `<![CDATA[${u[o][0][t.textNodeName]}]]>`, i = !1;\n continue;\n } else if (o === t.commentPropName) {\n n += s + `<!--${u[o][0][t.textNodeName]}-->`, i = !0;\n continue;\n } else if (o[0] === \"?\") {\n const h = H(u[\":@\"], t), _ = o === \"?xml\" ? \"\" : s;\n let E = u[o][0][t.textNodeName];\n E = E.length !== 0 ? \" \" + E : \"\", n += _ + `<${o}${E}${h}?>`, i = !0;\n continue;\n }\n let l = s;\n l !== \"\" && (l += t.indentBy);\n const f = H(u[\":@\"], t), c = s + `<${o}${f}`, g = se(u[o], t, a, l);\n t.unpairedTags.indexOf(o) !== -1 ? t.suppressUnpairedNode ? n += c + \">\" : n += c + \"/>\" : (!g || g.length === 0) && t.suppressEmptyNode ? n += c + \"/>\" : g && g.endsWith(\">\") ? n += c + `>${g}${s}</${o}>` : (n += c + \">\", g && s !== \"\" && (g.includes(\"/>\") || g.includes(\"</\")) ? n += s + t.indentBy + g + s : n += g, n += `</${o}>`), i = !0;\n }\n return n;\n}\nfunction Pt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (e.hasOwnProperty(s) && s !== \":@\")\n return s;\n }\n}\nfunction H(e, t) {\n let r = \"\";\n if (e && !t.ignoreAttributes)\n for (let s in e) {\n if (!e.hasOwnProperty(s))\n continue;\n let n = t.attributeValueProcessor(s, e[s]);\n n = oe(n, t), n === !0 && t.suppressBooleanAttributes ? r += ` ${s.substr(t.attributeNamePrefix.length)}` : r += ` ${s.substr(t.attributeNamePrefix.length)}=\"${n}\"`;\n }\n return r;\n}\nfunction xt(e, t) {\n e = e.substr(0, e.length - t.textNodeName.length - 1);\n let r = e.substr(e.lastIndexOf(\".\") + 1);\n for (let s in t.stopNodes)\n if (t.stopNodes[s] === e || t.stopNodes[s] === \"*.\" + r)\n return !0;\n return !1;\n}\nfunction oe(e, t) {\n if (e && e.length > 0 && t.processEntities)\n for (let r = 0; r < t.entities.length; r++) {\n const s = t.entities[r];\n e = e.replace(s.regex, s.val);\n }\n return e;\n}\nvar $t = Ct;\nconst Ft = $t, Vt = {\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n cdataPropName: !1,\n format: !1,\n indentBy: \" \",\n suppressEmptyNode: !1,\n suppressUnpairedNode: !0,\n suppressBooleanAttributes: !0,\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n preserveOrder: !1,\n commentPropName: !1,\n unpairedTags: [],\n entities: [\n { regex: new RegExp(\"&\", \"g\"), val: \"&amp;\" },\n //it must be on top\n { regex: new RegExp(\">\", \"g\"), val: \"&gt;\" },\n { regex: new RegExp(\"<\", \"g\"), val: \"&lt;\" },\n { regex: new RegExp(\"'\", \"g\"), val: \"&apos;\" },\n { regex: new RegExp('\"', \"g\"), val: \"&quot;\" }\n ],\n processEntities: !0,\n stopNodes: [],\n // transformTagName: false,\n // transformAttributeName: false,\n oneListGroup: !1\n};\nfunction b(e) {\n this.options = Object.assign({}, Vt, e), this.options.ignoreAttributes || this.options.attributesGroupName ? this.isAttribute = function() {\n return !1;\n } : (this.attrPrefixLen = this.options.attributeNamePrefix.length, this.isAttribute = Rt), this.processTextOrObjNode = Lt, this.options.format ? (this.indentate = St, this.tagEndChar = `>\n`, this.newLine = `\n`) : (this.indentate = function() {\n return \"\";\n }, this.tagEndChar = \">\", this.newLine = \"\");\n}\nb.prototype.build = function(e) {\n return this.options.preserveOrder ? Ft(e, this.options) : (Array.isArray(e) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1 && (e = {\n [this.options.arrayNodeName]: e\n }), this.j2x(e, 0).val);\n};\nb.prototype.j2x = function(e, t) {\n let r = \"\", s = \"\";\n for (let n in e)\n if (Object.prototype.hasOwnProperty.call(e, n))\n if (typeof e[n] > \"u\")\n this.isAttribute(n) && (s += \"\");\n else if (e[n] === null)\n this.isAttribute(n) ? s += \"\" : n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar;\n else if (e[n] instanceof Date)\n s += this.buildTextValNode(e[n], n, \"\", t);\n else if (typeof e[n] != \"object\") {\n const i = this.isAttribute(n);\n if (i)\n r += this.buildAttrPairStr(i, \"\" + e[n]);\n else if (n === this.options.textNodeName) {\n let d = this.options.tagValueProcessor(n, \"\" + e[n]);\n s += this.replaceEntitiesValue(d);\n } else\n s += this.buildTextValNode(e[n], n, \"\", t);\n } else if (Array.isArray(e[n])) {\n const i = e[n].length;\n let d = \"\";\n for (let u = 0; u < i; u++) {\n const o = e[n][u];\n typeof o > \"u\" || (o === null ? n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar : typeof o == \"object\" ? this.options.oneListGroup ? d += this.j2x(o, t + 1).val : d += this.processTextOrObjNode(o, n, t) : d += this.buildTextValNode(o, n, \"\", t));\n }\n this.options.oneListGroup && (d = this.buildObjectNode(d, n, \"\", t)), s += d;\n } else if (this.options.attributesGroupName && n === this.options.attributesGroupName) {\n const i = Object.keys(e[n]), d = i.length;\n for (let u = 0; u < d; u++)\n r += this.buildAttrPairStr(i[u], \"\" + e[n][i[u]]);\n } else\n s += this.processTextOrObjNode(e[n], n, t);\n return { attrStr: r, val: s };\n};\nb.prototype.buildAttrPairStr = function(e, t) {\n return t = this.options.attributeValueProcessor(e, \"\" + t), t = this.replaceEntitiesValue(t), this.options.suppressBooleanAttributes && t === \"true\" ? \" \" + e : \" \" + e + '=\"' + t + '\"';\n};\nfunction Lt(e, t, r) {\n const s = this.j2x(e, r + 1);\n return e[this.options.textNodeName] !== void 0 && Object.keys(e).length === 1 ? this.buildTextValNode(e[this.options.textNodeName], t, s.attrStr, r) : this.buildObjectNode(s.val, t, s.attrStr, r);\n}\nb.prototype.buildObjectNode = function(e, t, r, s) {\n if (e === \"\")\n return t[0] === \"?\" ? this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar : this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar;\n {\n let n = \"</\" + t + this.tagEndChar, i = \"\";\n return t[0] === \"?\" && (i = \"?\", n = \"\"), (r || r === \"\") && e.indexOf(\"<\") === -1 ? this.indentate(s) + \"<\" + t + r + i + \">\" + e + n : this.options.commentPropName !== !1 && t === this.options.commentPropName && i.length === 0 ? this.indentate(s) + `<!--${e}-->` + this.newLine : this.indentate(s) + \"<\" + t + r + i + this.tagEndChar + e + this.indentate(s) + n;\n }\n};\nb.prototype.closeTag = function(e) {\n let t = \"\";\n return this.options.unpairedTags.indexOf(e) !== -1 ? this.options.suppressUnpairedNode || (t = \"/\") : this.options.suppressEmptyNode ? t = \"/\" : t = `></${e}`, t;\n};\nb.prototype.buildTextValNode = function(e, t, r, s) {\n if (this.options.cdataPropName !== !1 && t === this.options.cdataPropName)\n return this.indentate(s) + `<![CDATA[${e}]]>` + this.newLine;\n if (this.options.commentPropName !== !1 && t === this.options.commentPropName)\n return this.indentate(s) + `<!--${e}-->` + this.newLine;\n if (t[0] === \"?\")\n return this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar;\n {\n let n = this.options.tagValueProcessor(t, e);\n return n = this.replaceEntitiesValue(n), n === \"\" ? this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar : this.indentate(s) + \"<\" + t + r + \">\" + n + \"</\" + t + this.tagEndChar;\n }\n};\nb.prototype.replaceEntitiesValue = function(e) {\n if (e && e.length > 0 && this.options.processEntities)\n for (let t = 0; t < this.options.entities.length; t++) {\n const r = this.options.entities[t];\n e = e.replace(r.regex, r.val);\n }\n return e;\n};\nfunction St(e) {\n return this.options.indentBy.repeat(e);\n}\nfunction Rt(e) {\n return e.startsWith(this.options.attributeNamePrefix) && e !== this.options.textNodeName ? e.substr(this.attrPrefixLen) : !1;\n}\nvar Mt = b;\nconst kt = R, Bt = At, qt = Mt;\nvar K = {\n XMLParser: Bt,\n XMLValidator: kt,\n XMLBuilder: qt\n};\nfunction Xt(e) {\n if (typeof e != \"string\")\n throw new TypeError(`Expected a \\`string\\`, got \\`${typeof e}\\``);\n if (e = e.trim(), e.length === 0 || K.XMLValidator.validate(e) !== !0)\n return !1;\n let t;\n const r = new K.XMLParser();\n try {\n t = r.parse(e);\n } catch {\n return !1;\n }\n return !(!t || !(\"svg\" in t));\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass cr {\n _view;\n constructor(t) {\n Ut(t), this._view = t;\n }\n get id() {\n return this._view.id;\n }\n get name() {\n return this._view.name;\n }\n get caption() {\n return this._view.caption;\n }\n get emptyTitle() {\n return this._view.emptyTitle;\n }\n get emptyCaption() {\n return this._view.emptyCaption;\n }\n get getContents() {\n return this._view.getContents;\n }\n get icon() {\n return this._view.icon;\n }\n set icon(t) {\n this._view.icon = t;\n }\n get order() {\n return this._view.order;\n }\n set order(t) {\n this._view.order = t;\n }\n get params() {\n return this._view.params;\n }\n set params(t) {\n this._view.params = t;\n }\n get columns() {\n return this._view.columns;\n }\n get emptyView() {\n return this._view.emptyView;\n }\n get parent() {\n return this._view.parent;\n }\n get sticky() {\n return this._view.sticky;\n }\n get expanded() {\n return this._view.expanded;\n }\n set expanded(t) {\n this._view.expanded = t;\n }\n get defaultSortKey() {\n return this._view.defaultSortKey;\n }\n}\nconst Ut = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"View id is required and must be a string\");\n if (!e.name || typeof e.name != \"string\")\n throw new Error(\"View name is required and must be a string\");\n if (e.columns && e.columns.length > 0 && (!e.caption || typeof e.caption != \"string\"))\n throw new Error(\"View caption is required for top-level views and must be a string\");\n if (!e.getContents || typeof e.getContents != \"function\")\n throw new Error(\"View getContents is required and must be a function\");\n if (!e.icon || typeof e.icon != \"string\" || !Xt(e.icon))\n throw new Error(\"View icon is required and must be a valid svg string\");\n if (!(\"order\" in e) || typeof e.order != \"number\")\n throw new Error(\"View order is required and must be a number\");\n if (e.columns && e.columns.forEach((t) => {\n if (!(t instanceof Ie))\n throw new Error(\"View columns must be an array of Column. Invalid column found\");\n }), e.emptyView && typeof e.emptyView != \"function\")\n throw new Error(\"View emptyView must be a function\");\n if (e.parent && typeof e.parent != \"string\")\n throw new Error(\"View parent must be a string\");\n if (\"sticky\" in e && typeof e.sticky != \"boolean\")\n throw new Error(\"View sticky must be a boolean\");\n if (\"expanded\" in e && typeof e.expanded != \"boolean\")\n throw new Error(\"View expanded must be a boolean\");\n if (e.defaultSortKey && typeof e.defaultSortKey != \"string\")\n throw new Error(\"View defaultSortKey must be a string\");\n return !0;\n};\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst hr = function(e) {\n return F().registerEntry(e);\n}, pr = function(e) {\n return F().unregisterEntry(e);\n}, gr = function(e) {\n return F().getEntries(e).sort((r, s) => r.order !== void 0 && s.order !== void 0 && r.order !== s.order ? r.order - s.order : r.displayName.localeCompare(s.displayName, void 0, { numeric: !0, sensitivity: \"base\" }));\n};\nexport {\n Ie as Column,\n W as DefaultType,\n ye as File,\n Qt as FileAction,\n S as FileType,\n _e as Folder,\n tr as Header,\n Te as Navigation,\n Q as Node,\n J as NodeStatus,\n N as Permission,\n cr as View,\n hr as addNewFileMenuEntry,\n ur as davGetClient,\n sr as davGetDefaultPropfind,\n Ee as davGetFavoritesReport,\n or as davGetRecentSearch,\n be as davParsePermissions,\n ee as davRemoteURL,\n ve as davResultToNode,\n D as davRootPath,\n j as defaultDavNamespaces,\n Z as defaultDavProperties,\n Yt as formatFileSize,\n L as getDavNameSpaces,\n V as getDavProperties,\n dr as getFavoriteNodes,\n er as getFileActions,\n nr as getFileListHeaders,\n ar as getNavigation,\n gr as getNewFileMenuEntries,\n Jt as parseFileSize,\n ir as registerDavProperty,\n Dt as registerFileAction,\n rr as registerFileListHeaders,\n pr as removeNewFileMenuEntry\n};\n","\n import API from \"!../../../../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../css-loader/dist/cjs.js!./index-Ussc_ol3.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../css-loader/dist/cjs.js!./index-Ussc_ol3.css\";\n export default content && content.locals ? content.locals : undefined;\n","export class CancelError extends Error {\n\tconstructor(reason) {\n\t\tsuper(reason || 'Promise was canceled');\n\t\tthis.name = 'CancelError';\n\t}\n\n\tget isCanceled() {\n\t\treturn true;\n\t}\n}\n\nconst promiseState = Object.freeze({\n\tpending: Symbol('pending'),\n\tcanceled: Symbol('canceled'),\n\tresolved: Symbol('resolved'),\n\trejected: Symbol('rejected'),\n});\n\nexport default class PCancelable {\n\tstatic fn(userFunction) {\n\t\treturn (...arguments_) => new PCancelable((resolve, reject, onCancel) => {\n\t\t\targuments_.push(onCancel);\n\t\t\tuserFunction(...arguments_).then(resolve, reject);\n\t\t});\n\t}\n\n\t#cancelHandlers = [];\n\t#rejectOnCancel = true;\n\t#state = promiseState.pending;\n\t#promise;\n\t#reject;\n\n\tconstructor(executor) {\n\t\tthis.#promise = new Promise((resolve, reject) => {\n\t\t\tthis.#reject = reject;\n\n\t\t\tconst onResolve = value => {\n\t\t\t\tif (this.#state !== promiseState.canceled || !onCancel.shouldReject) {\n\t\t\t\t\tresolve(value);\n\t\t\t\t\tthis.#setState(promiseState.resolved);\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tconst onReject = error => {\n\t\t\t\tif (this.#state !== promiseState.canceled || !onCancel.shouldReject) {\n\t\t\t\t\treject(error);\n\t\t\t\t\tthis.#setState(promiseState.rejected);\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tconst onCancel = handler => {\n\t\t\t\tif (this.#state !== promiseState.pending) {\n\t\t\t\t\tthrow new Error(`The \\`onCancel\\` handler was attached after the promise ${this.#state.description}.`);\n\t\t\t\t}\n\n\t\t\t\tthis.#cancelHandlers.push(handler);\n\t\t\t};\n\n\t\t\tObject.defineProperties(onCancel, {\n\t\t\t\tshouldReject: {\n\t\t\t\t\tget: () => this.#rejectOnCancel,\n\t\t\t\t\tset: boolean => {\n\t\t\t\t\t\tthis.#rejectOnCancel = boolean;\n\t\t\t\t\t},\n\t\t\t\t},\n\t\t\t});\n\n\t\t\texecutor(onResolve, onReject, onCancel);\n\t\t});\n\t}\n\n\t// eslint-disable-next-line unicorn/no-thenable\n\tthen(onFulfilled, onRejected) {\n\t\treturn this.#promise.then(onFulfilled, onRejected);\n\t}\n\n\tcatch(onRejected) {\n\t\treturn this.#promise.catch(onRejected);\n\t}\n\n\tfinally(onFinally) {\n\t\treturn this.#promise.finally(onFinally);\n\t}\n\n\tcancel(reason) {\n\t\tif (this.#state !== promiseState.pending) {\n\t\t\treturn;\n\t\t}\n\n\t\tthis.#setState(promiseState.canceled);\n\n\t\tif (this.#cancelHandlers.length > 0) {\n\t\t\ttry {\n\t\t\t\tfor (const handler of this.#cancelHandlers) {\n\t\t\t\t\thandler();\n\t\t\t\t}\n\t\t\t} catch (error) {\n\t\t\t\tthis.#reject(error);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\tif (this.#rejectOnCancel) {\n\t\t\tthis.#reject(new CancelError(reason));\n\t\t}\n\t}\n\n\tget isCanceled() {\n\t\treturn this.#state === promiseState.canceled;\n\t}\n\n\t#setState(state) {\n\t\tif (this.#state === promiseState.pending) {\n\t\t\tthis.#state = state;\n\t\t}\n\t}\n}\n\nObject.setPrototypeOf(PCancelable.prototype, Promise.prototype);\n","export class TimeoutError extends Error {\n\tconstructor(message) {\n\t\tsuper(message);\n\t\tthis.name = 'TimeoutError';\n\t}\n}\n\n/**\nAn error to be thrown when the request is aborted by AbortController.\nDOMException is thrown instead of this Error when DOMException is available.\n*/\nexport class AbortError extends Error {\n\tconstructor(message) {\n\t\tsuper();\n\t\tthis.name = 'AbortError';\n\t\tthis.message = message;\n\t}\n}\n\n/**\nTODO: Remove AbortError and just throw DOMException when targeting Node 18.\n*/\nconst getDOMException = errorMessage => globalThis.DOMException === undefined\n\t? new AbortError(errorMessage)\n\t: new DOMException(errorMessage);\n\n/**\nTODO: Remove below function and just 'reject(signal.reason)' when targeting Node 18.\n*/\nconst getAbortedReason = signal => {\n\tconst reason = signal.reason === undefined\n\t\t? getDOMException('This operation was aborted.')\n\t\t: signal.reason;\n\n\treturn reason instanceof Error ? reason : getDOMException(reason);\n};\n\nexport default function pTimeout(promise, options) {\n\tconst {\n\t\tmilliseconds,\n\t\tfallback,\n\t\tmessage,\n\t\tcustomTimers = {setTimeout, clearTimeout},\n\t} = options;\n\n\tlet timer;\n\n\tconst wrappedPromise = new Promise((resolve, reject) => {\n\t\tif (typeof milliseconds !== 'number' || Math.sign(milliseconds) !== 1) {\n\t\t\tthrow new TypeError(`Expected \\`milliseconds\\` to be a positive number, got \\`${milliseconds}\\``);\n\t\t}\n\n\t\tif (options.signal) {\n\t\t\tconst {signal} = options;\n\t\t\tif (signal.aborted) {\n\t\t\t\treject(getAbortedReason(signal));\n\t\t\t}\n\n\t\t\tsignal.addEventListener('abort', () => {\n\t\t\t\treject(getAbortedReason(signal));\n\t\t\t});\n\t\t}\n\n\t\tif (milliseconds === Number.POSITIVE_INFINITY) {\n\t\t\tpromise.then(resolve, reject);\n\t\t\treturn;\n\t\t}\n\n\t\t// We create the error outside of `setTimeout` to preserve the stack trace.\n\t\tconst timeoutError = new TimeoutError();\n\n\t\ttimer = customTimers.setTimeout.call(undefined, () => {\n\t\t\tif (fallback) {\n\t\t\t\ttry {\n\t\t\t\t\tresolve(fallback());\n\t\t\t\t} catch (error) {\n\t\t\t\t\treject(error);\n\t\t\t\t}\n\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (typeof promise.cancel === 'function') {\n\t\t\t\tpromise.cancel();\n\t\t\t}\n\n\t\t\tif (message === false) {\n\t\t\t\tresolve();\n\t\t\t} else if (message instanceof Error) {\n\t\t\t\treject(message);\n\t\t\t} else {\n\t\t\t\ttimeoutError.message = message ?? `Promise timed out after ${milliseconds} milliseconds`;\n\t\t\t\treject(timeoutError);\n\t\t\t}\n\t\t}, milliseconds);\n\n\t\t(async () => {\n\t\t\ttry {\n\t\t\t\tresolve(await promise);\n\t\t\t} catch (error) {\n\t\t\t\treject(error);\n\t\t\t}\n\t\t})();\n\t});\n\n\tconst cancelablePromise = wrappedPromise.finally(() => {\n\t\tcancelablePromise.clear();\n\t});\n\n\tcancelablePromise.clear = () => {\n\t\tcustomTimers.clearTimeout.call(undefined, timer);\n\t\ttimer = undefined;\n\t};\n\n\treturn cancelablePromise;\n}\n","import lowerBound from './lower-bound.js';\nexport default class PriorityQueue {\n #queue = [];\n enqueue(run, options) {\n options = {\n priority: 0,\n ...options,\n };\n const element = {\n priority: options.priority,\n run,\n };\n if (this.size && this.#queue[this.size - 1].priority >= options.priority) {\n this.#queue.push(element);\n return;\n }\n const index = lowerBound(this.#queue, element, (a, b) => b.priority - a.priority);\n this.#queue.splice(index, 0, element);\n }\n dequeue() {\n const item = this.#queue.shift();\n return item?.run;\n }\n filter(options) {\n return this.#queue.filter((element) => element.priority === options.priority).map((element) => element.run);\n }\n get size() {\n return this.#queue.length;\n }\n}\n","// Port of lower_bound from https://en.cppreference.com/w/cpp/algorithm/lower_bound\n// Used to compute insertion index to keep queue sorted after insertion\nexport default function lowerBound(array, value, comparator) {\n let first = 0;\n let count = array.length;\n while (count > 0) {\n const step = Math.trunc(count / 2);\n let it = first + step;\n if (comparator(array[it], value) <= 0) {\n first = ++it;\n count -= step + 1;\n }\n else {\n count = step;\n }\n }\n return first;\n}\n","import { EventEmitter } from 'eventemitter3';\nimport pTimeout, { TimeoutError } from 'p-timeout';\nimport PriorityQueue from './priority-queue.js';\n/**\nPromise queue with concurrency control.\n*/\nexport default class PQueue extends EventEmitter {\n #carryoverConcurrencyCount;\n #isIntervalIgnored;\n #intervalCount = 0;\n #intervalCap;\n #interval;\n #intervalEnd = 0;\n #intervalId;\n #timeoutId;\n #queue;\n #queueClass;\n #pending = 0;\n // The `!` is needed because of https://github.com/microsoft/TypeScript/issues/32194\n #concurrency;\n #isPaused;\n #throwOnTimeout;\n /**\n Per-operation timeout in milliseconds. Operations fulfill once `timeout` elapses if they haven't already.\n\n Applies to each future operation.\n */\n timeout;\n // TODO: The `throwOnTimeout` option should affect the return types of `add()` and `addAll()`\n constructor(options) {\n super();\n // eslint-disable-next-line @typescript-eslint/consistent-type-assertions\n options = {\n carryoverConcurrencyCount: false,\n intervalCap: Number.POSITIVE_INFINITY,\n interval: 0,\n concurrency: Number.POSITIVE_INFINITY,\n autoStart: true,\n queueClass: PriorityQueue,\n ...options,\n };\n if (!(typeof options.intervalCap === 'number' && options.intervalCap >= 1)) {\n throw new TypeError(`Expected \\`intervalCap\\` to be a number from 1 and up, got \\`${options.intervalCap?.toString() ?? ''}\\` (${typeof options.intervalCap})`);\n }\n if (options.interval === undefined || !(Number.isFinite(options.interval) && options.interval >= 0)) {\n throw new TypeError(`Expected \\`interval\\` to be a finite number >= 0, got \\`${options.interval?.toString() ?? ''}\\` (${typeof options.interval})`);\n }\n this.#carryoverConcurrencyCount = options.carryoverConcurrencyCount;\n this.#isIntervalIgnored = options.intervalCap === Number.POSITIVE_INFINITY || options.interval === 0;\n this.#intervalCap = options.intervalCap;\n this.#interval = options.interval;\n this.#queue = new options.queueClass();\n this.#queueClass = options.queueClass;\n this.concurrency = options.concurrency;\n this.timeout = options.timeout;\n this.#throwOnTimeout = options.throwOnTimeout === true;\n this.#isPaused = options.autoStart === false;\n }\n get #doesIntervalAllowAnother() {\n return this.#isIntervalIgnored || this.#intervalCount < this.#intervalCap;\n }\n get #doesConcurrentAllowAnother() {\n return this.#pending < this.#concurrency;\n }\n #next() {\n this.#pending--;\n this.#tryToStartAnother();\n this.emit('next');\n }\n #onResumeInterval() {\n this.#onInterval();\n this.#initializeIntervalIfNeeded();\n this.#timeoutId = undefined;\n }\n get #isIntervalPaused() {\n const now = Date.now();\n if (this.#intervalId === undefined) {\n const delay = this.#intervalEnd - now;\n if (delay < 0) {\n // Act as the interval was done\n // We don't need to resume it here because it will be resumed on line 160\n this.#intervalCount = (this.#carryoverConcurrencyCount) ? this.#pending : 0;\n }\n else {\n // Act as the interval is pending\n if (this.#timeoutId === undefined) {\n this.#timeoutId = setTimeout(() => {\n this.#onResumeInterval();\n }, delay);\n }\n return true;\n }\n }\n return false;\n }\n #tryToStartAnother() {\n if (this.#queue.size === 0) {\n // We can clear the interval (\"pause\")\n // Because we can redo it later (\"resume\")\n if (this.#intervalId) {\n clearInterval(this.#intervalId);\n }\n this.#intervalId = undefined;\n this.emit('empty');\n if (this.#pending === 0) {\n this.emit('idle');\n }\n return false;\n }\n if (!this.#isPaused) {\n const canInitializeInterval = !this.#isIntervalPaused;\n if (this.#doesIntervalAllowAnother && this.#doesConcurrentAllowAnother) {\n const job = this.#queue.dequeue();\n if (!job) {\n return false;\n }\n this.emit('active');\n job();\n if (canInitializeInterval) {\n this.#initializeIntervalIfNeeded();\n }\n return true;\n }\n }\n return false;\n }\n #initializeIntervalIfNeeded() {\n if (this.#isIntervalIgnored || this.#intervalId !== undefined) {\n return;\n }\n this.#intervalId = setInterval(() => {\n this.#onInterval();\n }, this.#interval);\n this.#intervalEnd = Date.now() + this.#interval;\n }\n #onInterval() {\n if (this.#intervalCount === 0 && this.#pending === 0 && this.#intervalId) {\n clearInterval(this.#intervalId);\n this.#intervalId = undefined;\n }\n this.#intervalCount = this.#carryoverConcurrencyCount ? this.#pending : 0;\n this.#processQueue();\n }\n /**\n Executes all queued functions until it reaches the limit.\n */\n #processQueue() {\n // eslint-disable-next-line no-empty\n while (this.#tryToStartAnother()) { }\n }\n get concurrency() {\n return this.#concurrency;\n }\n set concurrency(newConcurrency) {\n if (!(typeof newConcurrency === 'number' && newConcurrency >= 1)) {\n throw new TypeError(`Expected \\`concurrency\\` to be a number from 1 and up, got \\`${newConcurrency}\\` (${typeof newConcurrency})`);\n }\n this.#concurrency = newConcurrency;\n this.#processQueue();\n }\n async #throwOnAbort(signal) {\n return new Promise((_resolve, reject) => {\n signal.addEventListener('abort', () => {\n reject(signal.reason);\n }, { once: true });\n });\n }\n async add(function_, options = {}) {\n options = {\n timeout: this.timeout,\n throwOnTimeout: this.#throwOnTimeout,\n ...options,\n };\n return new Promise((resolve, reject) => {\n this.#queue.enqueue(async () => {\n this.#pending++;\n this.#intervalCount++;\n try {\n options.signal?.throwIfAborted();\n let operation = function_({ signal: options.signal });\n if (options.timeout) {\n operation = pTimeout(Promise.resolve(operation), { milliseconds: options.timeout });\n }\n if (options.signal) {\n operation = Promise.race([operation, this.#throwOnAbort(options.signal)]);\n }\n const result = await operation;\n resolve(result);\n this.emit('completed', result);\n }\n catch (error) {\n if (error instanceof TimeoutError && !options.throwOnTimeout) {\n resolve();\n return;\n }\n reject(error);\n this.emit('error', error);\n }\n finally {\n this.#next();\n }\n }, options);\n this.emit('add');\n this.#tryToStartAnother();\n });\n }\n async addAll(functions, options) {\n return Promise.all(functions.map(async (function_) => this.add(function_, options)));\n }\n /**\n Start (or resume) executing enqueued tasks within concurrency limit. No need to call this if queue is not paused (via `options.autoStart = false` or by `.pause()` method.)\n */\n start() {\n if (!this.#isPaused) {\n return this;\n }\n this.#isPaused = false;\n this.#processQueue();\n return this;\n }\n /**\n Put queue execution on hold.\n */\n pause() {\n this.#isPaused = true;\n }\n /**\n Clear the queue.\n */\n clear() {\n this.#queue = new this.#queueClass();\n }\n /**\n Can be called multiple times. Useful if you for example add additional items at a later time.\n\n @returns A promise that settles when the queue becomes empty.\n */\n async onEmpty() {\n // Instantly resolve if the queue is empty\n if (this.#queue.size === 0) {\n return;\n }\n await this.#onEvent('empty');\n }\n /**\n @returns A promise that settles when the queue size is less than the given limit: `queue.size < limit`.\n\n If you want to avoid having the queue grow beyond a certain size you can `await queue.onSizeLessThan()` before adding a new item.\n\n Note that this only limits the number of items waiting to start. There could still be up to `concurrency` jobs already running that this call does not include in its calculation.\n */\n async onSizeLessThan(limit) {\n // Instantly resolve if the queue is empty.\n if (this.#queue.size < limit) {\n return;\n }\n await this.#onEvent('next', () => this.#queue.size < limit);\n }\n /**\n The difference with `.onEmpty` is that `.onIdle` guarantees that all work from the queue has finished. `.onEmpty` merely signals that the queue is empty, but it could mean that some promises haven't completed yet.\n\n @returns A promise that settles when the queue becomes empty, and all promises have completed; `queue.size === 0 && queue.pending === 0`.\n */\n async onIdle() {\n // Instantly resolve if none pending and if nothing else is queued\n if (this.#pending === 0 && this.#queue.size === 0) {\n return;\n }\n await this.#onEvent('idle');\n }\n async #onEvent(event, filter) {\n return new Promise(resolve => {\n const listener = () => {\n if (filter && !filter()) {\n return;\n }\n this.off(event, listener);\n resolve();\n };\n this.on(event, listener);\n });\n }\n /**\n Size of the queue, the number of queued items waiting to run.\n */\n get size() {\n return this.#queue.size;\n }\n /**\n Size of the queue, filtered by the given options.\n\n For example, this can be used to find the number of items remaining in the queue with a specific priority level.\n */\n sizeBy(options) {\n // eslint-disable-next-line unicorn/no-array-callback-reference\n return this.#queue.filter(options).length;\n }\n /**\n Number of running items (no longer in the queue).\n */\n get pending() {\n return this.#pending;\n }\n /**\n Whether the queue is currently paused.\n */\n get isPaused() {\n return this.#isPaused;\n }\n}\n","import '../assets/index-Ussc_ol3.css';\nimport { CanceledError as b } from \"axios\";\nimport { encodePath as q } from \"@nextcloud/paths\";\nimport { Folder as z, Permission as H, getNewFileMenuEntries as G } from \"@nextcloud/files\";\nimport { generateRemoteUrl as j } from \"@nextcloud/router\";\nimport { getCurrentUser as F } from \"@nextcloud/auth\";\nimport v from \"@nextcloud/axios\";\nimport Y from \"p-cancelable\";\nimport V from \"p-queue\";\nimport { getLoggerBuilder as _ } from \"@nextcloud/logger\";\nimport { showError as P } from \"@nextcloud/dialogs\";\nimport K from \"simple-eta\";\nimport E, { defineAsyncComponent as $ } from \"vue\";\nimport J from \"@nextcloud/vue/dist/Components/NcActionButton.js\";\nimport Q from \"@nextcloud/vue/dist/Components/NcActions.js\";\nimport Z from \"@nextcloud/vue/dist/Components/NcButton.js\";\nimport X from \"@nextcloud/vue/dist/Components/NcIconSvgWrapper.js\";\nimport ss from \"@nextcloud/vue/dist/Components/NcProgressBar.js\";\nimport { getGettextBuilder as es } from \"@nextcloud/l10n/gettext\";\nconst A = async function(e, s, t, n = () => {\n}, i = void 0, o = {}) {\n let l;\n return s instanceof Blob ? l = s : l = await s(), i && (o.Destination = i), o[\"Content-Type\"] || (o[\"Content-Type\"] = \"application/octet-stream\"), await v.request({\n method: \"PUT\",\n url: e,\n data: l,\n signal: t,\n onUploadProgress: n,\n headers: o\n });\n}, B = function(e, s, t) {\n return s === 0 && e.size <= t ? Promise.resolve(new Blob([e], { type: e.type || \"application/octet-stream\" })) : Promise.resolve(new Blob([e.slice(s, s + t)], { type: \"application/octet-stream\" }));\n}, ts = async function(e = void 0) {\n const s = j(`dav/uploads/${F()?.uid}`), n = `web-file-upload-${[...Array(16)].map(() => Math.floor(Math.random() * 16).toString(16)).join(\"\")}`, i = `${s}/${n}`, o = e ? { Destination: e } : void 0;\n return await v.request({\n method: \"MKCOL\",\n url: i,\n headers: o\n }), i;\n}, x = function(e = void 0) {\n const s = window.OC?.appConfig?.files?.max_chunk_size;\n if (s <= 0)\n return 0;\n if (!Number(s))\n return 10 * 1024 * 1024;\n const t = Math.max(Number(s), 5 * 1024 * 1024);\n return e === void 0 ? t : Math.max(t, Math.ceil(e / 1e4));\n};\nvar c = /* @__PURE__ */ ((e) => (e[e.INITIALIZED = 0] = \"INITIALIZED\", e[e.UPLOADING = 1] = \"UPLOADING\", e[e.ASSEMBLING = 2] = \"ASSEMBLING\", e[e.FINISHED = 3] = \"FINISHED\", e[e.CANCELLED = 4] = \"CANCELLED\", e[e.FAILED = 5] = \"FAILED\", e))(c || {});\nlet ns = class {\n _source;\n _file;\n _isChunked;\n _chunks;\n _size;\n _uploaded = 0;\n _startTime = 0;\n _status = 0;\n _controller;\n _response = null;\n constructor(s, t = !1, n, i) {\n const o = Math.min(x() > 0 ? Math.ceil(n / x()) : 1, 1e4);\n this._source = s, this._isChunked = t && x() > 0 && o > 1, this._chunks = this._isChunked ? o : 1, this._size = n, this._file = i, this._controller = new AbortController();\n }\n get source() {\n return this._source;\n }\n get file() {\n return this._file;\n }\n get isChunked() {\n return this._isChunked;\n }\n get chunks() {\n return this._chunks;\n }\n get size() {\n return this._size;\n }\n get startTime() {\n return this._startTime;\n }\n set response(s) {\n this._response = s;\n }\n get response() {\n return this._response;\n }\n get uploaded() {\n return this._uploaded;\n }\n /**\n * Update the uploaded bytes of this upload\n */\n set uploaded(s) {\n if (s >= this._size) {\n this._status = this._isChunked ? 2 : 3, this._uploaded = this._size;\n return;\n }\n this._status = 1, this._uploaded = s, this._startTime === 0 && (this._startTime = (/* @__PURE__ */ new Date()).getTime());\n }\n get status() {\n return this._status;\n }\n /**\n * Update this upload status\n */\n set status(s) {\n this._status = s;\n }\n /**\n * Returns the axios cancel token source\n */\n get signal() {\n return this._controller.signal;\n }\n /**\n * Cancel any ongoing requests linked to this upload\n */\n cancel() {\n this._controller.abort(), this._status = 4;\n }\n};\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst as = (e) => e === null ? _().setApp(\"uploader\").build() : _().setApp(\"uploader\").setUid(e.uid).build(), g = as(F());\nvar I = /* @__PURE__ */ ((e) => (e[e.IDLE = 0] = \"IDLE\", e[e.UPLOADING = 1] = \"UPLOADING\", e[e.PAUSED = 2] = \"PAUSED\", e))(I || {});\nclass N {\n // Initialized via setter in the constructor\n _destinationFolder;\n _isPublic;\n // Global upload queue\n _uploadQueue = [];\n _jobQueue = new V({ concurrency: 3 });\n _queueSize = 0;\n _queueProgress = 0;\n _queueStatus = 0;\n _notifiers = [];\n /**\n * Initialize uploader\n *\n * @param {boolean} isPublic are we in public mode ?\n * @param {Folder} destinationFolder the context folder to operate, relative to the root folder\n */\n constructor(s = !1, t) {\n if (this._isPublic = s, !t) {\n const n = F()?.uid, i = j(`dav/files/${n}`);\n if (!n)\n throw new Error(\"User is not logged in\");\n t = new z({\n id: 0,\n owner: n,\n permissions: H.ALL,\n root: `/files/${n}`,\n source: i\n });\n }\n this.destination = t, g.debug(\"Upload workspace initialized\", {\n destination: this.destination,\n root: this.root,\n isPublic: s,\n maxChunksSize: x()\n });\n }\n /**\n * Get the upload destination path relative to the root folder\n */\n get destination() {\n return this._destinationFolder;\n }\n /**\n * Set the upload destination path relative to the root folder\n */\n set destination(s) {\n if (!s)\n throw new Error(\"Invalid destination folder\");\n g.debug(\"Destination set\", { folder: s }), this._destinationFolder = s;\n }\n /**\n * Get the root folder\n */\n get root() {\n return this._destinationFolder.source;\n }\n /**\n * Get the upload queue\n */\n get queue() {\n return this._uploadQueue;\n }\n reset() {\n this._uploadQueue.splice(0, this._uploadQueue.length), this._jobQueue.clear(), this._queueSize = 0, this._queueProgress = 0, this._queueStatus = 0;\n }\n /**\n * Pause any ongoing upload(s)\n */\n pause() {\n this._jobQueue.pause(), this._queueStatus = 2;\n }\n /**\n * Resume any pending upload(s)\n */\n start() {\n this._jobQueue.start(), this._queueStatus = 1, this.updateStats();\n }\n /**\n * Get the upload queue stats\n */\n get info() {\n return {\n size: this._queueSize,\n progress: this._queueProgress,\n status: this._queueStatus\n };\n }\n updateStats() {\n const s = this._uploadQueue.map((n) => n.size).reduce((n, i) => n + i, 0), t = this._uploadQueue.map((n) => n.uploaded).reduce((n, i) => n + i, 0);\n this._queueSize = s, this._queueProgress = t, this._queueStatus !== 2 && (this._queueStatus = this._jobQueue.size > 0 ? 1 : 0);\n }\n addNotifier(s) {\n this._notifiers.push(s);\n }\n /**\n * Upload a file to the given path\n * @param {string} destinationPath the destination path relative to the root folder. e.g. /foo/bar.txt\n * @param {File} file the file to upload\n * @param {string} root the root folder to upload to\n */\n upload(s, t, n) {\n const i = `${n || this.root}/${s.replace(/^\\//, \"\")}`, { origin: o } = new URL(i), l = o + q(i.slice(o.length));\n g.debug(`Uploading ${t.name} to ${l}`);\n const f = x(t.size), r = f === 0 || t.size < f || this._isPublic, a = new ns(i, !r, t.size, t);\n return this._uploadQueue.push(a), this.updateStats(), new Y(async (T, d, U) => {\n if (U(a.cancel), r) {\n g.debug(\"Initializing regular upload\", { file: t, upload: a });\n const p = await B(t, 0, a.size), L = async () => {\n try {\n a.response = await A(\n l,\n p,\n a.signal,\n (m) => {\n a.uploaded = a.uploaded + m.bytes, this.updateStats();\n },\n void 0,\n {\n \"X-OC-Mtime\": t.lastModified / 1e3,\n \"Content-Type\": t.type\n }\n ), a.uploaded = a.size, this.updateStats(), g.debug(`Successfully uploaded ${t.name}`, { file: t, upload: a }), T(a);\n } catch (m) {\n if (m instanceof b) {\n a.status = c.FAILED, d(\"Upload has been cancelled\");\n return;\n }\n m?.response && (a.response = m.response), a.status = c.FAILED, g.error(`Failed uploading ${t.name}`, { error: m, file: t, upload: a }), d(\"Failed uploading the file\");\n }\n this._notifiers.forEach((m) => {\n try {\n m(a);\n } catch {\n }\n });\n };\n this._jobQueue.add(L), this.updateStats();\n } else {\n g.debug(\"Initializing chunked upload\", { file: t, upload: a });\n const p = await ts(l), L = [];\n for (let m = 0; m < a.chunks; m++) {\n const w = m * f, D = Math.min(w + f, a.size), W = () => B(t, w, f), O = () => A(\n `${p}/${m + 1}`,\n W,\n a.signal,\n () => this.updateStats(),\n l,\n {\n \"X-OC-Mtime\": t.lastModified / 1e3,\n \"OC-Total-Length\": t.size,\n \"Content-Type\": \"application/octet-stream\"\n }\n ).then(() => {\n a.uploaded = a.uploaded + f;\n }).catch((h) => {\n throw h?.response?.status === 507 ? (g.error(\"Upload failed, not enough space on the server or quota exceeded. Cancelling the remaining chunks\", { error: h, upload: a }), a.cancel(), a.status = c.FAILED, h) : (h instanceof b || (g.error(`Chunk ${m + 1} ${w} - ${D} uploading failed`, { error: h, upload: a }), a.cancel(), a.status = c.FAILED), h);\n });\n L.push(this._jobQueue.add(O));\n }\n try {\n await Promise.all(L), this.updateStats(), a.response = await v.request({\n method: \"MOVE\",\n url: `${p}/.file`,\n headers: {\n \"X-OC-Mtime\": t.lastModified / 1e3,\n \"OC-Total-Length\": t.size,\n Destination: l\n }\n }), this.updateStats(), a.status = c.FINISHED, g.debug(`Successfully uploaded ${t.name}`, { file: t, upload: a }), T(a);\n } catch (m) {\n m instanceof b ? (a.status = c.FAILED, d(\"Upload has been cancelled\")) : (a.status = c.FAILED, d(\"Failed assembling the chunks together\")), v.request({\n method: \"DELETE\",\n url: `${p}`\n });\n }\n this._notifiers.forEach((m) => {\n try {\n m(a);\n } catch {\n }\n });\n }\n return this._jobQueue.onIdle().then(() => this.reset()), a;\n });\n }\n}\nfunction y(e, s, t, n, i, o, l, f) {\n var r = typeof e == \"function\" ? e.options : e;\n s && (r.render = s, r.staticRenderFns = t, r._compiled = !0), n && (r.functional = !0), o && (r._scopeId = \"data-v-\" + o);\n var a;\n if (l ? (a = function(d) {\n d = d || // cached call\n this.$vnode && this.$vnode.ssrContext || // stateful\n this.parent && this.parent.$vnode && this.parent.$vnode.ssrContext, !d && typeof __VUE_SSR_CONTEXT__ < \"u\" && (d = __VUE_SSR_CONTEXT__), i && i.call(this, d), d && d._registeredComponents && d._registeredComponents.add(l);\n }, r._ssrRegister = a) : i && (a = f ? function() {\n i.call(\n this,\n (r.functional ? this.parent : this).$root.$options.shadowRoot\n );\n } : i), a)\n if (r.functional) {\n r._injectStyles = a;\n var S = r.render;\n r.render = function(U, p) {\n return a.call(p), S(U, p);\n };\n } else {\n var T = r.beforeCreate;\n r.beforeCreate = T ? [].concat(T, a) : [a];\n }\n return {\n exports: e,\n options: r\n };\n}\nconst is = {\n name: \"CancelIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar ls = function() {\n var s = this, t = s._self._c;\n return t(\"span\", s._b({ staticClass: \"material-design-icon cancel-icon\", attrs: { \"aria-hidden\": s.title ? null : !0, \"aria-label\": s.title, role: \"img\" }, on: { click: function(n) {\n return s.$emit(\"click\", n);\n } } }, \"span\", s.$attrs, !1), [t(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: s.fillColor, width: s.size, height: s.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { d: \"M12 2C17.5 2 22 6.5 22 12S17.5 22 12 22 2 17.5 2 12 6.5 2 12 2M12 4C10.1 4 8.4 4.6 7.1 5.7L18.3 16.9C19.3 15.5 20 13.8 20 12C20 7.6 16.4 4 12 4M16.9 18.3L5.7 7.1C4.6 8.4 4 10.1 4 12C4 16.4 7.6 20 12 20C13.9 20 15.6 19.4 16.9 18.3Z\" } }, [s.title ? t(\"title\", [s._v(s._s(s.title))]) : s._e()])])]);\n}, rs = [], os = /* @__PURE__ */ y(\n is,\n ls,\n rs,\n !1,\n null,\n null,\n null,\n null\n);\nconst ms = os.exports, ds = {\n name: \"PlusIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar gs = function() {\n var s = this, t = s._self._c;\n return t(\"span\", s._b({ staticClass: \"material-design-icon plus-icon\", attrs: { \"aria-hidden\": s.title ? null : !0, \"aria-label\": s.title, role: \"img\" }, on: { click: function(n) {\n return s.$emit(\"click\", n);\n } } }, \"span\", s.$attrs, !1), [t(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: s.fillColor, width: s.size, height: s.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { d: \"M19,13H13V19H11V13H5V11H11V5H13V11H19V13Z\" } }, [s.title ? t(\"title\", [s._v(s._s(s.title))]) : s._e()])])]);\n}, us = [], cs = /* @__PURE__ */ y(\n ds,\n gs,\n us,\n !1,\n null,\n null,\n null,\n null\n);\nconst fs = cs.exports, ps = {\n name: \"UploadIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar hs = function() {\n var s = this, t = s._self._c;\n return t(\"span\", s._b({ staticClass: \"material-design-icon upload-icon\", attrs: { \"aria-hidden\": s.title ? null : !0, \"aria-label\": s.title, role: \"img\" }, on: { click: function(n) {\n return s.$emit(\"click\", n);\n } } }, \"span\", s.$attrs, !1), [t(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: s.fillColor, width: s.size, height: s.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { d: \"M9,16V10H5L12,3L19,10H15V16H9M5,20V18H19V20H5Z\" } }, [s.title ? t(\"title\", [s._v(s._s(s.title))]) : s._e()])])]);\n}, Ts = [], ws = /* @__PURE__ */ y(\n ps,\n hs,\n Ts,\n !1,\n null,\n null,\n null,\n null\n);\nconst xs = ws.exports;\n/**\n * @copyright Copyright (c) 2023 Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst R = es().detectLocale();\n[{ locale: \"af\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"af\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: af\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ar\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Ali <alimahwer@yahoo.com>, 2024\", \"Language-Team\": \"Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ar\", \"Plural-Forms\": \"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nAli <alimahwer@yahoo.com>, 2024\n` }, msgstr: [`Last-Translator: Ali <alimahwer@yahoo.com>, 2024\nLanguage-Team: Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar\nPlural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} ملف متعارض\", \"{count} ملف متعارض\", \"{count} ملفان متعارضان\", \"{count} ملف متعارض\", \"{count} ملفات متعارضة\", \"{count} ملفات متعارضة\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} ملف متعارض في n {dirname}\", \"{count} ملف متعارض في n {dirname}\", \"{count} ملفان متعارضان في n {dirname}\", \"{count} ملف متعارض في n {dirname}\", \"{count} ملفات متعارضة في n {dirname}\", \"{count} ملفات متعارضة في n {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} ثانية متبقية\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} متبقية\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"باقٍ بضعُ ثوانٍ\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"إلغاء\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"إلغِ العملية بالكامل\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"إلغاء عمليات رفع الملفات\"] }, Continue: { msgid: \"Continue\", msgstr: [\"إستمر\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"تقدير الوقت المتبقي\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"الإصدار الحالي\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"إذا اخترت الإبقاء على النسختين معاً، فإن الملف المنسوخ سيتم إلحاق رقم تسلسلي في نهاية اسمه.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"تاريخ آخر تعديل غير معلوم\"] }, New: { msgid: \"New\", msgstr: [\"جديد\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"نسخة جديدة\"] }, paused: { msgid: \"paused\", msgstr: [\"مُجمَّد\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"معاينة الصورة\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"حدِّد كل صناديق الخيارات\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"حدِّد كل الملفات الموجودة\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"حدِّد كل الملفات الجديدة\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"حجم غير معلوم\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"تمَّ إلغاء الرفع\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"رفع ملفات\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"تقدُّم الرفع \"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"عند تحديد مجلد وارد، أي ملفات متعارضة بداخله ستتم الكتابة فوقها.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"أيُّ الملفات ترغب في الإبقاء عليها؟\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"يجب أن تختار نسخة واحدة على الأقل من كل ملف للاستمرار.\"] } } } } }, { locale: \"ar_SA\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ar_SA\", \"Plural-Forms\": \"nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar_SA\nPlural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ast\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"enolp <enolp@softastur.org>, 2023\", \"Language-Team\": \"Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ast\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nenolp <enolp@softastur.org>, 2023\n` }, msgstr: [`Last-Translator: enolp <enolp@softastur.org>, 2023\nLanguage-Team: Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ast\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} ficheru en coflictu\", \"{count} ficheros en coflictu\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} ficheru en coflictu en {dirname}\", \"{count} ficheros en coflictu en {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Queden {seconds} segundos\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Tiempu que queda: {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"queden unos segundos\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Encaboxar les xubes\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Siguir\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando'l tiempu que falta\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versión esistente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Si seleiciones dambes versiones, el ficheru copiáu va tener un númberu amestáu al so nome.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"La data de la última modificación ye desconocida\"] }, New: { msgid: \"New\", msgstr: [\"Nuevu\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Versión nueva\"] }, paused: { msgid: \"paused\", msgstr: [\"en posa\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Previsualizar la imaxe\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Marcar toles caxelles\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleicionar tolos ficheros esistentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleicionar tolos ficheros nuevos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Saltar esti ficheru\", \"Saltar {count} ficheros\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamañu desconocíu\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Encaboxóse la xuba\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Xubir ficheros\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Xuba en cursu\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"¿Qué ficheros quies caltener?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Tienes de seleicionar polo menos una versión de cada ficheru pa siguir.\"] } } } } }, { locale: \"az\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Rashad Aliyev <microphprashad@gmail.com>, 2023\", \"Language-Team\": \"Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"az\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nRashad Aliyev <microphprashad@gmail.com>, 2023\n` }, msgstr: [`Last-Translator: Rashad Aliyev <microphprashad@gmail.com>, 2023\nLanguage-Team: Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: az\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} saniyə qalıb\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} qalıb\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"bir neçə saniyə qalıb\"] }, Add: { msgid: \"Add\", msgstr: [\"Əlavə et\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Yükləməni imtina et\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Təxmini qalan vaxt\"] }, paused: { msgid: \"paused\", msgstr: [\"pauzadadır\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Faylları yüklə\"] } } } } }, { locale: \"be\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"be\", \"Plural-Forms\": \"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: be\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"bg_BG\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"bg_BG\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bg_BG\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"bn_BD\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"bn_BD\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bn_BD\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"br\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Breton (https://www.transifex.com/nextcloud/teams/64236/br/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"br\", \"Plural-Forms\": \"nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Breton (https://www.transifex.com/nextcloud/teams/64236/br/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: br\nPlural-Forms: nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"bs\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"bs\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bs\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ca\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Toni Hermoso Pulido <toniher@softcatala.cat>, 2022\", \"Language-Team\": \"Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ca\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMarc Riera <marcriera@softcatala.org>, 2022\nToni Hermoso Pulido <toniher@softcatala.cat>, 2022\n` }, msgstr: [`Last-Translator: Toni Hermoso Pulido <toniher@softcatala.cat>, 2022\nLanguage-Team: Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ca\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Queden {seconds} segons\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"Queden {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Queden uns segons\"] }, Add: { msgid: \"Add\", msgstr: [\"Afegeix\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancel·la les pujades\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"S'està estimant el temps restant\"] }, paused: { msgid: \"paused\", msgstr: [\"En pausa\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Puja els fitxers\"] } } } } }, { locale: \"cs\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Pavel Borecki <pavel.borecki@gmail.com>, 2022\", \"Language-Team\": \"Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"cs\", \"Plural-Forms\": \"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nPavel Borecki <pavel.borecki@gmail.com>, 2022\n` }, msgstr: [`Last-Translator: Pavel Borecki <pavel.borecki@gmail.com>, 2022\nLanguage-Team: Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"zbývá {seconds}\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"zbývá {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"zbývá několik sekund\"] }, Add: { msgid: \"Add\", msgstr: [\"Přidat\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Zrušit nahrávání\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"odhadovaný zbývající čas\"] }, paused: { msgid: \"paused\", msgstr: [\"pozastaveno\"] } } } } }, { locale: \"cs_CZ\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Michal Šmahel <ceskyDJ@seznam.cz>, 2024\", \"Language-Team\": \"Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"cs_CZ\", \"Plural-Forms\": \"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMichal Šmahel <ceskyDJ@seznam.cz>, 2024\n` }, msgstr: [`Last-Translator: Michal Šmahel <ceskyDJ@seznam.cz>, 2024\nLanguage-Team: Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs_CZ\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} kolize souborů\", \"{count} kolize souborů\", \"{count} kolizí souborů\", \"{count} kolize souborů\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} kolize souboru v {dirname}\", \"{count} kolize souboru v {dirname}\", \"{count} kolizí souborů v {dirname}\", \"{count} kolize souboru v {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"zbývá {seconds}\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"zbývá {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"zbývá několik sekund\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Zrušit\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Zrušit celou operaci\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Zrušit nahrávání\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Pokračovat\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"odhaduje se zbývající čas\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Existující verze\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Pokud vyberete obě verze, zkopírovaný soubor bude mít k názvu přidáno číslo.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Neznámé datum poslední úpravy\"] }, New: { msgid: \"New\", msgstr: [\"Nové\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nová verze\"] }, paused: { msgid: \"paused\", msgstr: [\"pozastaveno\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Náhled obrázku\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Označit všechny zaškrtávací kolonky\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Vybrat veškeré stávající soubory\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Vybrat veškeré nové soubory\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Přeskočit tento soubor\", \"Přeskočit {count} soubory\", \"Přeskočit {count} souborů\", \"Přeskočit {count} soubory\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Neznámá velikost\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Nahrávání zrušeno\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Nahrát soubory\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Postup v nahrávání\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Po výběru příchozí složky budou rovněž přepsány všechny v ní obsažené konfliktní soubory\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Které soubory si přejete ponechat?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Aby bylo možné pokračovat, je třeba vybrat alespoň jednu verzi od každého souboru.\"] } } } } }, { locale: \"cy_GB\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"cy_GB\", \"Plural-Forms\": \"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cy_GB\nPlural-Forms: nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"da\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Martin Bonde <Martin@maboni.dk>, 2024\", \"Language-Team\": \"Danish (https://app.transifex.com/nextcloud/teams/64236/da/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"da\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMartin Bonde <Martin@maboni.dk>, 2024\n` }, msgstr: [`Last-Translator: Martin Bonde <Martin@maboni.dk>, 2024\nLanguage-Team: Danish (https://app.transifex.com/nextcloud/teams/64236/da/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: da\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} fil konflikt\", \"{count} filer i konflikt\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} fil konflikt i {dirname}\", \"{count} filer i konflikt i {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{sekunder} sekunder tilbage\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{tid} tilbage\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"et par sekunder tilbage\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Annuller\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Annuller hele handlingen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Annuller uploads\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsæt\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimering af resterende tid\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Eksisterende version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Hvis du vælger begge versioner vil den kopierede fil få et nummer tilføjet til sit navn.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Sidste modifikationsdato ukendt\"] }, New: { msgid: \"New\", msgstr: [\"Ny\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ny version\"] }, paused: { msgid: \"paused\", msgstr: [\"pauset\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Forhåndsvisning af billede\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Vælg alle felter\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Vælg alle eksisterende filer\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Vælg alle nye filer\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Spring denne fil over\", \"Spring {count} filer over\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Ukendt størrelse\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Upload annulleret\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Upload filer\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Upload fremskridt\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Når en indgående mappe er valgt, vil alle modstridende filer i den også blive overskrevet.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hvilke filer ønsker du at beholde?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du skal vælge mindst én version af hver fil for at fortsætte.\"] } } } } }, { locale: \"de\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Mario Siegmann <mario_siegmann@web.de>, 2024\", \"Language-Team\": \"German (https://app.transifex.com/nextcloud/teams/64236/de/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"de\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (https://app.transifex.com/nextcloud/teams/64236/de/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} Datei-Konflikt\", \"{count} Datei-Konflikte\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} Datei-Konflikt in {dirname}\", \"{count} Datei-Konflikte in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} Sekunden verbleibend\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} verbleibend\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"noch ein paar Sekunden\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Abbrechen\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Den gesamten Vorgang abbrechen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Hochladen abbrechen\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsetzen\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Geschätzte verbleibende Zeit\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Vorhandene Version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Wenn du beide Versionen auswählst, wird der kopierten Datei eine Nummer zum Namen hinzugefügt.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Datum der letzten Änderung unbekannt\"] }, New: { msgid: \"New\", msgstr: [\"Neu\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Neue Version\"] }, paused: { msgid: \"paused\", msgstr: [\"Pausiert\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Vorschaubild\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Alle Kontrollkästchen aktivieren\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Alle vorhandenen Dateien auswählen\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Alle neuen Dateien auswählen\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Diese Datei überspringen\", \"{count} Dateien überspringen\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Unbekannte Größe\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Hochladen abgebrochen\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Dateien hochladen\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Fortschritt beim Hochladen\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Welche Dateien möchtest du behalten?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du musst mindestens eine Version jeder Datei auswählen, um fortzufahren.\"] } } } } }, { locale: \"de_DE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Mario Siegmann <mario_siegmann@web.de>, 2024\", \"Language-Team\": \"German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"de_DE\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de_DE\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} Datei-Konflikt\", \"{count} Datei-Konflikte\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} Datei-Konflikt in {dirname}\", \"{count} Datei-Konflikte in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} Sekunden verbleiben\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} verbleibend\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"ein paar Sekunden verbleiben\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Abbrechen\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Den gesamten Vorgang abbrechen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Hochladen abbrechen\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsetzen\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Geschätzte verbleibende Zeit\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Vorhandene Version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Wenn Sie beide Versionen auswählen, wird der kopierten Datei eine Nummer zum Namen hinzugefügt.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Datum der letzten Änderung unbekannt\"] }, New: { msgid: \"New\", msgstr: [\"Neu\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Neue Version\"] }, paused: { msgid: \"paused\", msgstr: [\"Pausiert\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Vorschaubild\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Alle Kontrollkästchen aktivieren\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Alle vorhandenen Dateien auswählen\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Alle neuen Dateien auswählen\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"{count} Datei überspringen\", \"{count} Dateien überspringen\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Unbekannte Größe\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Hochladen abgebrochen\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Dateien hochladen\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Fortschritt beim Hochladen\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Welche Dateien möchten Sie behalten?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Sie müssen mindestens eine Version jeder Datei auswählen, um fortzufahren.\"] } } } } }, { locale: \"el\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Nik Pap, 2022\", \"Language-Team\": \"Greek (https://www.transifex.com/nextcloud/teams/64236/el/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"el\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nNik Pap, 2022\n` }, msgstr: [`Last-Translator: Nik Pap, 2022\nLanguage-Team: Greek (https://www.transifex.com/nextcloud/teams/64236/el/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"απομένουν {seconds} δευτερόλεπτα\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"απομένουν {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"απομένουν λίγα δευτερόλεπτα\"] }, Add: { msgid: \"Add\", msgstr: [\"Προσθήκη\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Ακύρωση μεταφορτώσεων\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"εκτίμηση του χρόνου που απομένει\"] }, paused: { msgid: \"paused\", msgstr: [\"σε παύση\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Μεταφόρτωση αρχείων\"] } } } } }, { locale: \"el_GR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"el_GR\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el_GR\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"en_GB\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Andi Chandler <andi@gowling.com>, 2023\", \"Language-Team\": \"English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"en_GB\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nAndi Chandler <andi@gowling.com>, 2023\n` }, msgstr: [`Last-Translator: Andi Chandler <andi@gowling.com>, 2023\nLanguage-Team: English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: en_GB\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} file conflict\", \"{count} files conflict\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} file conflict in {dirname}\", \"{count} file conflicts in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} seconds left\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} left\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"a few seconds left\"] }, Add: { msgid: \"Add\", msgstr: [\"Add\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancel uploads\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continue\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimating time left\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Existing version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"If you select both versions, the copied file will have a number added to its name.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Last modified date unknown\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"New version\"] }, paused: { msgid: \"paused\", msgstr: [\"paused\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Preview image\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Select all checkboxes\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Select all existing files\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Select all new files\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Skip this file\", \"Skip {count} files\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Unknown size\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Upload cancelled\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Upload files\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Which files do you want to keep?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"You need to select at least one version of each file to continue.\"] } } } } }, { locale: \"eo\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"eo\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eo\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Julio C. Ortega, 2024\", \"Language-Team\": \"Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nFranciscoFJ <dev-ooo@satel-sa.com>, 2023\nNext Cloud <nextcloud.translator.es@cgj.es>, 2023\nJulio C. Ortega, 2024\n` }, msgstr: [`Last-Translator: Julio C. Ortega, 2024\nLanguage-Team: Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} archivo en conflicto\", \"{count} archivos en conflicto\", \"{count} archivos en conflicto\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} archivo en conflicto en {dirname}\", \"{count} archivos en conflicto en {dirname}\", \"{count} archivos en conflicto en {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan unos segundos\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar subidas\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuar\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versión existente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Si selecciona ambas versiones, al archivo copiado se le añadirá un número en el nombre.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Última fecha de modificación desconocida\"] }, New: { msgid: \"New\", msgstr: [\"Nuevo\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nueva versión\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Previsualizar imagen\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Seleccionar todas las casillas de verificación\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleccionar todos los archivos existentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleccionar todos los archivos nuevos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Saltar este archivo\", \"Saltar {count} archivos\", \"Saltar {count} archivos\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamaño desconocido\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Subida cancelada\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Subir archivos\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Progreso de la subida\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"¿Qué archivos desea conservar?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Debe seleccionar al menos una versión de cada archivo para continuar.\"] } } } } }, { locale: \"es_419\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"ALEJANDRO CASTRO, 2022\", \"Language-Team\": \"Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_419\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nALEJANDRO CASTRO, 2022\n` }, msgstr: [`Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_419\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{tiempo} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan pocos segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"agregar\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar subidas\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Subir archivos\"] } } } } }, { locale: \"es_AR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Matias Iglesias, 2022\", \"Language-Team\": \"Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_AR\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMatias Iglesias, 2022\n` }, msgstr: [`Last-Translator: Matias Iglesias, 2022\nLanguage-Team: Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_AR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan unos segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"Añadir\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar subidas\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Subir archivos\"] } } } } }, { locale: \"es_CL\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_CL\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CL\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_CO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_CO\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_CR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_CR\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_DO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_DO\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_DO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_EC\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_EC\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_EC\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_GT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_GT\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_GT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_HN\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_HN\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_HN\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_MX\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"ALEJANDRO CASTRO, 2022\", \"Language-Team\": \"Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_MX\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nLuis Francisco Castro, 2022\nALEJANDRO CASTRO, 2022\n` }, msgstr: [`Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_MX\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{tiempo} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan pocos segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"agregar\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"cancelar las cargas\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, paused: { msgid: \"paused\", msgstr: [\"en pausa\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"cargar archivos\"] } } } } }, { locale: \"es_NI\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_NI\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_NI\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PA\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PA\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PA\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PE\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PE\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PR\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PY\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PY\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_SV\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_SV\", \"Plural-Forms\": \"nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_SV\nPlural-Forms: nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_UY\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_UY\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_UY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"et_EE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Taavo Roos, 2023\", \"Language-Team\": \"Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"et_EE\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMait R, 2022\nTaavo Roos, 2023\n` }, msgstr: [`Last-Translator: Taavo Roos, 2023\nLanguage-Team: Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: et_EE\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} jäänud sekundid\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} aega jäänud\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"jäänud mõni sekund\"] }, Add: { msgid: \"Add\", msgstr: [\"Lisa\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Tühista üleslaadimine\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"hinnanguline järelejäänud aeg\"] }, paused: { msgid: \"paused\", msgstr: [\"pausil\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Lae failid üles\"] } } } } }, { locale: \"eu\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022\", \"Language-Team\": \"Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"eu\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nUnai Tolosa Pontesta <utolosa002@gmail.com>, 2022\n` }, msgstr: [`Last-Translator: Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022\nLanguage-Team: Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eu\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundo geratzen dira\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} geratzen da\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"segundo batzuk geratzen dira\"] }, Add: { msgid: \"Add\", msgstr: [\"Gehitu\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Ezeztatu igoerak\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"kalkulatutako geratzen den denbora\"] }, paused: { msgid: \"paused\", msgstr: [\"geldituta\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Igo fitxategiak\"] } } } } }, { locale: \"fa\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Fatemeh Komeily, 2023\", \"Language-Team\": \"Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fa\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nFatemeh Komeily, 2023\n` }, msgstr: [`Last-Translator: Fatemeh Komeily, 2023\nLanguage-Team: Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fa\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"ثانیه های باقی مانده\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"باقی مانده\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"چند ثانیه مانده\"] }, Add: { msgid: \"Add\", msgstr: [\"اضافه کردن\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"کنسل کردن فایل های اپلود شده\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"تخمین زمان باقی مانده\"] }, paused: { msgid: \"paused\", msgstr: [\"مکث کردن\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"بارگذاری فایل ها\"] } } } } }, { locale: \"fi_FI\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Jiri Grönroos <jiri.gronroos@iki.fi>, 2022\", \"Language-Team\": \"Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fi_FI\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJiri Grönroos <jiri.gronroos@iki.fi>, 2022\n` }, msgstr: [`Last-Translator: Jiri Grönroos <jiri.gronroos@iki.fi>, 2022\nLanguage-Team: Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fi_FI\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekuntia jäljellä\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} jäljellä\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"muutama sekunti jäljellä\"] }, Add: { msgid: \"Add\", msgstr: [\"Lisää\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Peruuta lähetykset\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"arvioidaan jäljellä olevaa aikaa\"] }, paused: { msgid: \"paused\", msgstr: [\"keskeytetty\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Lähetä tiedostoja\"] } } } } }, { locale: \"fo\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fo\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fo\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"fr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"jed boulahya, 2024\", \"Language-Team\": \"French (https://app.transifex.com/nextcloud/teams/64236/fr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fr\", \"Plural-Forms\": \"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nBenoit Pruneau, 2024\njed boulahya, 2024\n` }, msgstr: [`Last-Translator: jed boulahya, 2024\nLanguage-Team: French (https://app.transifex.com/nextcloud/teams/64236/fr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fr\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} fichier en conflit\", \"{count} fichiers en conflit\", \"{count} fichiers en conflit\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} fichier en conflit dans {dirname}\", \"{count} fichiers en conflit dans {dirname}\", \"{count} fichiers en conflit dans {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} secondes restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} restant\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quelques secondes restantes\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Annuler\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Annuler l'opération entière\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Annuler les envois\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuer\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimation du temps restant\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Version existante\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Si vous sélectionnez les deux versions, le fichier copié aura un numéro ajouté àname.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Date de la dernière modification est inconnue\"] }, New: { msgid: \"New\", msgstr: [\"Nouveau\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nouvelle version\"] }, paused: { msgid: \"paused\", msgstr: [\"en pause\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Aperçu de l'image\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Sélectionner toutes les cases à cocher\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Sélectionner tous les fichiers existants\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Sélectionner tous les nouveaux fichiers\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Ignorer ce fichier\", \"Ignorer {count} fichiers\", \"Ignorer {count} fichiers\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Taille inconnue\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\" annulé\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Téléchargement des fichiers\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Progression du téléchargement\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Lorsqu'un dossier entrant est sélectionné, tous les fichiers en conflit qu'il contient seront également écrasés.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Quels fichiers souhaitez-vous conserver ?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Vous devez sélectionner au moins une version de chaque fichier pour continuer.\"] } } } } }, { locale: \"gd\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"gd\", \"Plural-Forms\": \"nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gd\nPlural-Forms: nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"gl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023\", \"Language-Team\": \"Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"gl\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nNacho <nacho.vfranco@gmail.com>, 2023\nMiguel Anxo Bouzada <mbouzada@gmail.com>, 2023\n` }, msgstr: [`Last-Translator: Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023\nLanguage-Team: Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gl\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} conflito de ficheiros\", \"{count} conflitos de ficheiros\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} conflito de ficheiros en {dirname}\", \"{count} conflitos de ficheiros en {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"faltan {seconds} segundos\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"falta {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"faltan uns segundos\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar envíos\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuar\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"calculando canto tempo falta\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versión existente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Se selecciona ambas as versións, o ficheiro copiado terá un número engadido ao seu nome.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Data da última modificación descoñecida\"] }, New: { msgid: \"New\", msgstr: [\"Nova\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nova versión\"] }, paused: { msgid: \"paused\", msgstr: [\"detido\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Vista previa da imaxe\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Marcar todas as caixas de selección\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleccionar todos os ficheiros existentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleccionar todos os ficheiros novos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Omita este ficheiro\", \"Omitir {count} ficheiros\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamaño descoñecido\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Envío cancelado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Enviar ficheiros\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Progreso do envío\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Que ficheiros quere conservar?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Debe seleccionar polo menos unha versión de cada ficheiro para continuar.\"] } } } } }, { locale: \"he\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"he\", \"Plural-Forms\": \"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: he\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hi_IN\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hi_IN\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hi_IN\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hr\", \"Plural-Forms\": \"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hr\nPlural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hsb\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hsb\", \"Plural-Forms\": \"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hsb\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hu\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hu\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hu_HU\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Balázs Úr, 2022\", \"Language-Team\": \"Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hu_HU\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nBalázs Meskó <meskobalazs@mailbox.org>, 2022\nBalázs Úr, 2022\n` }, msgstr: [`Last-Translator: Balázs Úr, 2022\nLanguage-Team: Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu_HU\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{} másodperc van hátra\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} van hátra\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"pár másodperc van hátra\"] }, Add: { msgid: \"Add\", msgstr: [\"Hozzáadás\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Feltöltések megszakítása\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"hátralévő idő becslése\"] }, paused: { msgid: \"paused\", msgstr: [\"szüneteltetve\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Fájlok feltöltése\"] } } } } }, { locale: \"hy\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hy\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hy\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ia\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ia\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ia\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"id\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Linerly <linerly@proton.me>, 2023\", \"Language-Team\": \"Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"id\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nEmpty Slot Filler, 2023\nLinerly <linerly@proton.me>, 2023\n` }, msgstr: [`Last-Translator: Linerly <linerly@proton.me>, 2023\nLanguage-Team: Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: id\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} berkas berkonflik\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} berkas berkonflik dalam {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} detik tersisa\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} tersisa\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"tinggal sebentar lagi\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Batalkan unggahan\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Lanjutkan\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"memperkirakan waktu yang tersisa\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versi yang ada\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Jika Anda memilih kedua versi, nama berkas yang disalin akan ditambahi angka.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Tanggal perubahan terakhir tidak diketahui\"] }, New: { msgid: \"New\", msgstr: [\"Baru\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Versi baru\"] }, paused: { msgid: \"paused\", msgstr: [\"dijeda\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Gambar pratinjau\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Pilih semua kotak centang\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Pilih semua berkas yang ada\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Pilih semua berkas baru\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Lewati {count} berkas\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Ukuran tidak diketahui\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Unggahan dibatalkan\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Unggah berkas\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Berkas mana yang Anda ingin tetap simpan?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Anda harus memilih setidaknya satu versi dari masing-masing berkas untuk melanjutkan.\"] } } } } }, { locale: \"ig\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ig\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ig\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"is\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Sveinn í Felli <sv1@fellsnet.is>, 2023\", \"Language-Team\": \"Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"is\", \"Plural-Forms\": \"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nSveinn í Felli <sv1@fellsnet.is>, 2023\n` }, msgstr: [`Last-Translator: Sveinn í Felli <sv1@fellsnet.is>, 2023\nLanguage-Team: Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: is\nPlural-Forms: nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} árekstur skráa\", \"{count} árekstrar skráa\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} árekstur skráa í {dirname}\", \"{count} árekstrar skráa í {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekúndur eftir\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} eftir\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"nokkrar sekúndur eftir\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Hætta við innsendingar\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Halda áfram\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"áætla tíma sem eftir er\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Fyrirliggjandi útgáfa\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Ef þú velur báðar útgáfur, þá mun verða bætt tölustaf aftan við heiti afrituðu skrárinnar.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Síðasta breytingadagsetning er óþekkt\"] }, New: { msgid: \"New\", msgstr: [\"Nýtt\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ný útgáfa\"] }, paused: { msgid: \"paused\", msgstr: [\"í bið\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Forskoðun myndar\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Velja gátreiti\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Velja allar fyrirliggjandi skrár\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Velja allar nýjar skrár\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Sleppa þessari skrá\", \"Sleppa {count} skrám\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Óþekkt stærð\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Hætt við innsendingu\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Senda inn skrár\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hvaða skrám vilt þú vilt halda eftir?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Þú verður að velja að minnsta kosti eina útgáfu af hverri skrá til að halda áfram.\"] } } } } }, { locale: \"it\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Random_R, 2023\", \"Language-Team\": \"Italian (https://app.transifex.com/nextcloud/teams/64236/it/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"it\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nLep Lep, 2023\nRandom_R, 2023\n` }, msgstr: [`Last-Translator: Random_R, 2023\nLanguage-Team: Italian (https://app.transifex.com/nextcloud/teams/64236/it/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} file in conflitto\", \"{count} file in conflitto\", \"{count} file in conflitto\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} file in conflitto in {dirname}\", \"{count} file in conflitto in {dirname}\", \"{count} file in conflitto in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} secondi rimanenti \"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} rimanente\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"alcuni secondi rimanenti\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Annulla i caricamenti\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continua\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"calcolo il tempo rimanente\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versione esistente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Se selezioni entrambe le versioni, nel nome del file copiato verrà aggiunto un numero \"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Ultima modifica sconosciuta\"] }, New: { msgid: \"New\", msgstr: [\"Nuovo\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nuova versione\"] }, paused: { msgid: \"paused\", msgstr: [\"pausa\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Anteprima immagine\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Seleziona tutte le caselle\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleziona tutti i file esistenti\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleziona tutti i nuovi file\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Salta questo file\", \"Salta {count} file\", \"Salta {count} file\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Dimensione sconosciuta\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Caricamento cancellato\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Carica i file\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Quali file vuoi mantenere?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Devi selezionare almeno una versione di ogni file per continuare\"] } } } } }, { locale: \"it_IT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"it_IT\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it_IT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ja_JP\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"かたかめ, 2022\", \"Language-Team\": \"Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ja_JP\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nT.S, 2022\nかたかめ, 2022\n` }, msgstr: [`Last-Translator: かたかめ, 2022\nLanguage-Team: Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ja_JP\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"残り {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"残り {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"残り数秒\"] }, Add: { msgid: \"Add\", msgstr: [\"追加\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"アップロードをキャンセル\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"概算残り時間\"] }, paused: { msgid: \"paused\", msgstr: [\"一時停止中\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"ファイルをアップデート\"] } } } } }, { locale: \"ka\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ka\", \"Plural-Forms\": \"nplurals=2; plural=(n!=1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka\nPlural-Forms: nplurals=2; plural=(n!=1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ka_GE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ka_GE\", \"Plural-Forms\": \"nplurals=2; plural=(n!=1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka_GE\nPlural-Forms: nplurals=2; plural=(n!=1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"kab\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"ZiriSut, 2023\", \"Language-Team\": \"Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"kab\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nZiriSut, 2023\n` }, msgstr: [`Last-Translator: ZiriSut, 2023\nLanguage-Team: Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kab\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} tesdatin i d-yeqqimen\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} i d-yeqqimen\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"qqiment-d kra n tesdatin kan\"] }, Add: { msgid: \"Add\", msgstr: [\"Rnu\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Sefsex asali\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"asizel n wakud i d-yeqqimen\"] }, paused: { msgid: \"paused\", msgstr: [\"yeḥbes\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Sali-d ifuyla\"] } } } } }, { locale: \"kk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"kk\", \"Plural-Forms\": \"nplurals=2; plural=(n!=1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kk\nPlural-Forms: nplurals=2; plural=(n!=1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"km\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"km\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: km\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"kn\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"kn\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kn\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ko\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Brandon Han, 2024\", \"Language-Team\": \"Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ko\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nhosun Lee, 2023\nBrandon Han, 2024\n` }, msgstr: [`Last-Translator: Brandon Han, 2024\nLanguage-Team: Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ko\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count}개의 파일이 충돌함\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname}에서 {count}개의 파일이 충돌함\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} 남음\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} 남음\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"곧 완료\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"업로드 취소\"] }, Continue: { msgid: \"Continue\", msgstr: [\"확인\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"남은 시간 계산\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"현재 버전\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"두 버전을 모두 선택할 경우, 복제된 파일 이름에 숫자가 추가됩니다.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"최근 수정일 알 수 없음\"] }, New: { msgid: \"New\", msgstr: [\"새로 만들기\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"새 버전\"] }, paused: { msgid: \"paused\", msgstr: [\"일시정지됨\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"미리보기 이미지\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"모든 체크박스 선택\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"모든 파일 선택\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"모든 새 파일 선택\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"{count}개의 파일 넘기기\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"크기를 알 수 없음\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"업로드 취소됨\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"파일 업로드\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"업로드 진행도\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"어떤 파일을 보존하시겠습니까?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"계속하기 위해서는 한 파일에 최소 하나의 버전을 선택해야 합니다.\"] } } } } }, { locale: \"la\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Latin (https://www.transifex.com/nextcloud/teams/64236/la/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"la\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latin (https://www.transifex.com/nextcloud/teams/64236/la/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: la\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lb\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lb\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lb\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lo\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lo\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lo\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lt_LT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lt_LT\", \"Plural-Forms\": \"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lt_LT\nPlural-Forms: nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lv\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lv\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lv\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"mk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Сашко Тодоров <sasetodorov@gmail.com>, 2022\", \"Language-Team\": \"Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"mk\", \"Plural-Forms\": \"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nСашко Тодоров <sasetodorov@gmail.com>, 2022\n` }, msgstr: [`Last-Translator: Сашко Тодоров <sasetodorov@gmail.com>, 2022\nLanguage-Team: Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mk\nPlural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"преостануваат {seconds} секунди\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"преостанува {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"уште неколку секунди\"] }, Add: { msgid: \"Add\", msgstr: [\"Додади\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Прекини прикачување\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"приближно преостанато време\"] }, paused: { msgid: \"paused\", msgstr: [\"паузирано\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Прикачување датотеки\"] } } } } }, { locale: \"mn\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"BATKHUYAG Ganbold, 2023\", \"Language-Team\": \"Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"mn\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nBATKHUYAG Ganbold, 2023\n` }, msgstr: [`Last-Translator: BATKHUYAG Ganbold, 2023\nLanguage-Team: Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mn\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} секунд үлдсэн\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} үлдсэн\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"хэдхэн секунд үлдсэн\"] }, Add: { msgid: \"Add\", msgstr: [\"Нэмэх\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Илгээлтийг цуцлах\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Үлдсэн хугацааг тооцоолж байна\"] }, paused: { msgid: \"paused\", msgstr: [\"түр зогсоосон\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Файл илгээх\"] } } } } }, { locale: \"mr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"mr\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mr\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ms_MY\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ms_MY\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ms_MY\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"my\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"my\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: my\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"nb_NO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Syvert Fossdal, 2024\", \"Language-Team\": \"Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nb_NO\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nSyvert Fossdal, 2024\n` }, msgstr: [`Last-Translator: Syvert Fossdal, 2024\nLanguage-Team: Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nb_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} file conflict\", \"{count} filkonflikter\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} file conflict in {dirname}\", \"{count} filkonflikter i {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekunder igjen\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} igjen\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"noen få sekunder igjen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Avbryt opplastninger\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsett\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Estimerer tid igjen\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Gjeldende versjon\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Hvis du velger begge versjoner, vil den kopierte filen få et tall lagt til navnet.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Siste gang redigert ukjent\"] }, New: { msgid: \"New\", msgstr: [\"Ny\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ny versjon\"] }, paused: { msgid: \"paused\", msgstr: [\"pauset\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Forhåndsvis bilde\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Velg alle\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Velg alle eksisterende filer\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Velg alle nye filer\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Skip this file\", \"Hopp over {count} filer\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Ukjent størrelse\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Opplasting avbrutt\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Last opp filer\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Fremdrift, opplasting\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hvilke filer vil du beholde?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du må velge minst en versjon av hver fil for å fortsette.\"] } } } } }, { locale: \"ne\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ne\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ne\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"nl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Rico <rico-schwab@hotmail.com>, 2023\", \"Language-Team\": \"Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nl\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nRico <rico-schwab@hotmail.com>, 2023\n` }, msgstr: [`Last-Translator: Rico <rico-schwab@hotmail.com>, 2023\nLanguage-Team: Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nl\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Nog {seconds} seconden\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{seconds} over\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Nog een paar seconden\"] }, Add: { msgid: \"Add\", msgstr: [\"Voeg toe\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Uploads annuleren\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Schatting van de resterende tijd\"] }, paused: { msgid: \"paused\", msgstr: [\"Gepauzeerd\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Upload bestanden\"] } } } } }, { locale: \"nn\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nn\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"nn_NO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nn_NO\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"oc\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"oc\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: oc\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"pl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Valdnet, 2024\", \"Language-Team\": \"Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"pl\", \"Plural-Forms\": \"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nM H <haincu@o2.pl>, 2023\nValdnet, 2024\n` }, msgstr: [`Last-Translator: Valdnet, 2024\nLanguage-Team: Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pl\nPlural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"konflikt 1 pliku\", \"{count} konfliktów plików\", \"{count} konfliktów plików\", \"{count} konfliktów plików\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} konfliktowy plik w {dirname}\", \"{count} konfliktowych plików w {dirname}\", \"{count} konfliktowych plików w {dirname}\", \"{count} konfliktowych plików w {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Pozostało {seconds} sekund\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Pozostało {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Pozostało kilka sekund\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Anuluj wysyłanie\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Kontynuuj\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Szacowanie pozostałego czasu\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Istniejąca wersja\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Jeżeli wybierzesz obie wersje to do nazw skopiowanych plików zostanie dodany numer\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Nieznana data ostatniej modyfikacji\"] }, New: { msgid: \"New\", msgstr: [\"Nowy\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nowa wersja\"] }, paused: { msgid: \"paused\", msgstr: [\"Wstrzymane\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Podgląd obrazu\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Zaznacz wszystkie boxy\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Zaznacz wszystkie istniejące pliki\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Zaznacz wszystkie nowe pliki\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Pomiń 1 plik\", \"Pomiń {count} plików\", \"Pomiń {count} plików\", \"Pomiń {count} plików\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Nieznany rozmiar\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Anulowano wysyłanie\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Wyślij pliki\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Postęp wysyłania\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Które pliki chcesz zachować\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Aby kontynuować, musisz wybrać co najmniej jedną wersję każdego pliku.\"] } } } } }, { locale: \"ps\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ps\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ps\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"pt_BR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\", \"Language-Team\": \"Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"pt_BR\", \"Plural-Forms\": \"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nLeonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\n` }, msgstr: [`Last-Translator: Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\nLanguage-Team: Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_BR\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} arquivos em conflito\", \"{count} arquivos em conflito\", \"{count} arquivos em conflito\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} conflitos de arquivo em {dirname}\", \"{count} conflitos de arquivo em {dirname}\", \"{count} conflitos de arquivo em {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"alguns segundos restantes\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Cancelar\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Cancelar a operação inteira\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar uploads\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuar\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tempo restante\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versão existente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Se você selecionar ambas as versões, o arquivo copiado terá um número adicionado ao seu nome.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Data da última modificação desconhecida\"] }, New: { msgid: \"New\", msgstr: [\"Novo\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nova versão\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Visualizar imagem\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Marque todas as caixas de seleção\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Selecione todos os arquivos existentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Selecione todos os novos arquivos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Ignorar {count} arquivos\", \"Ignorar {count} arquivos\", \"Ignorar {count} arquivos\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamanho desconhecido\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Envio cancelado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Enviar arquivos\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Envio em progresso\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Quando uma pasta é selecionada, quaisquer arquivos dentro dela também serão sobrescritos.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Quais arquivos você deseja manter?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Você precisa selecionar pelo menos uma versão de cada arquivo para continuar.\"] } } } } }, { locale: \"pt_PT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Manuela Silva <mmsrs@sky.com>, 2022\", \"Language-Team\": \"Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"pt_PT\", \"Plural-Forms\": \"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nManuela Silva <mmsrs@sky.com>, 2022\n` }, msgstr: [`Last-Translator: Manuela Silva <mmsrs@sky.com>, 2022\nLanguage-Team: Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_PT\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"faltam {seconds} segundo(s)\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"faltam {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"faltam uns segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"Adicionar\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar envios\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"tempo em falta estimado\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Enviar ficheiros\"] } } } } }, { locale: \"ro\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022\", \"Language-Team\": \"Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ro\", \"Plural-Forms\": \"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMădălin Vasiliu <contact@madalinvasiliu.com>, 2022\n` }, msgstr: [`Last-Translator: Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022\nLanguage-Team: Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ro\nPlural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} secunde rămase\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} rămas\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"câteva secunde rămase\"] }, Add: { msgid: \"Add\", msgstr: [\"Adaugă\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Anulați încărcările\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimarea timpului rămas\"] }, paused: { msgid: \"paused\", msgstr: [\"pus pe pauză\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Încarcă fișiere\"] } } } } }, { locale: \"ru\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Александр, 2023\", \"Language-Team\": \"Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ru\", \"Plural-Forms\": \"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nMax Smith <sevinfolds@gmail.com>, 2023\nАлександр, 2023\n` }, msgstr: [`Last-Translator: Александр, 2023\nLanguage-Team: Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"конфликт {count} файла\", \"конфликт {count} файлов\", \"конфликт {count} файлов\", \"конфликт {count} файлов\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"конфликт {count} файла в {dirname}\", \"конфликт {count} файлов в {dirname}\", \"конфликт {count} файлов в {dirname}\", \"конфликт {count} файлов в {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"осталось {seconds} секунд\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"осталось {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"осталось несколько секунд\"] }, Add: { msgid: \"Add\", msgstr: [\"Добавить\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Отменить загрузки\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Продолжить\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"оценка оставшегося времени\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Текущая версия\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Если вы выберете обе версии, к имени скопированного файла будет добавлен номер.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Дата последнего изменения неизвестна\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Новая версия\"] }, paused: { msgid: \"paused\", msgstr: [\"приостановлено\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Предварительный просмотр\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Установить все флажки\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Выбрать все существующие файлы\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Выбрать все новые файлы\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Пропустить файл\", \"Пропустить {count} файла\", \"Пропустить {count} файлов\", \"Пропустить {count} файлов\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Неизвестный размер\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Загрузка отменена\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Загрузка файлов\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Какие файлы вы хотите сохранить?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Для продолжения вам нужно выбрать по крайней мере одну версию каждого файла.\"] } } } } }, { locale: \"ru_RU\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ru_RU\", \"Plural-Forms\": \"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru_RU\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sc\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sc\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sc\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"si\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"si\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"si_LK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"si_LK\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sk_SK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sk_SK\", \"Plural-Forms\": \"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sk_SK\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Matej Urbančič <>, 2022\", \"Language-Team\": \"Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sl\", \"Plural-Forms\": \"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMatej Urbančič <>, 2022\n` }, msgstr: [`Last-Translator: Matej Urbančič <>, 2022\nLanguage-Team: Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"še {seconds} sekund\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"še {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"še nekaj sekund\"] }, Add: { msgid: \"Add\", msgstr: [\"Dodaj\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Prekliči pošiljanje\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"ocenjen čas do konca\"] }, paused: { msgid: \"paused\", msgstr: [\"v premoru\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Pošlji datoteke\"] } } } } }, { locale: \"sl_SI\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sl_SI\", \"Plural-Forms\": \"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl_SI\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sq\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sq\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sq\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Иван Пешић, 2023\", \"Language-Team\": \"Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sr\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nИван Пешић, 2023\n` }, msgstr: [`Last-Translator: Иван Пешић, 2023\nLanguage-Team: Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} фајл конфликт\", \"{count} фајл конфликта\", \"{count} фајл конфликта\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} фајл конфликт у {dirname}\", \"{count} фајл конфликта у {dirname}\", \"{count} фајл конфликта у {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"преостало је {seconds} секунди\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} преостало\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"преостало је неколико секунди\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Обустави отпремања\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Настави\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"процена преосталог времена\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Постојећа верзија\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Ако изаберете обе верзије, на име копираног фајла ће се додати број.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Није познат датум последње измене\"] }, New: { msgid: \"New\", msgstr: [\"Ново\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Нова верзија\"] }, paused: { msgid: \"paused\", msgstr: [\"паузирано\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Слика прегледа\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Штиклирај сва поља за штиклирање\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Изабери све постојеће фајлове\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Изабери све нове фајлове\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Прескочи овај фајл\", \"Прескочи {count} фајла\", \"Прескочи {count} фајлова\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Непозната величина\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Отпремање је отказано\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Отпреми фајлове\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Напредак отпремања\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Које фајлове желите да задржите?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Морате да изаберете барем једну верзију сваког фајла да наставите.\"] } } } } }, { locale: \"sr@latin\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sr@latin\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr@latin\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sv\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Magnus Höglund, 2024\", \"Language-Team\": \"Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sv\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMagnus Höglund, 2024\n` }, msgstr: [`Last-Translator: Magnus Höglund, 2024\nLanguage-Team: Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sv\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} filkonflikt\", \"{count} filkonflikter\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} filkonflikt i {dirname}\", \"{count} filkonflikter i {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekunder kvarstår\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} kvarstår\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"några sekunder kvar\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Avbryt\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Avbryt hela operationen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Avbryt uppladdningar\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsätt\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"uppskattar kvarstående tid\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Nuvarande version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Om du väljer båda versionerna kommer den kopierade filen att få ett nummer tillagt i namnet.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Senaste ändringsdatum okänt\"] }, New: { msgid: \"New\", msgstr: [\"Ny\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ny version\"] }, paused: { msgid: \"paused\", msgstr: [\"pausad\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Förhandsgranska bild\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Markera alla kryssrutor\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Välj alla befintliga filer\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Välj alla nya filer\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Hoppa över denna fil\", \"Hoppa över {count} filer\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Okänd storlek\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Uppladdningen avbröts\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Ladda upp filer\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Uppladdningsförlopp\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"När en inkommande mapp väljs skrivs även alla konfliktande filer i den över.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Vilka filer vill du behålla?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du måste välja minst en version av varje fil för att fortsätta.\"] } } } } }, { locale: \"sw\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sw\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sw\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ta\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ta\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ta_LK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ta_LK\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"th\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Thai (https://www.transifex.com/nextcloud/teams/64236/th/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"th\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Thai (https://www.transifex.com/nextcloud/teams/64236/th/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"th_TH\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Phongpanot Phairat <ppnplus@protonmail.com>, 2022\", \"Language-Team\": \"Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"th_TH\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nPhongpanot Phairat <ppnplus@protonmail.com>, 2022\n` }, msgstr: [`Last-Translator: Phongpanot Phairat <ppnplus@protonmail.com>, 2022\nLanguage-Team: Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th_TH\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"เหลืออีก {seconds} วินาที\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"เหลืออีก {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"เหลืออีกไม่กี่วินาที\"] }, Add: { msgid: \"Add\", msgstr: [\"เพิ่ม\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"ยกเลิกการอัปโหลด\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"กำลังคำนวณเวลาที่เหลือ\"] }, paused: { msgid: \"paused\", msgstr: [\"หยุดชั่วคราว\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"อัปโหลดไฟล์\"] } } } } }, { locale: \"tk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"tk\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tk\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"tr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Kaya Zeren <kayazeren@gmail.com>, 2024\", \"Language-Team\": \"Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"tr\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nKaya Zeren <kayazeren@gmail.com>, 2024\n` }, msgstr: [`Last-Translator: Kaya Zeren <kayazeren@gmail.com>, 2024\nLanguage-Team: Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tr\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} dosya çakışması var\", \"{count} dosya çakışması var\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname} klasöründe {count} dosya çakışması var\", \"{dirname} klasöründe {count} dosya çakışması var\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} saniye kaldı\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} kaldı\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"bir kaç saniye kaldı\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"İptal\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Tüm işlemi iptal et\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Yüklemeleri iptal et\"] }, Continue: { msgid: \"Continue\", msgstr: [\"İlerle\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"öngörülen kalan süre\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Var olan sürüm\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"İki sürümü de seçerseniz, kopyalanan dosyanın adına bir sayı eklenir.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Son değiştirilme tarihi bilinmiyor\"] }, New: { msgid: \"New\", msgstr: [\"Yeni\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Yeni sürüm\"] }, paused: { msgid: \"paused\", msgstr: [\"duraklatıldı\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Görsel ön izlemesi\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Tüm kutuları işaretle\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Tüm var olan dosyaları seç\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Tüm yeni dosyaları seç\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Bu dosyayı atla\", \"{count} dosyayı atla\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Boyut bilinmiyor\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Yükleme iptal edildi\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Dosyaları yükle\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Yükleme ilerlemesi\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Bir gelen klasör seçildiğinde, içindeki çakışan dosyaların da üzerine yazılır.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hangi dosyaları tutmak istiyorsunuz?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"İlerlemek için her dosyanın en az bir sürümünü seçmelisiniz.\"] } } } } }, { locale: \"ug\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ug\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ug\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"uk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"O St <oleksiy.stasevych@gmail.com>, 2024\", \"Language-Team\": \"Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"uk\", \"Plural-Forms\": \"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nO St <oleksiy.stasevych@gmail.com>, 2024\n` }, msgstr: [`Last-Translator: O St <oleksiy.stasevych@gmail.com>, 2024\nLanguage-Team: Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uk\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} конфліктний файл\", \"{count} конфліктних файли\", \"{count} конфліктних файлів\", \"{count} конфліктних файлів\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} конфліктний файл у каталозі {dirname}\", \"{count} конфліктних файли у каталозі {dirname}\", \"{count} конфліктних файлів у каталозі {dirname}\", \"{count} конфліктних файлів у каталозі {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Залишилося {seconds} секунд\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Залишилося {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"залишилося кілька секунд\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Скасувати\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Скасувати операцію повністю\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Скасувати завантаження\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Продовжити\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"оцінка часу, що залишився\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Присутня версія\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Якщо ви виберете обидві версії, то буде створено копію файлу, до назви якої буде додано цифру.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Дата останньої зміни невідома\"] }, New: { msgid: \"New\", msgstr: [\"Нове\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Нова версія\"] }, paused: { msgid: \"paused\", msgstr: [\"призупинено\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Попередній перегляд\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Вибрати все\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Вибрати усі присутні файли\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Вибрати усі нові файли\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Пропустити файл\", \"Пропустити {count} файли\", \"Пропустити {count} файлів\", \"Пропустити {count} файлів\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Невідомий розмір\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Завантаження скасовано\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Завантажити файли\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Поступ завантаження\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Усі конфліктні файли у вибраному каталозі призначення буде перезаписано поверх.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Які файли залишити?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Для продовження потрібно вибрати принаймні одну версію для кожного файлу.\"] } } } } }, { locale: \"ur_PK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ur_PK\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ur_PK\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"uz\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"uz\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uz\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"vi\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Tung DangQuang, 2023\", \"Language-Team\": \"Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"vi\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nTung DangQuang, 2023\n` }, msgstr: [`Last-Translator: Tung DangQuang, 2023\nLanguage-Team: Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: vi\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} Tập tin xung đột\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} tập tin lỗi trong {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Còn {second} giây\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Còn lại {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Còn lại một vài giây\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Huỷ tải lên\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Tiếp Tục\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Thời gian còn lại dự kiến\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Phiên Bản Hiện Tại\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Nếu bạn chọn cả hai phiên bản, tệp được sao chép sẽ có thêm một số vào tên của nó.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Ngày sửa dổi lần cuối không xác định\"] }, New: { msgid: \"New\", msgstr: [\"Tạo Mới\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Phiên Bản Mới\"] }, paused: { msgid: \"paused\", msgstr: [\"đã tạm dừng\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Xem Trước Ảnh\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Chọn tất cả hộp checkbox\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Chọn tất cả các tập tin có sẵn\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Chọn tất cả các tập tin mới\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Bỏ Qua {count} tập tin\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Không rõ dung lượng\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Dừng Tải Lên\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Tập tin tải lên\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Đang Tải Lên\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Bạn muốn giữ tập tin nào?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Bạn cần chọn ít nhất một phiên bản tập tin mới có thể tiếp tục\"] } } } } }, { locale: \"zh_CN\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Hongbo Chen, 2023\", \"Language-Team\": \"Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"zh_CN\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nHongbo Chen, 2023\n` }, msgstr: [`Last-Translator: Hongbo Chen, 2023\nLanguage-Team: Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_CN\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count}文件冲突\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"在{dirname}目录下有{count}个文件冲突\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"剩余 {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"剩余 {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"还剩几秒\"] }, Add: { msgid: \"Add\", msgstr: [\"添加\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"取消上传\"] }, Continue: { msgid: \"Continue\", msgstr: [\"继续\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"估计剩余时间\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"版本已存在\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"如果选择所有的版本,新增版本的文件名为原文件名加数字\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"文件最后修改日期未知\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"新版本\"] }, paused: { msgid: \"paused\", msgstr: [\"已暂停\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"图片预览\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"选择所有的选择框\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"选择所有存在的文件\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"选择所有的新文件\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"跳过{count}个文件\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"文件大小未知\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"取消上传\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"上传文件\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"你要保留哪些文件?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"每个文件至少选择一个版本\"] } } } } }, { locale: \"zh_HK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Café Tango, 2023\", \"Language-Team\": \"Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"zh_HK\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nCafé Tango, 2023\n` }, msgstr: [`Last-Translator: Café Tango, 2023\nLanguage-Team: Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_HK\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} 個檔案衝突\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname} 中有 {count} 個檔案衝突\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"剩餘 {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"剩餘 {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"還剩幾秒\"] }, Add: { msgid: \"Add\", msgstr: [\"添加\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"取消上傳\"] }, Continue: { msgid: \"Continue\", msgstr: [\"繼續\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"估計剩餘時間\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"既有版本\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"若您選取兩個版本,複製的檔案的名稱將會新增編號。\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"最後修改日期不詳\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"新版本 \"] }, paused: { msgid: \"paused\", msgstr: [\"已暫停\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"預覽圖片\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"選取所有核取方塊\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"選取所有既有檔案\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"選取所有新檔案\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"略過 {count} 個檔案\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"大小不詳\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"已取消上傳\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"上傳檔案\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"您想保留哪些檔案?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"您必須為每個檔案都至少選取一個版本以繼續。\"] } } } } }, { locale: \"zh_TW\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"黃柏諺 <s8321414@gmail.com>, 2024\", \"Language-Team\": \"Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"zh_TW\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\n黃柏諺 <s8321414@gmail.com>, 2024\n` }, msgstr: [`Last-Translator: 黃柏諺 <s8321414@gmail.com>, 2024\nLanguage-Team: Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_TW\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} 個檔案衝突\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname} 中有 {count} 個檔案衝突\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"剩餘 {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"剩餘 {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"還剩幾秒\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"取消\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"取消整個操作\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"取消上傳\"] }, Continue: { msgid: \"Continue\", msgstr: [\"繼續\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"估計剩餘時間\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"既有版本\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"若您選取兩個版本,複製的檔案的名稱將會新增編號。\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"最後修改日期未知\"] }, New: { msgid: \"New\", msgstr: [\"新增\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"新版本\"] }, paused: { msgid: \"paused\", msgstr: [\"已暫停\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"預覽圖片\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"選取所有核取方塊\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"選取所有既有檔案\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"選取所有新檔案\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"略過 {count} 檔案\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"未知大小\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"已取消上傳\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"上傳檔案\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"上傳進度\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"選取傳入資料夾後,其中任何的衝突檔案都會被覆寫。\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"您想保留哪些檔案?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"您必須為每個檔案都至少選取一個版本以繼續。\"] } } } } }].map((e) => R.addTranslation(e.locale, e.json));\nconst C = R.build(), Gs = C.ngettext.bind(C), u = C.gettext.bind(C), Ls = E.extend({\n name: \"UploadPicker\",\n components: {\n Cancel: ms,\n NcActionButton: J,\n NcActions: Q,\n NcButton: Z,\n NcIconSvgWrapper: X,\n NcProgressBar: ss,\n Plus: fs,\n Upload: xs\n },\n props: {\n accept: {\n type: Array,\n default: null\n },\n disabled: {\n type: Boolean,\n default: !1\n },\n multiple: {\n type: Boolean,\n default: !1\n },\n destination: {\n type: z,\n default: void 0\n },\n /**\n * List of file present in the destination folder\n */\n content: {\n type: Array,\n default: () => []\n },\n forbiddenCharacters: {\n type: Array,\n default: () => []\n }\n },\n data() {\n return {\n addLabel: u(\"New\"),\n cancelLabel: u(\"Cancel uploads\"),\n uploadLabel: u(\"Upload files\"),\n progressLabel: u(\"Upload progress\"),\n progressTimeId: `nc-uploader-progress-${Math.random().toString(36).slice(7)}`,\n eta: null,\n timeLeft: \"\",\n newFileMenuEntries: [],\n uploadManager: M()\n };\n },\n computed: {\n totalQueueSize() {\n return this.uploadManager.info?.size || 0;\n },\n uploadedQueueSize() {\n return this.uploadManager.info?.progress || 0;\n },\n progress() {\n return Math.round(this.uploadedQueueSize / this.totalQueueSize * 100) || 0;\n },\n queue() {\n return this.uploadManager.queue;\n },\n hasFailure() {\n return this.queue?.filter((e) => e.status === c.FAILED).length !== 0;\n },\n isUploading() {\n return this.queue?.length > 0;\n },\n isAssembling() {\n return this.queue?.filter((e) => e.status === c.ASSEMBLING).length !== 0;\n },\n isPaused() {\n return this.uploadManager.info?.status === I.PAUSED;\n },\n // Hide the button text if we're uploading\n buttonName() {\n if (!this.isUploading)\n return this.addLabel;\n }\n },\n watch: {\n destination(e) {\n this.setDestination(e);\n },\n totalQueueSize(e) {\n this.eta = K({ min: 0, max: e }), this.updateStatus();\n },\n uploadedQueueSize(e) {\n this.eta?.report?.(e), this.updateStatus();\n },\n isPaused(e) {\n e ? this.$emit(\"paused\", this.queue) : this.$emit(\"resumed\", this.queue);\n }\n },\n beforeMount() {\n this.destination && this.setDestination(this.destination), this.uploadManager.addNotifier(this.onUploadCompletion), g.debug(\"UploadPicker initialised\");\n },\n methods: {\n /**\n * Trigger file picker\n */\n onClick() {\n this.$refs.input.click();\n },\n /**\n * Start uploading\n */\n async onPick() {\n let e = [...this.$refs.input.files];\n if (Us(e, this.content)) {\n const s = e.filter((n) => this.content.find((i) => i.basename === n.name)).filter(Boolean), t = e.filter((n) => !s.includes(n));\n try {\n const { selected: n, renamed: i } = await ys(this.destination.basename, s, this.content);\n e = [...t, ...n, ...i];\n } catch {\n P(u(\"Upload cancelled\"));\n return;\n }\n }\n e.forEach((s) => {\n const n = (this.forbiddenCharacters || []).find((i) => s.name.includes(i));\n n ? P(u(`\"${n}\" is not allowed inside a file name.`)) : this.uploadManager.upload(s.name, s).catch(() => {\n });\n }), this.$refs.form.reset();\n },\n /**\n * Cancel ongoing queue\n */\n onCancel() {\n this.uploadManager.queue.forEach((e) => {\n e.cancel();\n }), this.$refs.form.reset();\n },\n updateStatus() {\n if (this.isPaused) {\n this.timeLeft = u(\"paused\");\n return;\n }\n const e = Math.round(this.eta.estimate());\n if (e === 1 / 0) {\n this.timeLeft = u(\"estimating time left\");\n return;\n }\n if (e < 10) {\n this.timeLeft = u(\"a few seconds left\");\n return;\n }\n if (e > 60) {\n const s = /* @__PURE__ */ new Date(0);\n s.setSeconds(e);\n const t = s.toISOString().slice(11, 19);\n this.timeLeft = u(\"{time} left\", { time: t });\n return;\n }\n this.timeLeft = u(\"{seconds} seconds left\", { seconds: e });\n },\n setDestination(e) {\n if (!this.destination) {\n g.debug(\"Invalid destination\");\n return;\n }\n this.uploadManager.destination = e, this.newFileMenuEntries = G(e);\n },\n onUploadCompletion(e) {\n e.status === c.FAILED ? this.$emit(\"failed\", e) : this.$emit(\"uploaded\", e);\n }\n }\n});\nvar ks = function() {\n var s = this, t = s._self._c;\n return s._self._setupProxy, s.destination ? t(\"form\", { ref: \"form\", staticClass: \"upload-picker\", class: { \"upload-picker--uploading\": s.isUploading, \"upload-picker--paused\": s.isPaused }, attrs: { \"data-cy-upload-picker\": \"\" } }, [s.newFileMenuEntries && s.newFileMenuEntries.length === 0 ? t(\"NcButton\", { attrs: { disabled: s.disabled, \"data-cy-upload-picker-add\": \"\", type: \"secondary\" }, on: { click: s.onClick }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Plus\", { attrs: { title: \"\", size: 20, decorative: \"\" } })];\n }, proxy: !0 }], null, !1, 2954875042) }, [s._v(\" \" + s._s(s.buttonName) + \" \")]) : t(\"NcActions\", { attrs: { \"menu-name\": s.buttonName, \"menu-title\": s.addLabel, type: \"secondary\" }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Plus\", { attrs: { title: \"\", size: 20, decorative: \"\" } })];\n }, proxy: !0 }], null, !1, 2954875042) }, [t(\"NcActionButton\", { attrs: { \"data-cy-upload-picker-add\": \"\", \"close-after-click\": !0 }, on: { click: s.onClick }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Upload\", { attrs: { title: \"\", size: 20, decorative: \"\" } })];\n }, proxy: !0 }], null, !1, 3606034491) }, [s._v(\" \" + s._s(s.uploadLabel) + \" \")]), s._l(s.newFileMenuEntries, function(n) {\n return t(\"NcActionButton\", { key: n.id, staticClass: \"upload-picker__menu-entry\", attrs: { icon: n.iconClass, \"close-after-click\": !0 }, on: { click: function(i) {\n return n.handler(s.destination, s.content);\n } }, scopedSlots: s._u([n.iconSvgInline ? { key: \"icon\", fn: function() {\n return [t(\"NcIconSvgWrapper\", { attrs: { svg: n.iconSvgInline } })];\n }, proxy: !0 } : null], null, !0) }, [s._v(\" \" + s._s(n.displayName) + \" \")]);\n })], 2), t(\"div\", { directives: [{ name: \"show\", rawName: \"v-show\", value: s.isUploading, expression: \"isUploading\" }], staticClass: \"upload-picker__progress\" }, [t(\"NcProgressBar\", { attrs: { \"aria-label\": s.progressLabel, \"aria-describedby\": s.progressTimeId, error: s.hasFailure, value: s.progress, size: \"medium\" } }), t(\"p\", { attrs: { id: s.progressTimeId } }, [s._v(\" \" + s._s(s.timeLeft) + \" \")])], 1), s.isUploading ? t(\"NcButton\", { staticClass: \"upload-picker__cancel\", attrs: { type: \"tertiary\", \"aria-label\": s.cancelLabel, \"data-cy-upload-picker-cancel\": \"\" }, on: { click: s.onCancel }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Cancel\", { attrs: { title: \"\", size: 20 } })];\n }, proxy: !0 }], null, !1, 4076886712) }) : s._e(), t(\"input\", { directives: [{ name: \"show\", rawName: \"v-show\", value: !1, expression: \"false\" }], ref: \"input\", attrs: { type: \"file\", accept: s.accept?.join?.(\", \"), multiple: s.multiple, \"data-cy-upload-picker-input\": \"\" }, on: { change: s.onPick } })], 1) : s._e();\n}, vs = [], Cs = /* @__PURE__ */ y(\n Ls,\n ks,\n vs,\n !1,\n null,\n \"eca9500a\",\n null,\n null\n);\nconst Ys = Cs.exports;\nlet k = null;\nfunction M() {\n const e = document.querySelector('input[name=\"isPublic\"][value=\"1\"]') !== null;\n return k instanceof N || (k = new N(e)), k;\n}\nfunction Vs(e, s) {\n const t = M();\n return t.upload(e, s), t;\n}\nasync function ys(e, s, t) {\n const n = $(() => import(\"./ConflictPicker-Bif6rCp6.mjs\"));\n return new Promise((i, o) => {\n const l = new E({\n name: \"ConflictPickerRoot\",\n render: (f) => f(n, {\n props: {\n dirname: e,\n conflicts: s,\n content: t\n },\n on: {\n submit(r) {\n i(r), l.$destroy(), l.$el?.parentNode?.removeChild(l.$el);\n },\n cancel(r) {\n o(r ?? new Error(\"Canceled\")), l.$destroy(), l.$el?.parentNode?.removeChild(l.$el);\n }\n }\n })\n });\n l.$mount(), document.body.appendChild(l.$el);\n });\n}\nfunction Us(e, s) {\n const t = s.map((i) => i.basename);\n return e.filter((i) => {\n const o = i instanceof File ? i.name : i.basename;\n return t.indexOf(o) !== -1;\n }).length > 0;\n}\nexport {\n I as S,\n Ys as U,\n Gs as a,\n ns as b,\n c,\n M as g,\n Us as h,\n g as l,\n y as n,\n ys as o,\n u as t,\n Vs as u\n};\n","const R = (n, e) => u(n, \"\", e), g = (n) => \"/remote.php/\" + n, U = (n, e) => {\n var o;\n return ((o = e == null ? void 0 : e.baseURL) != null ? o : w()) + g(n);\n}, v = (n, e, o) => {\n var c;\n const i = Object.assign({\n ocsVersion: 2\n }, o || {}).ocsVersion === 1 ? 1 : 2;\n return ((c = o == null ? void 0 : o.baseURL) != null ? c : w()) + \"/ocs/v\" + i + \".php\" + d(n, e, o);\n}, d = (n, e, o) => {\n const c = Object.assign({\n escape: !0\n }, o || {}), s = function(i, r) {\n return r = r || {}, i.replace(\n /{([^{}]*)}/g,\n function(l, t) {\n const a = r[t];\n return c.escape ? encodeURIComponent(typeof a == \"string\" || typeof a == \"number\" ? a.toString() : l) : typeof a == \"string\" || typeof a == \"number\" ? a.toString() : l;\n }\n );\n };\n return n.charAt(0) !== \"/\" && (n = \"/\" + n), s(n, e || {});\n}, _ = (n, e, o) => {\n var c, s, i;\n const r = Object.assign({\n noRewrite: !1\n }, o || {}), l = (c = o == null ? void 0 : o.baseURL) != null ? c : f();\n return ((i = (s = window == null ? void 0 : window.OC) == null ? void 0 : s.config) == null ? void 0 : i.modRewriteWorking) === !0 && !r.noRewrite ? l + d(n, e, o) : l + \"/index.php\" + d(n, e, o);\n}, h = (n, e) => e.indexOf(\".\") === -1 ? u(n, \"img\", e + \".svg\") : u(n, \"img\", e), u = (n, e, o) => {\n var c, s, i;\n const r = (i = (s = (c = window == null ? void 0 : window.OC) == null ? void 0 : c.coreApps) == null ? void 0 : s.includes(n)) != null ? i : !1, l = o.slice(-3) === \"php\";\n let t = f();\n return l && !r ? (t += \"/index.php/apps/\".concat(n), e && (t += \"/\".concat(encodeURI(e))), o !== \"index.php\" && (t += \"/\".concat(o))) : !l && !r ? (t = b(n), e && (t += \"/\".concat(e, \"/\")), t.at(-1) !== \"/\" && (t += \"/\"), t += o) : ((n === \"settings\" || n === \"core\" || n === \"search\") && e === \"ajax\" && (t += \"/index.php\"), n && (t += \"/\".concat(n)), e && (t += \"/\".concat(e)), t += \"/\".concat(o)), t;\n}, w = () => window.location.protocol + \"//\" + window.location.host + f();\nfunction f() {\n let n = window._oc_webroot;\n if (typeof n > \"u\") {\n n = location.pathname;\n const e = n.indexOf(\"/index.php/\");\n if (e !== -1)\n n = n.slice(0, e);\n else {\n const o = n.indexOf(\"/\", 1);\n n = n.slice(0, o > 0 ? o : void 0);\n }\n }\n return n;\n}\nfunction b(n) {\n var e, o;\n return (o = ((e = window._oc_appswebroots) != null ? e : {})[n]) != null ? o : \"\";\n}\nexport {\n u as generateFilePath,\n v as generateOcsUrl,\n U as generateRemoteUrl,\n _ as generateUrl,\n b as getAppRootUrl,\n w as getBaseUrl,\n f as getRootUrl,\n h as imagePath,\n R as linkTo\n};\n","import axios from './lib/axios.js';\n\n// This module is intended to unwrap Axios default export as named.\n// Keep top-level export same with static properties\n// so that it can keep same with es module or cjs\nconst {\n Axios,\n AxiosError,\n CanceledError,\n isCancel,\n CancelToken,\n VERSION,\n all,\n Cancel,\n isAxiosError,\n spread,\n toFormData,\n AxiosHeaders,\n HttpStatusCode,\n formToJSON,\n getAdapter,\n mergeConfig\n} = axios;\n\nexport {\n axios as default,\n Axios,\n AxiosError,\n CanceledError,\n isCancel,\n CancelToken,\n VERSION,\n all,\n Cancel,\n isAxiosError,\n spread,\n toFormData,\n AxiosHeaders,\n HttpStatusCode,\n formToJSON,\n getAdapter,\n mergeConfig\n}\n","// The module cache\nvar __webpack_module_cache__ = {};\n\n// The require function\nfunction __webpack_require__(moduleId) {\n\t// Check if module is in cache\n\tvar cachedModule = __webpack_module_cache__[moduleId];\n\tif (cachedModule !== undefined) {\n\t\treturn cachedModule.exports;\n\t}\n\t// Create a new module (and put it into the cache)\n\tvar module = __webpack_module_cache__[moduleId] = {\n\t\tid: moduleId,\n\t\tloaded: false,\n\t\texports: {}\n\t};\n\n\t// Execute the module function\n\t__webpack_modules__[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n\t// Flag the module as loaded\n\tmodule.loaded = true;\n\n\t// Return the exports of the module\n\treturn module.exports;\n}\n\n// expose the modules object (__webpack_modules__)\n__webpack_require__.m = __webpack_modules__;\n\n","// getDefaultExport function for compatibility with non-harmony modules\n__webpack_require__.n = (module) => {\n\tvar getter = module && module.__esModule ?\n\t\t() => (module['default']) :\n\t\t() => (module);\n\t__webpack_require__.d(getter, { a: getter });\n\treturn getter;\n};","// define getter functions for harmony exports\n__webpack_require__.d = (exports, definition) => {\n\tfor(var key in definition) {\n\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n\t\t}\n\t}\n};","__webpack_require__.f = {};\n// This file contains only the entry chunk.\n// The chunk loading function for additional chunks\n__webpack_require__.e = (chunkId) => {\n\treturn Promise.all(Object.keys(__webpack_require__.f).reduce((promises, key) => {\n\t\t__webpack_require__.f[key](chunkId, promises);\n\t\treturn promises;\n\t}, []));\n};","// This function allow to reference async chunks\n__webpack_require__.u = (chunkId) => {\n\t// return url for filenames based on template\n\treturn \"\" + chunkId + \"-\" + chunkId + \".js?v=\" + {\"1359\":\"0bf1b6d6403ca20a8e30\",\"6075\":\"f8e1d39004c19c13e598\",\"8618\":\"1e8f15db3b14455fef8f\"}[chunkId] + \"\";\n};","__webpack_require__.g = (function() {\n\tif (typeof globalThis === 'object') return globalThis;\n\ttry {\n\t\treturn this || new Function('return this')();\n\t} catch (e) {\n\t\tif (typeof window === 'object') return window;\n\t}\n})();","__webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))","// define __esModule on exports\n__webpack_require__.r = (exports) => {\n\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n\t}\n\tObject.defineProperty(exports, '__esModule', { value: true });\n};","__webpack_require__.nmd = (module) => {\n\tmodule.paths = [];\n\tif (!module.children) module.children = [];\n\treturn module;\n};","__webpack_require__.j = 2882;","var scriptUrl;\nif (__webpack_require__.g.importScripts) scriptUrl = __webpack_require__.g.location + \"\";\nvar document = __webpack_require__.g.document;\nif (!scriptUrl && document) {\n\tif (document.currentScript)\n\t\tscriptUrl = document.currentScript.src;\n\tif (!scriptUrl) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tif(scripts.length) {\n\t\t\tvar i = scripts.length - 1;\n\t\t\twhile (i > -1 && (!scriptUrl || !/^http(s?):/.test(scriptUrl))) scriptUrl = scripts[i--].src;\n\t\t}\n\t}\n}\n// When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration\n// or pass an empty string (\"\") and set the __webpack_public_path__ variable from your code to use your own logic.\nif (!scriptUrl) throw new Error(\"Automatic publicPath is not supported in this browser\");\nscriptUrl = scriptUrl.replace(/#.*$/, \"\").replace(/\\?.*$/, \"\").replace(/\\/[^\\/]+$/, \"/\");\n__webpack_require__.p = scriptUrl;","__webpack_require__.b = document.baseURI || self.location.href;\n\n// object to store loaded and loading chunks\n// undefined = chunk not loaded, null = chunk preloaded/prefetched\n// [resolve, reject, Promise] = chunk loading, 0 = chunk loaded\nvar installedChunks = {\n\t2882: 0\n};\n\n__webpack_require__.f.j = (chunkId, promises) => {\n\t\t// JSONP chunk loading for javascript\n\t\tvar installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined;\n\t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n\t\t\t// a Promise means \"currently loading\".\n\t\t\tif(installedChunkData) {\n\t\t\t\tpromises.push(installedChunkData[2]);\n\t\t\t} else {\n\t\t\t\tif(true) { // all chunks have JS\n\t\t\t\t\t// setup Promise in chunk cache\n\t\t\t\t\tvar promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject]));\n\t\t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n\t\t\t\t\t// start chunk loading\n\t\t\t\t\tvar url = __webpack_require__.p + __webpack_require__.u(chunkId);\n\t\t\t\t\t// create error before stack unwound to get useful stacktrace later\n\t\t\t\t\tvar error = new Error();\n\t\t\t\t\tvar loadingEnded = (event) => {\n\t\t\t\t\t\tif(__webpack_require__.o(installedChunks, chunkId)) {\n\t\t\t\t\t\t\tinstalledChunkData = installedChunks[chunkId];\n\t\t\t\t\t\t\tif(installedChunkData !== 0) installedChunks[chunkId] = undefined;\n\t\t\t\t\t\t\tif(installedChunkData) {\n\t\t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n\t\t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n\t\t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n\t\t\t\t\t\t\t\terror.name = 'ChunkLoadError';\n\t\t\t\t\t\t\t\terror.type = errorType;\n\t\t\t\t\t\t\t\terror.request = realSrc;\n\t\t\t\t\t\t\t\tinstalledChunkData[1](error);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t\t__webpack_require__.l(url, loadingEnded, \"chunk-\" + chunkId, chunkId);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n};\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(3186)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","has","Object","prototype","hasOwnProperty","prefix","Events","EE","fn","context","once","this","addListener","emitter","event","TypeError","listener","evt","_events","push","_eventsCount","clearEvent","EventEmitter","create","__proto__","eventNames","events","name","names","call","slice","getOwnPropertySymbols","concat","listeners","handlers","i","l","length","ee","Array","listenerCount","emit","a1","a2","a3","a4","a5","args","len","arguments","removeListener","undefined","apply","j","on","removeAllListeners","off","prefixed","module","exports","activePinia","setActivePinia","pinia","piniaSymbol","Symbol","isPlainObject","o","toString","toJSON","MutationType","IS_CLIENT","window","USE_DEVTOOLS","__VUE_PROD_DEVTOOLS__","_global","self","global","globalThis","HTMLElement","download","url","opts","xhr","XMLHttpRequest","open","responseType","onload","saveAs","response","onerror","console","error","send","corsEnabled","e","status","click","node","dispatchEvent","MouseEvent","document","createEvent","initMouseEvent","_navigator","navigator","userAgent","isMacOSWebView","test","HTMLAnchorElement","blob","a","createElement","rel","href","origin","location","target","URL","createObjectURL","setTimeout","revokeObjectURL","msSaveOrOpenBlob","autoBom","type","Blob","String","fromCharCode","bom","popup","title","body","innerText","force","isSafari","isChromeIOS","FileReader","reader","onloadend","result","Error","replace","assign","readAsDataURL","toastMessage","message","piniaMessage","__VUE_DEVTOOLS_TOAST__","warn","log","isPinia","checkClipboardAccess","checkNotFocusedError","toLowerCase","includes","fileInput","loadStoresState","state","key","storeState","value","formatDisplay","display","_custom","PINIA_ROOT_LABEL","PINIA_ROOT_ID","formatStoreForInspectorTree","store","id","label","$id","formatEventData","isArray","reduce","data","keys","operations","oldValue","newValue","operation","formatMutationType","direct","patchFunction","patchObject","isTimelineActive","componentStateTypes","MUTATIONS_LAYER_ID","INSPECTOR_ID","assign$1","getStoreType","registerPiniaDevtools","app","logo","packageName","homepage","api","now","addTimelineLayer","color","addInspector","icon","treeFilterPlaceholder","actions","action","async","clipboard","writeText","JSON","stringify","actionGlobalCopyState","tooltip","parse","readText","actionGlobalPasteState","sendInspectorTree","sendInspectorState","actionGlobalSaveState","accept","Promise","resolve","reject","onchange","files","file","item","text","oncancel","actionGlobalOpenStateFile","nodeActions","nodeId","_s","get","$reset","inspectComponent","payload","ctx","proxy","componentInstance","_pStores","piniaStores","values","forEach","instanceData","editable","_isOptionsAPI","$state","_getters","getters","getInspectorTree","inspectorId","stores","from","rootNodes","filter","map","getInspectorState","inspectedStore","storeNames","storeMap","storeId","getterName","_customProperties","size","customProperties","formatStoreForInspectorState","editInspectorState","path","unshift","set","editComponentState","startsWith","activeAction","runningActionId","patchActionForGrouping","actionNames","wrapWithProxy","storeActions","actionName","_actionId","trackedStore","Proxy","Reflect","retValue","devtoolsPlugin","options","originalHotUpdate","_hotUpdate","newStore","_hmrPayload","settings","logStoreChanges","defaultValue","bind","Date","$onAction","after","onError","groupId","addTimelineEvent","layerId","time","subtitle","logType","notifyComponentUpdate","deep","$subscribe","eventData","detached","flush","hotUpdate","info","$dispose","getSettings","addStoreToDevtools","noop","addSubscription","subscriptions","callback","onCleanup","removeSubscription","idx","indexOf","splice","triggerSubscriptions","fallbackRunWithContext","mergeReactiveObjects","patchToApply","Map","Set","add","subPatch","targetValue","skipHydrateSymbol","skipHydrateMap","WeakMap","createSetupStore","setup","hot","isOptionsStore","scope","optionsForPlugin","$subscribeOptions","isListening","isSyncListening","debuggerEvents","actionSubscriptions","initialState","hotState","activeListener","$patch","partialStateOrMutator","subscriptionMutation","myListenerId","then","newState","wrapAction","afterCallbackList","onErrorCallbackList","ret","catch","partialStore","_p","stopWatcher","run","stop","delete","_r","setupStore","_a","runWithContext","_e","prop","effect","obj","actionValue","defineProperty","nonEnumerable","writable","configurable","enumerable","p","extender","extensions","hydrate","defineStore","idOrOptions","setupOptions","isSetupStore","useStore","hasContext","localState","computedGetters","createOptionsStore","toBeInstalled","install","provide","config","globalProperties","$pinia","plugin","use","createPinia","token","singleMatcher","RegExp","multiMatcher","decodeComponents","components","split","decodeURIComponent","join","left","right","decode","input","tokens","match","splitOnFirst","string","separator","separatorIndex","includeKeys","object","predicate","descriptor","getOwnPropertyDescriptor","ownKeys","isNullOrUndefined","strictUriEncode","encodeURIComponent","x","charCodeAt","toUpperCase","encodeFragmentIdentifier","validateArrayFormatSeparator","encode","strict","encodedURI","replaceMap","exec","entries","customDecodeURIComponent","keysSorter","sort","b","Number","removeHash","hashStart","parseValue","parseNumbers","isNaN","trim","parseBooleans","extract","queryStart","query","arrayFormat","arrayFormatSeparator","formatter","accumulator","isEncodedArray","arrayValue","flat","parserForArrayFormat","returnValue","parameter","parameter_","key2","value2","Boolean","shouldFilter","skipNull","skipEmptyString","index","keyValueSep","encoderForArrayFormat","objectCopy","parseUrl","url_","hash","parseFragmentIdentifier","fragmentIdentifier","stringifyUrl","queryString","getHash","urlObjectForFragmentEncode","pick","exclude","extend","encodeReserveRE","encodeReserveReplacer","c","commaRE","str","err","castQueryParamValue","parseQuery","res","param","parts","shift","val","stringifyQuery","val2","trailingSlashRE","createRoute","record","redirectedFrom","router","clone","route","meta","params","fullPath","getFullPath","matched","formatMatch","freeze","START","parent","ref","_stringifyQuery","isSameRoute","onlyPath","isObjectEqual","aKeys","bKeys","every","aVal","bVal","handleRouteEntered","instances","instance","cbs","enteredCbs","i$1","_isBeingDestroyed","View","functional","props","default","render","_","children","routerView","h","$createElement","$route","cache","_routerViewCache","depth","inactive","_routerRoot","vnodeData","$vnode","keepAlive","_directInactive","_inactive","$parent","routerViewDepth","cachedData","cachedComponent","component","configProps","fillPropsinData","registerRouteInstance","vm","current","hook","prepatch","vnode","init","propsToPass","resolveProps","attrs","resolvePath","relative","base","append","firstChar","charAt","stack","pop","segments","segment","cleanPath","isarray","arr","pathToRegexp_1","pathToRegexp","groups","source","delimiter","optional","repeat","partial","asterisk","pattern","attachKeys","regexpToRegexp","flags","arrayToRegexp","tokensToRegExp","stringToRegexp","parse_1","tokensToFunction_1","tokensToFunction","tokensToRegExp_1","PATH_REGEXP","defaultDelimiter","m","escaped","offset","next","capture","group","modifier","escapeGroup","escapeString","substr","encodeURIComponentPretty","encodeURI","matches","pretty","re","sensitive","end","endsWithDelimiter","compile","regexpCompileCache","fillParams","routeMsg","filler","pathMatch","normalizeLocation","raw","_normalized","params$1","rawPath","parsedPath","hashIndex","queryIndex","parsePath","basePath","extraQuery","_parseQuery","parsedQuery","resolveQuery","_Vue","Link","to","required","tag","custom","exact","exactPath","activeClass","exactActiveClass","ariaCurrentValue","this$1$1","$router","classes","globalActiveClass","linkActiveClass","globalExactActiveClass","linkExactActiveClass","activeClassFallback","exactActiveClassFallback","compareTarget","queryIncludes","isIncludedRoute","handler","guardEvent","class","scopedSlot","$scopedSlots","$hasNormal","navigate","isActive","isExactActive","findAnchor","$slots","isStatic","aData","handler$1","event$1","aAttrs","metaKey","altKey","ctrlKey","shiftKey","defaultPrevented","button","currentTarget","getAttribute","preventDefault","child","inBrowser","createRouteMap","routes","oldPathList","oldPathMap","oldNameMap","parentRoute","pathList","pathMap","nameMap","addRouteRecord","matchAs","pathToRegexpOptions","normalizedPath","normalizePath","caseSensitive","regex","compileRouteRegex","alias","redirect","beforeEnter","childMatchAs","aliases","aliasRoute","createMatcher","currentRoute","_createRoute","paramNames","record$1","matchRoute","originalRedirect","resolveRecordPath","aliasedMatch","aliasedRecord","addRoute","parentOrRoute","getRoutes","addRoutes","Time","performance","genStateKey","toFixed","_key","getStateKey","setStateKey","positionStore","setupScroll","history","scrollRestoration","protocolAndPath","protocol","host","absolutePath","stateCopy","replaceState","addEventListener","handlePopState","removeEventListener","handleScroll","isPop","behavior","scrollBehavior","$nextTick","position","getScrollPosition","shouldScroll","scrollToPosition","saveScrollPosition","pageXOffset","y","pageYOffset","isValidPosition","isNumber","normalizePosition","v","hashStartsWithNumberRE","isObject","selector","el","getElementById","querySelector","docRect","documentElement","getBoundingClientRect","elRect","top","getElementPosition","style","scrollTo","ua","supportsPushState","pushState","NavigationFailureType","redirected","aborted","cancelled","duplicated","createNavigationCancelledError","createRouterError","_isRouter","propertiesToLog","isError","isNavigationFailure","errorType","runQueue","queue","cb","step","flatMapComponents","flatten","hasSymbol","toStringTag","called","History","baseEl","normalizeBase","pending","ready","readyCbs","readyErrorCbs","errorCbs","extractGuards","records","reverse","guards","def","guard","extractGuard","bindGuard","listen","onReady","errorCb","transitionTo","onComplete","onAbort","prev","confirmTransition","updateRoute","ensureURL","afterHooks","abort","lastRouteIndex","lastCurrentIndex","max","Math","updated","activated","deactivated","resolveQueue","extractLeaveGuards","beforeHooks","extractUpdateHooks","hasAsync","cid","resolvedDef","__esModule","resolved","reason","msg","comp","iterator","createNavigationAbortedError","createNavigationRedirectedError","enterGuards","bindEnterGuard","extractEnterGuards","resolveHooks","setupListeners","teardown","cleanupListener","HTML5History","_startLocation","getLocation","constructor","expectScroll","supportsScroll","handleRoutingEvent","go","n","fromRoute","getCurrentLocation","pathname","pathLowerCase","baseLowerCase","search","HashHistory","fallback","checkFallback","ensureSlash","replaceHash","eventType","pushHash","getUrl","AbstractHistory","targetIndex","VueRouter","apps","matcher","mode","prototypeAccessors","$once","routeOrError","handleInitialScroll","_route","beforeEach","registerHook","beforeResolve","afterEach","back","forward","getMatchedComponents","createHref","normalizedTo","defineProperties","VueRouter$1","list","Vue","installed","isDef","registerInstance","callVal","$options","_parentVnode","mixin","beforeCreate","_router","util","defineReactive","destroyed","strats","optionMergeStrategies","beforeRouteEnter","beforeRouteLeave","beforeRouteUpdate","created","version","START_LOCATION","Router","originalPush","generateUrl","view","emits","fillColor","_vm","_c","_self","_b","staticClass","$event","$emit","$attrs","_v","viewConfig","loadState","useViewConfigStore","getConfig","onUpdate","update","axios","put","setSortingBy","toggleSortingDirection","newDirection","sorting_direction","viewConfigStore","_initialized","subscribe","_ref","getLoggerBuilder","setApp","detectUser","build","throttle","delay","timeoutID","_ref$noTrailing","noTrailing","_ref$noLeading","noLeading","_ref$debounceMode","debounceMode","lastExec","clearExistingTimeout","clearTimeout","wrapper","_len","arguments_","elapsed","clear","cancel","_ref2$upcomingOnly","upcomingOnly","ChartPie","NcAppNavigationItem","NcProgressBar","loadingStorageStats","storageStats","computed","storageStatsTitle","_this$storageStats","_this$storageStats2","_this$storageStats3","usedQuotaByte","formatFileSize","used","quotaByte","quota","t","storageStatsTooltip","beforeMount","setInterval","throttleUpdateStorageStats","mounted","_this$storageStats4","_this$storageStats5","free","showStorageFullWarning","methods","debounceUpdateStorageStats","_ref$atBegin","atBegin","updateStorageStats","_response$data","_this$storageStats6","_response$data$data","_response$data$data2","logger","showError","translate","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","stopPropagation","slot","min","Function","$el","appendChild","userConfig","show_hidden","crop_image_previews","sort_favorites_first","sort_folders_first","grid_view","useUserConfigStore","userConfigStore","Clipboard","NcAppSettingsDialog","NcAppSettingsSection","NcCheckboxRadioSwitch","NcInputField","Setting","_window$OCA","_getCurrentUser","_loadState$enable_non","OCA","Files","Settings","webdavUrl","generateRemoteUrl","getCurrentUser","uid","webdavDocs","appPasswordUrl","webdavUrlCopied","enableGridView","setting","beforeDestroy","close","onClose","setConfig","copyCloudId","select","showSuccess","_l","scopedSlots","_u","Cog","NavigationQuota","NcAppNavigation","NcIconSvgWrapper","SettingsModal","settingsOpened","currentViewId","_this$$route","currentView","views","find","$navigation","parentViews","order","childViews","watch","oldView","setActive","debug","showView","useExactRouteMatching","_this$childViews$view","_window","_window$close","Sidebar","onToggleExpand","isExpanded","expanded","_this$viewConfigStore","generateToNavigation","dir","openSettings","onSettingsClose","iconClass","sticky","compareNumbers","numberA","numberB","compareUnicode","stringA","stringB","localeCompare","abs","RE_NUMBERS","RE_LEADING_OR_TRAILING_WHITESPACES","RE_WHITESPACES","RE_INT_OR_FLOAT","RE_DATE","RE_LEADING_ZERO","RE_UNICODE_CHARACTERS","stringCompare","normalizeAlphaChunk","chunk","parseNumber","parsedNumber","normalizeNumericChunk","chunks","createChunkMap","normalizedString","createChunkMaps","chunksMaps","createChunks","isFunction","valueOf","isNull","isSymbol","isUndefined","getMappedValueRecord","stringValue","getTime","parsedDate","_unused","parseDate","numberify","createIdentifierFn","identifier","isInteger","orderBy","collection","identifiers","orders","validatedIdentifiers","identifierList","some","getIdentifiers","validatedOrders","orderList","getOrders","identifierFns","mappedCollection","element","recordA","recordB","indexA","valuesA","indexB","valuesB","ordersLength","_result","valueA","valueB","chunksA","chunksB","lengthA","lengthB","chunkA","chunkB","compareChunks","compareOtherTypes","compareMultiple","getElementByIndex","baseOrderBy","FileAction","displayName","iconSvgInline","InformationSvg","enabled","nodes","_nodes$0$root","root","permissions","Permission","NONE","OCP","goToRoute","fileid","useFilesStore","fileStore","roots","getNode","getNodes","ids","getRoot","service","updateNodes","acc","deleteNodes","setRoot","onDeletedNode","onCreatedNode","onUpdatedNode","usePathsStore","pathsStore","paths","getPath","addPath","_getNavigation","getNavigation","active","FileType","Folder","dirname","_children","parentId","parentFolder","useSelectionStore","selected","lastSelection","lastSelectedIndex","selection","setLastIndex","reset","uploader","useUploaderStore","getUploader","Directory","File","contents","super","_contents","_computeDirectorySize","lastModified","_computeDirectoryMtime","directory","entry","traverseTree","isFile","readDirectory","all","dirReader","createReader","getEntries","readEntries","results","createDirectoryIfNotExists","davClient","davGetClient","exists","createDirectory","recursive","stat","details","davGetDefaultPropfind","davResultToNode","resolveConflict","destination","conflicts","basename","uploads","renamed","openConflictPicker","showInfo","getQueue","PQueue","concurrency","MoveCopyAction","canMove","ALL","UPDATE","canCopy","_node$attributes$shar","_node$attributes","attributes","attribute","canDownload","rootPath","defaultRootUrl","hashCode","client","rootUrl","createClient","headers","requesttoken","getRequestToken","getPatcher","patch","_options$headers","method","request","getClient","resultToNode","userId","davParsePermissions","owner","filename","nodeData","mtime","lastmod","mime","hasPreview","failed","getContents","controller","AbortController","propfindPayload","CancelablePromise","onCancel","contentsResponse","getDirectoryContents","includeSelf","signal","folder","getSummaryFor","fileCount","folderCount","getActionForNodes","MOVE_OR_COPY","MOVE","COPY","handleCopyMoveNodeTo","overwrite","NodeStatus","LOADING","copySuffix","currentPath","davRootPath","destinationPath","otherNodes","otherNames","suffix","ignoreFileExtension","newName","ext","extname","getUniqueName","copyFile","hasConflict","deleteFile","moveFile","AxiosError","_error$response","_error$response2","_error$response3","openFilePickerForAction","fileIDs","filePicker","getFilePickerBuilder","allowDirectories","setFilter","CREATE","setMimeTypeFilter","setMultiSelect","startAt","setButtonFactory","_selection","buttons","dirnames","escape","sanitize","CopyIconSvg","FolderMoveSvg","FilePickerClosed","_node$root","execBatch","promises","dataTransferToFileTree","items","kind","_item$getAsEntry","_item$getAsEntry2","_item$webkitGetAsEntr","getAsEntry","webkitGetAsEntry","warned","fileTree","DataTransferItem","getAsFile","showWarning","onDropExternalFiles","uploadDirectoryContents","relativePath","joinPaths","upload","pause","start","errors","allSettled","onDropInternalFiles","isCopy","useDragAndDropStore","dragging","filesListWidth","_fileListEl$clientWid","fileListEl","clientWidth","$resizeObserver","ResizeObserver","contentRect","width","observe","disconnect","defineComponent","NcBreadcrumbs","NcBreadcrumb","mixins","filesListWidthMixin","draggingStore","filesStore","selectionStore","uploaderStore","dirs","sections","getFileIdFromPath","getDirDisplayName","disableDrop","isUploadInProgress","wrapUploadProgressBar","viewIcon","_this$currentView$ico","_this$currentView","selectedFiles","draggingFiles","getNodeFromId","_this$$navigation","fileId","onClick","_to$query","onDragOver","dataTransfer","dropEffect","onDrop","_event$dataTransfer","_event$dataTransfer2","_this$currentView2","canDrop","titleForSection","section","_section$to","ariaForSection","_section$to2","_setupProxy","_t","nativeOn","useActionsMenuStore","opened","useRenamingStore","renamingStore","renamingNode","FileMultipleIcon","FolderIcon","isSingleNode","isSingleFolder","summary","totalSize","total","parseInt","$refs","previewImg","replaceChildren","preview","parentNode","cloneNode","Preview","DragAndDropPreview","directive","vOnClickOutside","NcFile","Node","loading","dragover","gridMode","currentDir","currentFileId","_this$$route$params","_this$$route$query","_this$source","uniqueId","isLoading","extension","_this$source$attribut","isSelected","isRenaming","isRenamingSmallScreen","_this$fileid","_this$fileid$toString","_this$currentFileId","_this$currentFileId$t","canDrag","openedMenu","actionsMenuStore","_this$$el","closest","removeProperty","resetState","_this$$refs","_this$$refs$reset","onRightClick","_this$$el2","setProperty","clientX","clientY","isMoreThanOneSelected","execDefaultAction","openDetailsIfAvailable","_sidebarAction$enable","sidebarAction","onDragLeave","contains","relatedTarget","onDragStart","_event$dataTransfer$c","clearData","image","$mount","$on","$off","getDragAndDropPreview","setDragImage","onDragEnd","_event$dataTransfer3","_event$dataTransfer4","updateRootElement","getFileActions","ArrowLeftIcon","CustomElementRender","NcActionButton","NcActions","NcActionSeparator","NcLoadingIcon","openedSubmenu","enabledActions","enabledInlineActions","_action$inline","inline","enabledRenderActions","renderInline","enabledDefaultActions","enabledMenuActions","DefaultType","HIDDEN","findIndex","topActionsIds","enabledSubmenuActions","getBoundariesElement","mountType","_attributes","actionDisplayName","onActionClick","isSubmenu","success","isMenu","_this$enabledSubmenuA","onBackToMenuClick","menuAction","_menuAction$$el$query","focus","_vm$openedSubmenu","_vm$openedSubmenu2","_action$title","refInFor","_action$title2","keyboardStore","onEvent","useKeyboardStore","ariaLabel","onSelectionChange","_this$keyboardStore","newSelectedIndex","isAlreadySelected","filesToSelect","resetSelection","_k","keyCode","forbiddenCharacters","NcTextField","renameLabel","linkTo","_this$$parent","is","role","tabindex","READ","immediate","renaming","startRenaming","checkInputValidity","_this$newName$trim","_this$newName","isFileNameValid","setCustomValidity","reportValidity","trimmedName","OC","blacklist_files_regex","checkIfNodeExists","char","_this$$refs$renameInp","extLength","renameInput","inputField","setSelectionRange","Event","stopRenaming","onRename","_this$newName$trim2","_this$newName2","oldName","oldEncodedSource","encodedSource","rename","Destination","Overwrite","directives","rawName","expression","domProps","StarSvg","_el$setAttribute","setAttribute","AccountGroupIcon","AccountPlusIcon","CollectivesIcon","FavoriteIcon","FileIcon","FolderOpenIcon","KeyIcon","LinkIcon","NetworkIcon","TagIcon","backgroundFailed","_this$source$toString","isFavorite","favorite","cropPreviews","previewUrl","searchParams","fileOverlay","PlayCircleIcon","folderOverlay","_this$source2","_this$source3","_this$source4","_this$source5","shareTypes","ShareType","SHARE_TYPE_LINK","SHARE_TYPE_EMAIL","src","onBackgroundError","_event$target","_m","FileEntryActions","FileEntryCheckbox","FileEntryName","FileEntryPreview","NcDateTime","FileEntryMixin","isMtimeAvailable","isSizeAvailable","compact","rowListeners","dragstart","contextmenu","dragleave","dragend","drop","columns","sizeOpacity","ratio","round","pow","mtimeOpacity","_this$source$mtime","_this$source$mtime$ge","maxOpacityTime","mtimeTitle","moment","format","_g","column","_vm$currentView","inheritAttrs","header","currentFolder","mount","_this$currentFolder","classForColumn","_column$summary","keysOrMapper","reduced","storeKey","sortingMode","_this$getConfig","sorting_mode","defaultSortKey","isAscSorting","_this$getConfig2","toggleSortBy","MenuDown","MenuUp","NcButton","filesSortingMixin","FilesListTableHeaderButton","selectAllBind","checked","isAllSelected","indeterminate","isSomeSelected","selectedNodes","isNoneSelected","ariaSortForMode","onToggleAll","dataComponent","dataKey","dataSources","extraProps","scrollToIndex","caption","beforeHeight","headerHeight","tableHeight","resizeObserver","isReady","bufferItems","columnCount","itemHeight","itemWidth","rowCount","ceil","floor","startIndex","shownItems","renderedItems","oldItemsKeys","$_recycledPool","unusedKeys","random","tbodyStyle","isOverScrolled","lastIndex","hiddenAfterItems","paddingTop","paddingBottom","oldColumnCount","_this$$refs2","before","thead","debounce","_before$clientHeight","_thead$clientHeight","_root$clientHeight","clientHeight","onScroll","passive","targetRow","scrollTop","_this$_onScrollHandle","_onScrollHandle","requestAnimationFrame","topScroll","areSomeNodesLoading","inlineActions","selectionIds","failedIds","FilesListHeader","FilesListTableFooter","FilesListTableHeader","VirtualList","FilesListTableHeaderActions","FileEntry","FileEntryGrid","getFileListHeaders","openFileId","openFile","openfile","sortedHeaders","defaultCaption","viewCaption","sortableCaption","virtualListNote","scrollToFile","handleOpenFile","openSidebarForFile","getFileId","types","tableTop","table","tableBottom","height","TrayArrowDownIcon","canUpload","isQuotaExceeded","cantUploadLabel","mainContent","onContentDrop","_event$relatedTarget","_this$$el$querySelect","lastUpload","findLast","_upload$response","UploadStatus","FAILED","webkitRelativePath","_this$$route$params$v","isSharingEnabled","_getCapabilities","getCapabilities","files_sharing","BreadCrumbs","DragAndDropNotice","FilesListVirtual","ListViewIcon","NcAppContent","NcEmptyContent","PlusIcon","UploadPicker","ViewGridIcon","filterText","promise","Type","_unsubscribeStore","pageHeading","_this$currentView$nam","sortingParameters","_v$attributes","_v$attributes2","dirContentsSorted","_this$currentView3","filteredDirContent","dirContents","customColumn","_this$userConfigStore","showHidden","_file$attributes","hidden","isEmptyDir","isRefreshing","toPreviousDir","shareAttributes","_this$currentFolder2","_this$currentFolder3","shareButtonLabel","shareButtonType","SHARE_TYPE_USER","gridViewButtonLabel","_this$currentFolder4","canShare","SHARE","newView","resetSearch","fetchContent","newDir","oldDir","filesListVirtual","onSearch","unmounted","unsubscribe","_this$promise","$set","onUpload","_this$currentFolder5","onUploadFail","_upload$response2","parser","Parser","explicitRoot","parseStringPromise","_this$currentFolder6","searchEvent","openSharingSidebar","setActiveTab","toggleGridView","translatePlural","_vm$currentView2","emptyTitle","emptyCaption","NcContent","FilesList","Navigation","__webpack_nonce__","btoa","_window$OCA$Files","_window$OCP$Files","goTo","_provided","provideCache","observable","_settings","register","_defineProperty","_name","_el","_open","_close","FilesApp","_typeof","_exports","_setPrototypeOf","setPrototypeOf","_createSuper","Derived","hasNativeReflectConstruct","construct","sham","_isNativeReflectConstruct","Super","_getPrototypeOf","NewTarget","ReferenceError","_assertThisInitialized","_possibleConstructorReturn","getPrototypeOf","_createForOfIteratorHelper","allowArrayLike","it","minLen","_arrayLikeToArray","_unsupportedIterableToArray","F","s","done","f","normalCompletion","didErr","_e2","return","arr2","_classCallCheck","Constructor","_defineProperties","_createClass","protoProps","staticProps","_classPrivateFieldInitSpec","privateMap","privateCollection","_checkPrivateRedeclaration","_classPrivateFieldGet","receiver","_classApplyDescriptorGet","_classExtractFieldDescriptor","_classPrivateFieldSet","_classApplyDescriptorSet","cancelable","isCancelablePromise","_internals","_promise","CancelablePromiseInternal","_ref$executor","executor","_ref$internals","internals","isCanceled","onCancelList","_ref$promise","onfulfilled","onrejected","makeCancelable","createCallback","onfinally","runWhenCanceled","_this","finally","callbacks","_step","_iterator","_CancelablePromiseInt","subClass","superClass","_inherits","_super","iterable","makeAllCancelable","any","race","_default","onResult","arg","_step2","_iterator2","resolvable","___CSS_LOADER_URL_IMPORT_0___","___CSS_LOADER_URL_IMPORT_1___","___CSS_LOADER_EXPORT___","___CSS_LOADER_URL_REPLACEMENT_0___","___CSS_LOADER_URL_REPLACEMENT_1___","sax","opt","SAXParser","SAXStream","createStream","MAX_BUFFER_LENGTH","Stream","buffers","clearBuffers","q","bufferCheckPosition","lowercase","lowercasetags","looseCase","tags","closed","closedRoot","sawRoot","noscript","S","BEGIN","strictEntities","ENTITIES","XML_ENTITIES","attribList","xmlns","ns","rootNS","trackPosition","line","EVENTS","write","BEGIN_WHITESPACE","beginWhiteSpace","TEXT","starti","textNode","substring","isWhitespace","strictFail","TEXT_ENTITY","OPEN_WAKA","startTagPosition","SCRIPT","SCRIPT_ENDING","script","CLOSE_TAG","SGML_DECL","sgmlDecl","isMatch","nameStart","OPEN_TAG","tagName","PROC_INST","procInstName","procInstBody","pad","CDATA","emitNode","cdata","COMMENT","comment","DOCTYPE","doctype","isQuote","SGML_DECL_QUOTED","DOCTYPE_DTD","DOCTYPE_QUOTED","DOCTYPE_DTD_QUOTED","COMMENT_ENDING","COMMENT_ENDED","textopts","CDATA_ENDING","CDATA_ENDING_2","PROC_INST_ENDING","PROC_INST_BODY","nameBody","newTag","openTag","OPEN_TAG_SLASH","ATTRIB","closeTag","attribName","attribValue","ATTRIB_NAME","ATTRIB_VALUE","attrib","ATTRIB_NAME_SAW_WHITE","ATTRIB_VALUE_QUOTED","ATTRIB_VALUE_UNQUOTED","ATTRIB_VALUE_ENTITY_Q","ATTRIB_VALUE_CLOSED","isAttribEnd","ATTRIB_VALUE_ENTITY_U","CLOSE_TAG_SAW_WHITE","notMatch","returnState","buffer","unparsedEntities","parsedEntity","parseEntity","entity","entityBody","entityStart","maxAllowed","maxActual","closeText","checkBufferLength","resume","ex","streamWraps","ev","_parser","readable","me","onend","er","_decoder","Buffer","isBuffer","SD","XML_NAMESPACE","XMLNS_NAMESPACE","xml","stringFromCharCode","fromCodePoint","STATE","COMMENT_STARTING","nodeType","normalize","qname","qualName","local","qn","selfClosing","uri","nv","isSelfClosing","closeTo","num","entityLC","numStr","highSurrogate","lowSurrogate","codeUnits","codePoint","isFinite","RangeError","setImmediate","registerImmediate","html","channel","messagePrefix","onGlobalMessage","nextHandle","tasksByHandle","currentlyRunningATask","doc","attachTo","process","handle","nextTick","runIfPresent","postMessage","importScripts","postMessageIsAsynchronous","oldOnMessage","onmessage","canUsePostMessage","attachEvent","MessageChannel","port1","port2","onreadystatechange","removeChild","task","clearImmediate","g","d","RC","autostart","ignoreSameProgress","rate","lastTimestamp","lastProgress","historyTimeConstant","previousOutput","dt","report","progress","timestamp","deltaTimestamp","currentRate","estimate","Infinity","estimatedTime","Timeout","clearFn","_id","_clearFn","clearInterval","timeout","unref","enroll","msecs","_idleTimeoutId","_idleTimeout","unenroll","_unrefActive","_onTimeout","stripBOM","builder","defaults","escapeCDATA","requiresCDATA","wrapCDATA","hasProp","Builder","buildObject","rootObj","attrkey","charkey","rootElement","rootName","attr","txt","ele","up","att","xmldec","headless","allowSurrogateChars","renderOpts","explicitCharkey","normalizeTags","explicitArray","ignoreAttrs","mergeAttrs","validator","explicitChildren","childkey","charsAsChildren","includeWhiteChars","attrNameProcessors","attrValueProcessors","tagNameProcessors","valueProcessors","emptyTag","preserveChildrenOrder","chunkSize","isEmpty","processItem","processors","thing","parseString","assignOrPush","processAsync","xmlnskey","ctor","__super__","remaining","saxParser","error1","errThrown","ontext","ended","resultObject","EXPLICIT_CHARKEY","onopentag","processedKey","onclosetag","emptyStr","nodeName","objClone","old","xpath","getOwnPropertyNames","charChild","oncdata","prefixMatch","firstCharLowerCase","stripPrefix","parseFloat","ValidationError","Disconnected","Preceding","Following","Contains","ContainedBy","ImplementationSpecific","Element","Attribute","Text","CData","EntityReference","EntityDeclaration","ProcessingInstruction","Comment","Document","DocType","DocumentFragment","NotationDeclaration","Declaration","Raw","AttributeDeclaration","ElementDeclaration","Dummy","getValue","sources","proto","None","OpenTag","InsideTag","CloseTag","NodeType","XMLAttribute","debugInfo","attValue","isId","schemaTypeInfo","writer","filterOptions","isEqualNode","namespaceURI","localName","XMLCharacterData","XMLCData","XMLNode","substringData","count","appendData","insertData","deleteData","replaceData","XMLComment","XMLDOMErrorHandler","XMLDOMStringList","XMLDOMConfiguration","defaultParams","getParameter","canSetParameter","setParameter","handleError","XMLDOMImplementation","hasFeature","feature","createDocumentType","qualifiedName","publicId","systemId","createDocument","createHTMLDocument","getFeature","XMLDTDAttList","elementName","attributeName","attributeType","defaultValueType","dtdAttType","dtdAttDefault","dtdAttList","XMLDTDElement","dtdElementValue","dtdElement","XMLDTDEntity","pe","pubID","sysID","internal","dtdPubID","dtdSysID","nData","dtdNData","dtdEntityValue","dtdEntity","XMLDTDNotation","dtdNotation","XMLDeclaration","encoding","standalone","xmlVersion","xmlEncoding","xmlStandalone","declaration","XMLNamedNodeMap","XMLDocType","ref1","ref2","documentObject","attList","pEntity","notation","docType","ent","pent","not","XMLStringWriter","XMLStringifier","XMLDocument","documentURI","domConfig","rootObject","writerOptions","createDocumentFragment","createTextNode","createComment","createCDATASection","createProcessingInstruction","createAttribute","createEntityReference","getElementsByTagName","tagname","importNode","importedNode","createElementNS","createAttributeNS","getElementsByTagNameNS","elementId","adoptNode","normalizeDocument","renameNode","getElementsByClassName","classNames","eventInterface","createRange","createNodeIterator","whatToShow","createTreeWalker","WriterState","XMLElement","XMLProcessingInstruction","XMLRaw","XMLText","XMLDocumentCB","onData","onEnd","onDataCallback","onEndCallback","currentNode","currentLevel","openTags","documentStarted","documentCompleted","createChildNode","attName","attribs","dummy","instruction","openCurrent","oldValidationFlag","noValidation","keepNullAttributes","insTarget","insValue","processingInstruction","rootNodeName","closeNode","openNode","isOpen","indent","endline","isClosed","level","nod","dat","com","ins","dec","dtd","r","XMLDummy","isRoot","attributeMap","clonedSelf","clonedChild","removeAttribute","getAttributeNode","setAttributeNode","newAttr","removeAttributeNode","oldAttr","getAttributeNS","setAttributeNS","removeAttributeNS","getAttributeNodeNS","setAttributeNodeNS","hasAttribute","hasAttributeNS","setIdAttribute","setIdAttributeNS","setIdAttributeNode","idAttr","getNamedItem","setNamedItem","oldNode","removeNamedItem","getNamedItemNS","setNamedItemNS","removeNamedItemNS","DocumentPosition","XMLNodeList","parent1","baseURI","childNodeList","textContent","setParent","childNode","k","lastChild","len1","ref3","ignoreDecorators","convertAttKey","separateArrayItems","keepNullNodes","convertTextKey","convertCDataKey","convertCommentKey","convertRawKey","convertPIKey","insertBefore","newChild","refChild","removed","insertAfter","remove","commentBefore","commentAfter","instructionBefore","instructionAfter","importDocument","clonedRoot","u","importXMLBuilder","replaceChild","oldChild","hasChildNodes","isSupported","hasAttributes","compareDocumentPosition","other","isAncestor","isDescendant","isPreceding","isSameNode","lookupPrefix","isDefaultNamespace","lookupNamespaceURI","setUserData","getUserData","nodePos","thisPos","treePosition","isFollowing","found","pos","foreachTreeNode","func","XMLWriterBase","XMLStreamWriter","stream","isLastRootNode","writeChildNode","spaceBeforeSlash","childNodeCount","firstChildNode","allowEmpty","suppressPrettyCount","newline","assertLegalName","assertLegalChar","textEscape","attEscape","ampregex","noDoubleEncoding","previousSibling","nextSibling","splitText","replaceWholeText","content","filteredOptions","ref4","ref5","ref6","dontPrettyTextNodes","dontprettytextnodes","spacebeforeslash","user","indentLevel","openAttribute","closeAttribute","prettySuppressed","begin","stringWriter","streamWriter","implementation","writerState","setUid","Ne","_entries","registerEntry","validateEntry","unregisterEntry","getEntryIndex","C","P","Yt","toLocaleString","W","DEFAULT","Qt","_action","validateAction","_nc_fileactions","nr","_nc_filelistheader","N","DELETE","Z","nc","oc","ocs","V","_nc_dav_properties","L","_nc_dav_namespaces","sr","or","be","Y","crtime","J","NEW","LOCKED","Q","_data","_knownDavService","updateMtime","deleteProperty","isDavRessource","move","ye","D","ur","setHeaders","fetch","dr","ve","getcontentlength","Te","_views","_currentView","ar","_nc_navigation","Ie","_column","Ae","R","O","isExist","isEmptyObject","merge","isName","getAllMatches","nameRegexp","M","Oe","allowBooleanAttributes","unpairedTags","X","U","w","G","validate","Se","xe","z","code","tagClosed","tagStartPos","col","Ve","Ce","Pe","$e","Le","Fe","te","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","attributeValueProcessor","stopNodes","alwaysCreateTextNode","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","buildOptions","defaultOptions","Be","Xe","Ue","Ge","ze","He","Ke","We","je","Ye","Je","decimalPoint","T","addChild","tt","entityName","regx","entities","rt","skipLike","De","lastEntities","st","replaceEntitiesValue","$","ot","ut","resolveNameSpace","at","saveTextToParentTag","lastIndexOf","tagsNodeStack","tagExp","attrExpPresent","buildAttributesMap","closeIndex","docTypeEntities","parseTextData","rawTagName","isItStopNode","E","readStopNodeData","tagContent","lt","ft","ampEntity","ct","ht","pt","trimStart","gt","ne","ie","Nt","bt","Et","prettify","yt","apos","quot","space","cent","pound","yen","euro","copyright","reg","inr","addExternalEntities","parseXml","vt","Tt","se","Pt","xt","oe","H","indentBy","suppressUnpairedNode","suppressEmptyNode","endsWith","suppressBooleanAttributes","Ft","Vt","oneListGroup","isAttribute","attrPrefixLen","Rt","processTextOrObjNode","Lt","indentate","St","tagEndChar","newLine","j2x","buildTextValNode","attrStr","buildObjectNode","arrayNodeName","buildAttrPairStr","K","XMLParser","externalEntities","addEntity","XMLValidator","XMLBuilder","cr","_view","Ut","emptyView","Xt","gr","_nc_newfilemenu","numeric","sensitivity","CancelError","promiseState","canceled","rejected","PCancelable","userFunction","description","shouldReject","boolean","onFulfilled","onRejected","onFinally","TimeoutError","AbortError","getDOMException","errorMessage","DOMException","getAbortedReason","PriorityQueue","enqueue","priority","array","comparator","first","trunc","lowerBound","dequeue","carryoverConcurrencyCount","intervalCap","POSITIVE_INFINITY","interval","autoStart","queueClass","throwOnTimeout","canInitializeInterval","job","newConcurrency","_resolve","function_","throwIfAborted","milliseconds","customTimers","timer","cancelablePromise","sign","timeoutError","pTimeout","addAll","functions","onEmpty","onSizeLessThan","limit","onIdle","sizeBy","isPaused","A","onUploadProgress","B","appConfig","max_chunk_size","INITIALIZED","UPLOADING","ASSEMBLING","FINISHED","CANCELLED","_source","_file","_isChunked","_chunks","_size","_uploaded","_startTime","_status","_controller","_response","isChunked","startTime","uploaded","I","IDLE","PAUSED","_destinationFolder","_isPublic","_uploadQueue","_jobQueue","_queueSize","_queueProgress","_queueStatus","_notifiers","isPublic","maxChunksSize","updateStats","addNotifier","bytes","ts","staticRenderFns","_compiled","_scopeId","ssrContext","__VUE_SSR_CONTEXT__","_registeredComponents","_ssrRegister","$root","shadowRoot","_injectStyles","ms","fill","viewBox","fs","xs","detectLocale","locale","json","charset","Language","translations","msgid","comments","translator","msgstr","Add","paused","msgid_plural","extracted","Cancel","Continue","New","addTranslation","Gs","ngettext","gettext","Ls","Plus","Upload","disabled","multiple","addLabel","cancelLabel","uploadLabel","progressLabel","progressTimeId","eta","timeLeft","newFileMenuEntries","uploadManager","totalQueueSize","uploadedQueueSize","hasFailure","isUploading","isAssembling","buttonName","setDestination","updateStatus","onUploadCompletion","onPick","Us","ys","form","setSeconds","toISOString","seconds","Ys","decorative","svg","change","submit","$destroy","baseURL","noRewrite","modRewriteWorking","_oc_webroot","Axios","CanceledError","isCancel","CancelToken","VERSION","isAxiosError","spread","toFormData","AxiosHeaders","HttpStatusCode","formToJSON","getAdapter","mergeConfig","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","chunkIds","notFulfilled","fulfilled","getter","definition","chunkId","needAttach","scripts","onScriptComplete","doneFns","head","nmd","scriptUrl","currentScript","installedChunks","installedChunkData","realSrc","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""} \ No newline at end of file
+{"version":3,"file":"files-main.js?v=7967ccf9848af6ebe0ed","mappings":";UAAIA,ECAAC,EACAC,2BCCJ,IAAIC,EAAMC,OAAOC,UAAUC,eACvBC,EAAS,IASb,SAASC,IAAU,CA4BnB,SAASC,EAAGC,EAAIC,EAASC,GACvBC,KAAKH,GAAKA,EACVG,KAAKF,QAAUA,EACfE,KAAKD,KAAOA,IAAQ,CACtB,CAaA,SAASE,EAAYC,EAASC,EAAON,EAAIC,EAASC,GAChD,GAAkB,mBAAPF,EACT,MAAM,IAAIO,UAAU,mCAGtB,IAAIC,EAAW,IAAIT,EAAGC,EAAIC,GAAWI,EAASH,GAC1CO,EAAMZ,EAASA,EAASS,EAAQA,EAMpC,OAJKD,EAAQK,QAAQD,GACXJ,EAAQK,QAAQD,GAAKT,GAC1BK,EAAQK,QAAQD,GAAO,CAACJ,EAAQK,QAAQD,GAAMD,GADhBH,EAAQK,QAAQD,GAAKE,KAAKH,IADlCH,EAAQK,QAAQD,GAAOD,EAAUH,EAAQO,gBAI7DP,CACT,CASA,SAASQ,EAAWR,EAASI,GACI,KAAzBJ,EAAQO,aAAoBP,EAAQK,QAAU,IAAIZ,SAC5CO,EAAQK,QAAQD,EAC9B,CASA,SAASK,IACPX,KAAKO,QAAU,IAAIZ,EACnBK,KAAKS,aAAe,CACtB,CAzEIlB,OAAOqB,SACTjB,EAAOH,UAAYD,OAAOqB,OAAO,OAM5B,IAAIjB,GAASkB,YAAWnB,GAAS,IA2ExCiB,EAAanB,UAAUsB,WAAa,WAClC,IACIC,EACAC,EAFAC,EAAQ,GAIZ,GAA0B,IAAtBjB,KAAKS,aAAoB,OAAOQ,EAEpC,IAAKD,KAASD,EAASf,KAAKO,QACtBjB,EAAI4B,KAAKH,EAAQC,IAAOC,EAAMT,KAAKd,EAASsB,EAAKG,MAAM,GAAKH,GAGlE,OAAIzB,OAAO6B,sBACFH,EAAMI,OAAO9B,OAAO6B,sBAAsBL,IAG5CE,CACT,EASAN,EAAanB,UAAU8B,UAAY,SAAmBnB,GACpD,IAAIG,EAAMZ,EAASA,EAASS,EAAQA,EAChCoB,EAAWvB,KAAKO,QAAQD,GAE5B,IAAKiB,EAAU,MAAO,GACtB,GAAIA,EAAS1B,GAAI,MAAO,CAAC0B,EAAS1B,IAElC,IAAK,IAAI2B,EAAI,EAAGC,EAAIF,EAASG,OAAQC,EAAK,IAAIC,MAAMH,GAAID,EAAIC,EAAGD,IAC7DG,EAAGH,GAAKD,EAASC,GAAG3B,GAGtB,OAAO8B,CACT,EASAhB,EAAanB,UAAUqC,cAAgB,SAAuB1B,GAC5D,IAAIG,EAAMZ,EAASA,EAASS,EAAQA,EAChCmB,EAAYtB,KAAKO,QAAQD,GAE7B,OAAKgB,EACDA,EAAUzB,GAAW,EAClByB,EAAUI,OAFM,CAGzB,EASAf,EAAanB,UAAUsC,KAAO,SAAc3B,EAAO4B,EAAIC,EAAIC,EAAIC,EAAIC,GACjE,IAAI7B,EAAMZ,EAASA,EAASS,EAAQA,EAEpC,IAAKH,KAAKO,QAAQD,GAAM,OAAO,EAE/B,IAEI8B,EACAZ,EAHAF,EAAYtB,KAAKO,QAAQD,GACzB+B,EAAMC,UAAUZ,OAIpB,GAAIJ,EAAUzB,GAAI,CAGhB,OAFIyB,EAAUvB,MAAMC,KAAKuC,eAAepC,EAAOmB,EAAUzB,QAAI2C,GAAW,GAEhEH,GACN,KAAK,EAAG,OAAOf,EAAUzB,GAAGqB,KAAKI,EAAUxB,UAAU,EACrD,KAAK,EAAG,OAAOwB,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,IAAK,EACzD,KAAK,EAAG,OAAOT,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,IAAK,EAC7D,KAAK,EAAG,OAAOV,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,EAAIC,IAAK,EACjE,KAAK,EAAG,OAAOX,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,EAAIC,EAAIC,IAAK,EACrE,KAAK,EAAG,OAAOZ,EAAUzB,GAAGqB,KAAKI,EAAUxB,QAASiC,EAAIC,EAAIC,EAAIC,EAAIC,IAAK,EAG3E,IAAKX,EAAI,EAAGY,EAAO,IAAIR,MAAMS,EAAK,GAAIb,EAAIa,EAAKb,IAC7CY,EAAKZ,EAAI,GAAKc,UAAUd,GAG1BF,EAAUzB,GAAG4C,MAAMnB,EAAUxB,QAASsC,EACxC,KAAO,CACL,IACIM,EADAhB,EAASJ,EAAUI,OAGvB,IAAKF,EAAI,EAAGA,EAAIE,EAAQF,IAGtB,OAFIF,EAAUE,GAAGzB,MAAMC,KAAKuC,eAAepC,EAAOmB,EAAUE,GAAG3B,QAAI2C,GAAW,GAEtEH,GACN,KAAK,EAAGf,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,SAAU,MACpD,KAAK,EAAGwB,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,QAASiC,GAAK,MACxD,KAAK,EAAGT,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,QAASiC,EAAIC,GAAK,MAC5D,KAAK,EAAGV,EAAUE,GAAG3B,GAAGqB,KAAKI,EAAUE,GAAG1B,QAASiC,EAAIC,EAAIC,GAAK,MAChE,QACE,IAAKG,EAAM,IAAKM,EAAI,EAAGN,EAAO,IAAIR,MAAMS,EAAK,GAAIK,EAAIL,EAAKK,IACxDN,EAAKM,EAAI,GAAKJ,UAAUI,GAG1BpB,EAAUE,GAAG3B,GAAG4C,MAAMnB,EAAUE,GAAG1B,QAASsC,GAGpD,CAEA,OAAO,CACT,EAWAzB,EAAanB,UAAUmD,GAAK,SAAYxC,EAAON,EAAIC,GACjD,OAAOG,EAAYD,KAAMG,EAAON,EAAIC,GAAS,EAC/C,EAWAa,EAAanB,UAAUO,KAAO,SAAcI,EAAON,EAAIC,GACrD,OAAOG,EAAYD,KAAMG,EAAON,EAAIC,GAAS,EAC/C,EAYAa,EAAanB,UAAU+C,eAAiB,SAAwBpC,EAAON,EAAIC,EAASC,GAClF,IAAIO,EAAMZ,EAASA,EAASS,EAAQA,EAEpC,IAAKH,KAAKO,QAAQD,GAAM,OAAON,KAC/B,IAAKH,EAEH,OADAa,EAAWV,KAAMM,GACVN,KAGT,IAAIsB,EAAYtB,KAAKO,QAAQD,GAE7B,GAAIgB,EAAUzB,GAEVyB,EAAUzB,KAAOA,GACfE,IAAQuB,EAAUvB,MAClBD,GAAWwB,EAAUxB,UAAYA,GAEnCY,EAAWV,KAAMM,OAEd,CACL,IAAK,IAAIkB,EAAI,EAAGT,EAAS,GAAIW,EAASJ,EAAUI,OAAQF,EAAIE,EAAQF,KAEhEF,EAAUE,GAAG3B,KAAOA,GACnBE,IAASuB,EAAUE,GAAGzB,MACtBD,GAAWwB,EAAUE,GAAG1B,UAAYA,IAErCiB,EAAOP,KAAKc,EAAUE,IAOtBT,EAAOW,OAAQ1B,KAAKO,QAAQD,GAAyB,IAAlBS,EAAOW,OAAeX,EAAO,GAAKA,EACpEL,EAAWV,KAAMM,EACxB,CAEA,OAAON,IACT,EASAW,EAAanB,UAAUoD,mBAAqB,SAA4BzC,GACtE,IAAIG,EAUJ,OARIH,GACFG,EAAMZ,EAASA,EAASS,EAAQA,EAC5BH,KAAKO,QAAQD,IAAMI,EAAWV,KAAMM,KAExCN,KAAKO,QAAU,IAAIZ,EACnBK,KAAKS,aAAe,GAGfT,IACT,EAKAW,EAAanB,UAAUqD,IAAMlC,EAAanB,UAAU+C,eACpD5B,EAAanB,UAAUS,YAAcU,EAAanB,UAAUmD,GAK5DhC,EAAamC,SAAWpD,EAKxBiB,EAAaA,aAAeA,EAM1BoC,EAAOC,QAAUrC,yMClUnB,IAAIsC,EAQJ,MAAMC,EAAkBC,GAAWF,EAAcE,EAK3CC,EAAsGC,SAE5G,SAASC,EAETC,GACI,OAAQA,GACS,iBAANA,GAC+B,oBAAtChE,OAAOC,UAAUgE,SAAStC,KAAKqC,IACX,mBAAbA,EAAEE,MACjB,CAMA,IAAIC,GACJ,SAAWA,GAQPA,EAAqB,OAAI,SAMzBA,EAA0B,YAAI,eAM9BA,EAA4B,cAAI,gBAEnC,CAtBD,CAsBGA,IAAiBA,EAAe,CAAC,IAEpC,MAAMC,EAA8B,oBAAXC,OAOnBC,EAA6F,oBAA1BC,uBAAyCA,uBAAiEH,EAY7KI,EAAwB,KAAyB,iBAAXH,QAAuBA,OAAOA,SAAWA,OAC/EA,OACgB,iBAATI,MAAqBA,KAAKA,OAASA,KACtCA,KACkB,iBAAXC,QAAuBA,OAAOA,SAAWA,OAC5CA,OACsB,iBAAfC,WACHA,WACA,CAAEC,YAAa,MARH,GAkB9B,SAASC,EAASC,EAAKrD,EAAMsD,GACzB,MAAMC,EAAM,IAAIC,eAChBD,EAAIE,KAAK,MAAOJ,GAChBE,EAAIG,aAAe,OACnBH,EAAII,OAAS,WACTC,EAAOL,EAAIM,SAAU7D,EAAMsD,EAC/B,EACAC,EAAIO,QAAU,WACVC,EAAQC,MAAM,0BAClB,EACAT,EAAIU,MACR,CACA,SAASC,EAAYb,GACjB,MAAME,EAAM,IAAIC,eAEhBD,EAAIE,KAAK,OAAQJ,GAAK,GACtB,IACIE,EAAIU,MACR,CACA,MAAOE,GAAK,CACZ,OAAOZ,EAAIa,QAAU,KAAOb,EAAIa,QAAU,GAC9C,CAEA,SAASC,EAAMC,GACX,IACIA,EAAKC,cAAc,IAAIC,WAAW,SACtC,CACA,MAAOL,GACH,MAAM7E,EAAMmF,SAASC,YAAY,eACjCpF,EAAIqF,eAAe,SAAS,GAAM,EAAM/B,OAAQ,EAAG,EAAG,EAAG,GAAI,IAAI,GAAO,GAAO,GAAO,EAAO,EAAG,MAChG0B,EAAKC,cAAcjF,EACvB,CACJ,CACA,MAAMsF,EACgB,iBAAdC,UAAyBA,UAAY,CAAEC,UAAW,IAIpDC,EAA+B,KAAO,YAAYC,KAAKJ,EAAWE,YACpE,cAAcE,KAAKJ,EAAWE,aAC7B,SAASE,KAAKJ,EAAWE,WAFO,GAG/BlB,EAAUjB,EAGqB,oBAAtBsC,mBACH,aAAcA,kBAAkBzG,YAC/BuG,EAOb,SAAwBG,EAAMlF,EAAO,WAAYsD,GAC7C,MAAM6B,EAAIV,SAASW,cAAc,KACjCD,EAAE/B,SAAWpD,EACbmF,EAAEE,IAAM,WAGY,iBAATH,GAEPC,EAAEG,KAAOJ,EACLC,EAAEI,SAAWC,SAASD,OAClBrB,EAAYiB,EAAEG,MACdlC,EAAS8B,EAAMlF,EAAMsD,IAGrB6B,EAAEM,OAAS,SACXpB,EAAMc,IAIVd,EAAMc,KAKVA,EAAEG,KAAOI,IAAIC,gBAAgBT,GAC7BU,YAAW,WACPF,IAAIG,gBAAgBV,EAAEG,KAC1B,GAAG,KACHM,YAAW,WACPvB,EAAMc,EACV,GAAG,GAEX,EApCgB,qBAAsBP,EAqCtC,SAAkBM,EAAMlF,EAAO,WAAYsD,GACvC,GAAoB,iBAAT4B,EACP,GAAIhB,EAAYgB,GACZ9B,EAAS8B,EAAMlF,EAAMsD,OAEpB,CACD,MAAM6B,EAAIV,SAASW,cAAc,KACjCD,EAAEG,KAAOJ,EACTC,EAAEM,OAAS,SACXG,YAAW,WACPvB,EAAMc,EACV,GACJ,MAIAN,UAAUiB,iBA/GlB,SAAaZ,GAAM,QAAEa,GAAU,GAAU,CAAC,GAGtC,OAAIA,GACA,6EAA6Ef,KAAKE,EAAKc,MAChF,IAAIC,KAAK,CAACC,OAAOC,aAAa,OAASjB,GAAO,CAAEc,KAAMd,EAAKc,OAE/Dd,CACX,CAuGmCkB,CAAIlB,EAAM5B,GAAOtD,EAEpD,EACA,SAAyBkF,EAAMlF,EAAMsD,EAAM+C,GAOvC,IAJAA,EAAQA,GAAS5C,KAAK,GAAI,aAEtB4C,EAAM5B,SAAS6B,MAAQD,EAAM5B,SAAS8B,KAAKC,UAAY,kBAEvC,iBAATtB,EACP,OAAO9B,EAAS8B,EAAMlF,EAAMsD,GAChC,MAAMmD,EAAsB,6BAAdvB,EAAKc,KACbU,EAAW,eAAe1B,KAAKkB,OAAOnD,EAAQI,eAAiB,WAAYJ,EAC3E4D,EAAc,eAAe3B,KAAKH,UAAUC,WAClD,IAAK6B,GAAgBF,GAASC,GAAa3B,IACjB,oBAAf6B,WAA4B,CAEnC,MAAMC,EAAS,IAAID,WACnBC,EAAOC,UAAY,WACf,IAAIzD,EAAMwD,EAAOE,OACjB,GAAmB,iBAAR1D,EAEP,MADAgD,EAAQ,KACF,IAAIW,MAAM,4BAEpB3D,EAAMsD,EACAtD,EACAA,EAAI4D,QAAQ,eAAgB,yBAC9BZ,EACAA,EAAMb,SAASF,KAAOjC,EAGtBmC,SAAS0B,OAAO7D,GAEpBgD,EAAQ,IACZ,EACAQ,EAAOM,cAAcjC,EACzB,KACK,CACD,MAAM7B,EAAMqC,IAAIC,gBAAgBT,GAC5BmB,EACAA,EAAMb,SAAS0B,OAAO7D,GAEtBmC,SAASF,KAAOjC,EACpBgD,EAAQ,KACRT,YAAW,WACPF,IAAIG,gBAAgBxC,EACxB,GAAG,IACP,CACJ,EA7GM,OAqHN,SAAS+D,EAAaC,EAASrB,GAC3B,MAAMsB,EAAe,MAAQD,EACS,mBAA3BE,uBAEPA,uBAAuBD,EAActB,GAEvB,UAATA,EACLjC,EAAQC,MAAMsD,GAEA,SAATtB,EACLjC,EAAQyD,KAAKF,GAGbvD,EAAQ0D,IAAIH,EAEpB,CACA,SAASI,EAAQnF,GACb,MAAO,OAAQA,GAAK,YAAaA,CACrC,CAMA,SAASoF,IACL,KAAM,cAAe9C,WAEjB,OADAuC,EAAa,iDAAkD,UACxD,CAEf,CACA,SAASQ,EAAqB5D,GAC1B,SAAIA,aAAiBgD,OACjBhD,EAAMqD,QAAQQ,cAAcC,SAAS,8BACrCV,EAAa,kGAAmG,SACzG,EAGf,CAwCA,IAAIW,EAyCJ,SAASC,EAAgB7F,EAAO8F,GAC5B,IAAK,MAAMC,KAAOD,EAAO,CACrB,MAAME,EAAahG,EAAM8F,MAAMG,MAAMF,GAEjCC,EACA5J,OAAO2I,OAAOiB,EAAYF,EAAMC,IAIhC/F,EAAM8F,MAAMG,MAAMF,GAAOD,EAAMC,EAEvC,CACJ,CAEA,SAASG,EAAcC,GACnB,MAAO,CACHC,QAAS,CACLD,WAGZ,CACA,MAAME,EAAmB,kBACnBC,EAAgB,QACtB,SAASC,EAA4BC,GACjC,OAAOjB,EAAQiB,GACT,CACEC,GAAIH,EACJI,MAAOL,GAET,CACEI,GAAID,EAAMG,IACVD,MAAOF,EAAMG,IAEzB,CAmDA,SAASC,EAAgBhJ,GACrB,OAAKA,EAEDa,MAAMoI,QAAQjJ,GAEPA,EAAOkJ,QAAO,CAACC,EAAM/J,KACxB+J,EAAKC,KAAK3J,KAAKL,EAAM+I,KACrBgB,EAAKE,WAAW5J,KAAKL,EAAM6G,MAC3BkD,EAAKG,SAASlK,EAAM+I,KAAO/I,EAAMkK,SACjCH,EAAKI,SAASnK,EAAM+I,KAAO/I,EAAMmK,SAC1BJ,IACR,CACCG,SAAU,CAAC,EACXF,KAAM,GACNC,WAAY,GACZE,SAAU,CAAC,IAIR,CACHC,UAAWlB,EAActI,EAAOiG,MAChCkC,IAAKG,EAActI,EAAOmI,KAC1BmB,SAAUtJ,EAAOsJ,SACjBC,SAAUvJ,EAAOuJ,UArBd,CAAC,CAwBhB,CACA,SAASE,EAAmBxD,GACxB,OAAQA,GACJ,KAAKtD,EAAa+G,OACd,MAAO,WACX,KAAK/G,EAAagH,cAElB,KAAKhH,EAAaiH,YACd,MAAO,SACX,QACI,MAAO,UAEnB,CAGA,IAAIC,GAAmB,EACvB,MAAMC,EAAsB,GACtBC,EAAqB,kBACrBC,EAAe,SACb7C,OAAQ8C,GAAazL,OAOvB0L,EAAgBrB,GAAO,MAAQA,EAQrC,SAASsB,EAAsBC,EAAKhI,IAChC,QAAoB,CAChByG,GAAI,gBACJC,MAAO,WACPuB,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,sBACAM,QACAI,IACuB,mBAAZA,EAAIC,KACXpD,EAAa,2MAEjBmD,EAAIE,iBAAiB,CACjB7B,GAAIkB,EACJjB,MAAO,WACP6B,MAAO,WAEXH,EAAII,aAAa,CACb/B,GAAImB,EACJlB,MAAO,WACP+B,KAAM,UACNC,sBAAuB,gBACvBC,QAAS,CACL,CACIF,KAAM,eACNG,OAAQ,MA1P5BC,eAAqC7I,GACjC,IAAIwF,IAEJ,UACU9C,UAAUoG,UAAUC,UAAUC,KAAKC,UAAUjJ,EAAM8F,MAAMG,QAC/DhB,EAAa,oCACjB,CACA,MAAOpD,GACH,GAAI4D,EAAqB5D,GACrB,OACJoD,EAAa,qEAAsE,SACnFrD,EAAQC,MAAMA,EAClB,CACJ,CA8OwBqH,CAAsBlJ,EAAM,EAEhCmJ,QAAS,gCAEb,CACIV,KAAM,gBACNG,OAAQC,gBAnP5BA,eAAsC7I,GAClC,IAAIwF,IAEJ,IACIK,EAAgB7F,EAAOgJ,KAAKI,YAAY1G,UAAUoG,UAAUO,aAC5DpE,EAAa,sCACjB,CACA,MAAOpD,GACH,GAAI4D,EAAqB5D,GACrB,OACJoD,EAAa,sFAAuF,SACpGrD,EAAQC,MAAMA,EAClB,CACJ,CAuO8ByH,CAAuBtJ,GAC7BoI,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,EAAa,EAExCuB,QAAS,wDAEb,CACIV,KAAM,OACNG,OAAQ,MA9O5BC,eAAqC7I,GACjC,IACIyB,EAAO,IAAIqC,KAAK,CAACkF,KAAKC,UAAUjJ,EAAM8F,MAAMG,QAAS,CACjDpC,KAAM,6BACN,mBACR,CACA,MAAOhC,GACHoD,EAAa,0EAA2E,SACxFrD,EAAQC,MAAMA,EAClB,CACJ,CAqOwB4H,CAAsBzJ,EAAM,EAEhCmJ,QAAS,iCAEb,CACIV,KAAM,cACNG,OAAQC,gBAhN5BA,eAAyC7I,GACrC,IACI,MAAMsB,GA1BLsE,IACDA,EAAYtD,SAASW,cAAc,SACnC2C,EAAU/B,KAAO,OACjB+B,EAAU8D,OAAS,SAEvB,WACI,OAAO,IAAIC,SAAQ,CAACC,EAASC,KACzBjE,EAAUkE,SAAWjB,UACjB,MAAMkB,EAAQnE,EAAUmE,MACxB,IAAKA,EACD,OAAOH,EAAQ,MACnB,MAAMI,EAAOD,EAAME,KAAK,GACxB,OAEOL,EAFFI,EAEU,CAAEE,WAAYF,EAAKE,OAAQF,QADvB,KAC8B,EAGrDpE,EAAUuE,SAAW,IAAMP,EAAQ,MACnChE,EAAUjE,QAAUkI,EACpBjE,EAAU1D,OAAO,GAEzB,GAMU0C,QAAetD,IACrB,IAAKsD,EACD,OACJ,MAAM,KAAEsF,EAAI,KAAEF,GAASpF,EACvBiB,EAAgB7F,EAAOgJ,KAAKI,MAAMc,IAClCjF,EAAa,+BAA+B+E,EAAKnM,SACrD,CACA,MAAOgE,GACHoD,EAAa,4EAA6E,SAC1FrD,EAAQC,MAAMA,EAClB,CACJ,CAmM8BuI,CAA0BpK,GAChCoI,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,EAAa,EAExCuB,QAAS,sCAGjBkB,YAAa,CACT,CACI5B,KAAM,UACNU,QAAS,kCACTP,OAAS0B,IACL,MAAM9D,EAAQxG,EAAMuK,GAAGC,IAAIF,GACtB9D,EAG4B,mBAAjBA,EAAMiE,OAClBxF,EAAa,iBAAiBqF,kEAAwE,SAGtG9D,EAAMiE,SACNxF,EAAa,UAAUqF,cAPvBrF,EAAa,iBAAiBqF,oCAA0C,OAQ5E,MAKhBlC,EAAI5I,GAAGkL,kBAAiB,CAACC,EAASC,KAC9B,MAAMC,EAASF,EAAQG,mBACnBH,EAAQG,kBAAkBD,MAC9B,GAAIA,GAASA,EAAME,SAAU,CACzB,MAAMC,EAAcL,EAAQG,kBAAkBD,MAAME,SACpD3O,OAAO6O,OAAOD,GAAaE,SAAS1E,IAChCmE,EAAQQ,aAAarF,MAAMzI,KAAK,CAC5BwG,KAAMiE,EAAatB,EAAMG,KACzBZ,IAAK,QACLqF,UAAU,EACVnF,MAAOO,EAAM6E,cACP,CACEjF,QAAS,CACLH,OAAO,QAAMO,EAAM8E,QACnB3C,QAAS,CACL,CACIF,KAAM,UACNU,QAAS,gCACTP,OAAQ,IAAMpC,EAAMiE,aAMhCrO,OAAO4K,KAAKR,EAAM8E,QAAQxE,QAAO,CAAChB,EAAOC,KACrCD,EAAMC,GAAOS,EAAM8E,OAAOvF,GACnBD,IACR,CAAC,KAEZU,EAAM+E,UAAY/E,EAAM+E,SAAShN,QACjCoM,EAAQQ,aAAarF,MAAMzI,KAAK,CAC5BwG,KAAMiE,EAAatB,EAAMG,KACzBZ,IAAK,UACLqF,UAAU,EACVnF,MAAOO,EAAM+E,SAASzE,QAAO,CAAC0E,EAASzF,KACnC,IACIyF,EAAQzF,GAAOS,EAAMT,EACzB,CACA,MAAOlE,GAEH2J,EAAQzF,GAAOlE,CACnB,CACA,OAAO2J,CAAO,GACf,CAAC,IAEZ,GAER,KAEJpD,EAAI5I,GAAGiM,kBAAkBd,IACrB,GAAIA,EAAQ3C,MAAQA,GAAO2C,EAAQe,cAAgB9D,EAAc,CAC7D,IAAI+D,EAAS,CAAC3L,GACd2L,EAASA,EAAOzN,OAAOO,MAAMmN,KAAK5L,EAAMuK,GAAGU,WAC3CN,EAAQkB,WAAalB,EAAQmB,OACvBH,EAAOG,QAAQtF,GAAU,QAASA,EAC9BA,EAAMG,IACHjB,cACAC,SAASgF,EAAQmB,OAAOpG,eAC3BW,EAAiBX,cAAcC,SAASgF,EAAQmB,OAAOpG,iBAC3DiG,GAAQI,IAAIxF,EACtB,KAEJ6B,EAAI5I,GAAGwM,mBAAmBrB,IACtB,GAAIA,EAAQ3C,MAAQA,GAAO2C,EAAQe,cAAgB9D,EAAc,CAC7D,MAAMqE,EAAiBtB,EAAQL,SAAWhE,EACpCtG,EACAA,EAAMuK,GAAGC,IAAIG,EAAQL,QAC3B,IAAK2B,EAGD,OAEAA,IACAtB,EAAQ7E,MApQ5B,SAAsCU,GAClC,GAAIjB,EAAQiB,GAAQ,CAChB,MAAM0F,EAAazN,MAAMmN,KAAKpF,EAAM+D,GAAGvD,QACjCmF,EAAW3F,EAAM+D,GACjBzE,EAAQ,CACVA,MAAOoG,EAAWH,KAAKK,IAAY,CAC/BhB,UAAU,EACVrF,IAAKqG,EACLnG,MAAOO,EAAMV,MAAMG,MAAMmG,OAE7BZ,QAASU,EACJJ,QAAQrF,GAAO0F,EAAS3B,IAAI/D,GAAI8E,WAChCQ,KAAKtF,IACN,MAAMD,EAAQ2F,EAAS3B,IAAI/D,GAC3B,MAAO,CACH2E,UAAU,EACVrF,IAAKU,EACLR,MAAOO,EAAM+E,SAASzE,QAAO,CAAC0E,EAASzF,KACnCyF,EAAQzF,GAAOS,EAAMT,GACdyF,IACR,CAAC,GACP,KAGT,OAAO1F,CACX,CACA,MAAMA,EAAQ,CACVA,MAAO1J,OAAO4K,KAAKR,EAAM8E,QAAQS,KAAKhG,IAAQ,CAC1CqF,UAAU,EACVrF,MACAE,MAAOO,EAAM8E,OAAOvF,QAkB5B,OAdIS,EAAM+E,UAAY/E,EAAM+E,SAAShN,SACjCuH,EAAM0F,QAAUhF,EAAM+E,SAASQ,KAAKM,IAAe,CAC/CjB,UAAU,EACVrF,IAAKsG,EACLpG,MAAOO,EAAM6F,QAGjB7F,EAAM8F,kBAAkBC,OACxBzG,EAAM0G,iBAAmB/N,MAAMmN,KAAKpF,EAAM8F,mBAAmBP,KAAKhG,IAAQ,CACtEqF,UAAU,EACVrF,MACAE,MAAOO,EAAMT,QAGdD,CACX,CAmNoC2G,CAA6BR,GAErD,KAEJ7D,EAAI5I,GAAGkN,oBAAmB,CAAC/B,EAASC,KAChC,GAAID,EAAQ3C,MAAQA,GAAO2C,EAAQe,cAAgB9D,EAAc,CAC7D,MAAMqE,EAAiBtB,EAAQL,SAAWhE,EACpCtG,EACAA,EAAMuK,GAAGC,IAAIG,EAAQL,QAC3B,IAAK2B,EACD,OAAOhH,EAAa,UAAU0F,EAAQL,oBAAqB,SAE/D,MAAM,KAAEqC,GAAShC,EACZpF,EAAQ0G,GAUTU,EAAKC,QAAQ,SARO,IAAhBD,EAAKpO,QACJ0N,EAAeK,kBAAkBnQ,IAAIwQ,EAAK,OAC3CA,EAAK,KAAMV,EAAeX,SAC1BqB,EAAKC,QAAQ,UAOrBnF,GAAmB,EACnBkD,EAAQkC,IAAIZ,EAAgBU,EAAMhC,EAAQ7E,MAAMG,OAChDwB,GAAmB,CACvB,KAEJW,EAAI5I,GAAGsN,oBAAoBnC,IACvB,GAAIA,EAAQ9G,KAAKkJ,WAAW,MAAO,CAC/B,MAAMX,EAAUzB,EAAQ9G,KAAKiB,QAAQ,SAAU,IACzC0B,EAAQxG,EAAMuK,GAAGC,IAAI4B,GAC3B,IAAK5F,EACD,OAAOvB,EAAa,UAAUmH,eAAsB,SAExD,MAAM,KAAEO,GAAShC,EACjB,GAAgB,UAAZgC,EAAK,GACL,OAAO1H,EAAa,2BAA2BmH,QAAcO,kCAIjEA,EAAK,GAAK,SACVlF,GAAmB,EACnBkD,EAAQkC,IAAIrG,EAAOmG,EAAMhC,EAAQ7E,MAAMG,OACvCwB,GAAmB,CACvB,IACF,GAEV,CAgLA,IACIuF,EADAC,EAAkB,EAUtB,SAASC,EAAuB1G,EAAO2G,EAAaC,GAEhD,MAAMzE,EAAUwE,EAAYrG,QAAO,CAACuG,EAAcC,KAE9CD,EAAaC,IAAc,QAAM9G,GAAO8G,GACjCD,IACR,CAAC,GACJ,IAAK,MAAMC,KAAc3E,EACrBnC,EAAM8G,GAAc,WAEhB,MAAMC,EAAYN,EACZO,EAAeJ,EACf,IAAIK,MAAMjH,EAAO,CACfgE,IAAG,IAAIvL,KACH+N,EAAeO,EACRG,QAAQlD,OAAOvL,IAE1B4N,IAAG,IAAI5N,KACH+N,EAAeO,EACRG,QAAQb,OAAO5N,MAG5BuH,EAENwG,EAAeO,EACf,MAAMI,EAAWhF,EAAQ2E,GAAYhO,MAAMkO,EAAcrO,WAGzD,OADA6N,OAAe3N,EACRsO,CACX,CAER,CAIA,SAASC,GAAe,IAAE5F,EAAG,MAAExB,EAAK,QAAEqH,IAElC,GAAIrH,EAAMG,IAAIoG,WAAW,UACrB,OAGJvG,EAAM6E,gBAAkBwC,EAAQ/H,MAChCoH,EAAuB1G,EAAOpK,OAAO4K,KAAK6G,EAAQlF,SAAUnC,EAAM6E,eAElE,MAAMyC,EAAoBtH,EAAMuH,YAChC,QAAMvH,GAAOuH,WAAa,SAAUC,GAChCF,EAAkBxO,MAAMzC,KAAMsC,WAC9B+N,EAAuB1G,EAAOpK,OAAO4K,KAAKgH,EAASC,YAAYtF,WAAYnC,EAAM6E,cACrF,EAzOJ,SAA4BrD,EAAKxB,GACxBkB,EAAoB/B,SAASmC,EAAatB,EAAMG,OACjDe,EAAoBrK,KAAKyK,EAAatB,EAAMG,OAEhD,QAAoB,CAChBF,GAAI,gBACJC,MAAO,WACPuB,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,sBACAM,MACAkG,SAAU,CACNC,gBAAiB,CACbzH,MAAO,kCACP7C,KAAM,UACNuK,cAAc,MAQtBhG,IAEA,MAAMC,EAAyB,mBAAZD,EAAIC,IAAqBD,EAAIC,IAAIgG,KAAKjG,GAAOkG,KAAKjG,IACrE7B,EAAM+H,WAAU,EAAGC,QAAOC,UAAS5Q,OAAMoB,WACrC,MAAMyP,EAAUzB,IAChB7E,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,MAAQtG,EACfiR,SAAU,QACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3BiC,OAAQ1C,EAAcrI,GACtBoB,QAEJyP,aAGRF,GAAO5J,IACHoI,OAAe3N,EACf+I,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,MAAQtG,EACfiR,SAAU,MACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3BiC,OAAQ1C,EAAcrI,GACtBoB,OACA2F,UAEJ8J,YAEN,IAEND,GAAS5M,IACLmL,OAAe3N,EACf+I,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACN0G,QAAS,QACT5K,MAAO,MAAQtG,EACfiR,SAAU,MACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3BiC,OAAQ1C,EAAcrI,GACtBoB,OACA4C,SAEJ6M,YAEN,GACJ,IACH,GACHlI,EAAM8F,kBAAkBpB,SAASrN,KAC7B,SAAM,KAAM,QAAM2I,EAAM3I,MAAQ,CAACsJ,EAAUD,KACvCkB,EAAI4G,wBACJ5G,EAAIoB,mBAAmB5B,GACnBH,GACAW,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,SACP2K,SAAUjR,EACVkJ,KAAM,CACFI,WACAD,YAEJwH,QAAS1B,IAGrB,GACD,CAAEiC,MAAM,GAAO,IAEtBzI,EAAM0I,YAAW,EAAGtR,SAAQiG,QAAQiC,KAGhC,GAFAsC,EAAI4G,wBACJ5G,EAAIoB,mBAAmB5B,IAClBH,EACD,OAEJ,MAAM0H,EAAY,CACdN,KAAMxG,IACNlE,MAAOkD,EAAmBxD,GAC1BkD,KAAMc,EAAS,CAAErB,MAAON,EAAcM,EAAMG,MAAQC,EAAgBhJ,IACpE8Q,QAAS1B,GAETnJ,IAAStD,EAAagH,cACtB4H,EAAUL,SAAW,KAEhBjL,IAAStD,EAAaiH,YAC3B2H,EAAUL,SAAW,KAEhBlR,IAAWa,MAAMoI,QAAQjJ,KAC9BuR,EAAUL,SAAWlR,EAAOiG,MAE5BjG,IACAuR,EAAUpI,KAAK,eAAiB,CAC5BX,QAAS,CACLD,QAAS,gBACTtC,KAAM,SACNsF,QAAS,sBACTlD,MAAOrI,KAInBwK,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAOmS,GACT,GACH,CAAEC,UAAU,EAAMC,MAAO,SAC5B,MAAMC,EAAY9I,EAAMuH,WACxBvH,EAAMuH,YAAa,SAASC,IACxBsB,EAAUtB,GACV5F,EAAIuG,iBAAiB,CACjBC,QAASjH,EACT3K,MAAO,CACH6R,KAAMxG,IACNlE,MAAO,MAAQqC,EAAMG,IACrBmI,SAAU,aACV/H,KAAM,CACFP,MAAON,EAAcM,EAAMG,KAC3B4I,KAAMrJ,EAAc,kBAKhCkC,EAAI4G,wBACJ5G,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,EAAa,IAExC,MAAM,SAAE4H,GAAahJ,EACrBA,EAAMgJ,SAAW,KACbA,IACApH,EAAI4G,wBACJ5G,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,GACvBQ,EAAIqH,cAActB,iBACdlJ,EAAa,aAAauB,EAAMG,gBAAgB,EAGxDyB,EAAI4G,wBACJ5G,EAAImB,kBAAkB3B,GACtBQ,EAAIoB,mBAAmB5B,GACvBQ,EAAIqH,cAActB,iBACdlJ,EAAa,IAAIuB,EAAMG,0BAA0B,GAE7D,CA4DI+I,CAAmB1H,EAEnBxB,EACJ,CAuJA,MAAMmJ,EAAO,OACb,SAASC,EAAgBC,EAAeC,EAAUV,EAAUW,EAAYJ,GACpEE,EAAcxS,KAAKyS,GACnB,MAAME,EAAqB,KACvB,MAAMC,EAAMJ,EAAcK,QAAQJ,GAC9BG,GAAO,IACPJ,EAAcM,OAAOF,EAAK,GAC1BF,IACJ,EAKJ,OAHKX,IAAY,YACb,QAAeY,GAEZA,CACX,CACA,SAASI,EAAqBP,KAAkB5Q,GAC5C4Q,EAAc7R,QAAQkN,SAAS4E,IAC3BA,KAAY7Q,EAAK,GAEzB,CAEA,MAAMoR,EAA0B3T,GAAOA,IACvC,SAAS4T,EAAqBhN,EAAQiN,GAE9BjN,aAAkBkN,KAAOD,aAAwBC,KACjDD,EAAarF,SAAQ,CAACjF,EAAOF,IAAQzC,EAAOuJ,IAAI9G,EAAKE,KAGrD3C,aAAkBmN,KAAOF,aAAwBE,KACjDF,EAAarF,QAAQ5H,EAAOoN,IAAKpN,GAGrC,IAAK,MAAMyC,KAAOwK,EAAc,CAC5B,IAAKA,EAAajU,eAAeyJ,GAC7B,SACJ,MAAM4K,EAAWJ,EAAaxK,GACxB6K,EAActN,EAAOyC,GACvB5F,EAAcyQ,IACdzQ,EAAcwQ,IACdrN,EAAOhH,eAAeyJ,MACrB,QAAM4K,MACN,QAAWA,GAIZrN,EAAOyC,GAAOuK,EAAqBM,EAAaD,GAIhDrN,EAAOyC,GAAO4K,CAEtB,CACA,OAAOrN,CACX,CACA,MAAMuN,EAE2B3Q,SAC3B4Q,EAA+B,IAAIC,SAyBjChM,OAAM,GAAK3I,OA8CnB,SAAS4U,EAAiBrK,EAAKsK,EAAOpD,EAAU,CAAC,EAAG7N,EAAOkR,EAAKC,GAC5D,IAAIC,EACJ,MAAMC,EAAmB,EAAO,CAAE1I,QAAS,CAAC,GAAKkF,GAM3CyD,EAAoB,CACtBrC,MAAM,GAwBV,IAAIsC,EACAC,EAGAC,EAFA5B,EAAgB,GAChB6B,EAAsB,GAE1B,MAAMC,EAAe3R,EAAM8F,MAAMG,MAAMU,GAGlCwK,GAAmBQ,IAEhB,MACA,QAAI3R,EAAM8F,MAAMG,MAAOU,EAAK,CAAC,GAG7B3G,EAAM8F,MAAMG,MAAMU,GAAO,CAAC,GAGlC,MAAMiL,GAAW,QAAI,CAAC,GAGtB,IAAIC,EACJ,SAASC,EAAOC,GACZ,IAAIC,EACJT,EAAcC,GAAkB,EAMK,mBAA1BO,GACPA,EAAsB/R,EAAM8F,MAAMG,MAAMU,IACxCqL,EAAuB,CACnBnO,KAAMtD,EAAagH,cACnB6E,QAASzF,EACT/I,OAAQ6T,KAIZnB,EAAqBtQ,EAAM8F,MAAMG,MAAMU,GAAMoL,GAC7CC,EAAuB,CACnBnO,KAAMtD,EAAaiH,YACnBmD,QAASoH,EACT3F,QAASzF,EACT/I,OAAQ6T,IAGhB,MAAMQ,EAAgBJ,EAAiB3R,UACvC,UAAWgS,MAAK,KACRL,IAAmBI,IACnBV,GAAc,EAClB,IAEJC,GAAkB,EAElBpB,EAAqBP,EAAemC,EAAsBhS,EAAM8F,MAAMG,MAAMU,GAChF,CACA,MAAM8D,EAAS0G,EACT,WACE,MAAM,MAAErL,GAAU+H,EACZsE,EAAWrM,EAAQA,IAAU,CAAC,EAEpCjJ,KAAKiV,QAAQxG,IACT,EAAOA,EAAQ6G,EAAS,GAEhC,EAMUxC,EAcd,SAASyC,EAAWvU,EAAM+K,GACtB,OAAO,WACH7I,EAAeC,GACf,MAAMf,EAAOR,MAAMmN,KAAKzM,WAClBkT,EAAoB,GACpBC,EAAsB,GAe5B,IAAIC,EAPJnC,EAAqBsB,EAAqB,CACtCzS,OACApB,OACA2I,QACAgI,MAXJ,SAAesB,GACXuC,EAAkBhV,KAAKyS,EAC3B,EAUIrB,QATJ,SAAiBqB,GACbwC,EAAoBjV,KAAKyS,EAC7B,IAUA,IACIyC,EAAM3J,EAAOtJ,MAAMzC,MAAQA,KAAK8J,MAAQA,EAAM9J,KAAO2J,EAAOvH,EAEhE,CACA,MAAO4C,GAEH,MADAuO,EAAqBkC,EAAqBzQ,GACpCA,CACV,CACA,OAAI0Q,aAAe5I,QACR4I,EACFL,MAAMjM,IACPmK,EAAqBiC,EAAmBpM,GACjCA,KAENuM,OAAO3Q,IACRuO,EAAqBkC,EAAqBzQ,GACnC8H,QAAQE,OAAOhI,OAI9BuO,EAAqBiC,EAAmBE,GACjCA,EACX,CACJ,CACA,MAAMtE,GAA4B,QAAQ,CACtCtF,QAAS,CAAC,EACV6C,QAAS,CAAC,EACV1F,MAAO,GACP8L,aAEEa,EAAe,CACjBC,GAAI1S,EAEJ2G,MACA4H,UAAWqB,EAAgBvB,KAAK,KAAMqD,GACtCI,SACArH,SACA,UAAAyE,CAAWY,EAAUjC,EAAU,CAAC,GAC5B,MAAMmC,EAAqBJ,EAAgBC,EAAeC,EAAUjC,EAAQuB,UAAU,IAAMuD,MACtFA,EAAcvB,EAAMwB,KAAI,KAAM,SAAM,IAAM5S,EAAM8F,MAAMG,MAAMU,KAAOb,KAC/C,SAAlB+H,EAAQwB,MAAmBmC,EAAkBD,IAC7CzB,EAAS,CACL1D,QAASzF,EACT9C,KAAMtD,EAAa+G,OACnB1J,OAAQ6T,GACT3L,EACP,GACD,EAAO,CAAC,EAAGwL,EAAmBzD,MACjC,OAAOmC,CACX,EACAR,SApFJ,WACI4B,EAAMyB,OACNhD,EAAgB,GAChB6B,EAAsB,GACtB1R,EAAMuK,GAAGuI,OAAOnM,EACpB,GAkFI,OAEA8L,EAAaM,IAAK,GAEtB,MAAMvM,GAAQ,QAAoD9F,EAC5D,EAAO,CACLuN,cACA3B,mBAAmB,QAAQ,IAAImE,MAChCgC,GAIDA,GAGNzS,EAAMuK,GAAGsC,IAAIlG,EAAKH,GAClB,MAEMwM,GAFkBhT,EAAMiT,IAAMjT,EAAMiT,GAAGC,gBAAmB7C,IAE9B,IAAMrQ,EAAMmT,GAAGP,KAAI,KAAOxB,GAAQ,WAAewB,IAAI3B,OAEvF,IAAK,MAAMlL,KAAOiN,EAAY,CAC1B,MAAMI,EAAOJ,EAAWjN,GACxB,IAAK,QAAMqN,KAlQChT,EAkQoBgT,IAjQ1B,QAAMhT,KAAMA,EAAEiT,UAiQsB,QAAWD,GAOvCjC,KAEFQ,IAjRG2B,EAiR2BF,EAhRvC,KAC2BtC,EAAe3U,IAAImX,GAC9CnT,EAAcmT,IAASA,EAAIhX,eAAeuU,OA+Q7B,QAAMuC,GACNA,EAAKnN,MAAQ0L,EAAa5L,GAK1BuK,EAAqB8C,EAAMzB,EAAa5L,KAK5C,MACA,QAAI/F,EAAM8F,MAAMG,MAAMU,GAAMZ,EAAKqN,GAGjCpT,EAAM8F,MAAMG,MAAMU,GAAKZ,GAAOqN,QASrC,GAAoB,mBAATA,EAAqB,CAEjC,MAAMG,EAAsEnB,EAAWrM,EAAKqN,GAIxF,MACA,QAAIJ,EAAYjN,EAAKwN,GAIrBP,EAAWjN,GAAOwN,EAQtBlC,EAAiB1I,QAAQ5C,GAAOqN,CACpC,CAgBJ,CA9UJ,IAAuBE,EAMHlT,EA4ahB,GAjGI,KACAhE,OAAO4K,KAAKgM,GAAY9H,SAASnF,KAC7B,QAAIS,EAAOT,EAAKiN,EAAWjN,GAAK,KAIpC,EAAOS,EAAOwM,GAGd,GAAO,QAAMxM,GAAQwM,IAKzB5W,OAAOoX,eAAehN,EAAO,SAAU,CACnCgE,IAAK,IAAyExK,EAAM8F,MAAMG,MAAMU,GAChGkG,IAAM/G,IAKFgM,GAAQxG,IACJ,EAAOA,EAAQxF,EAAM,GACvB,IA0ENpF,EAAc,CACd,MAAM+S,EAAgB,CAClBC,UAAU,EACVC,cAAc,EAEdC,YAAY,GAEhB,CAAC,KAAM,cAAe,WAAY,qBAAqB1I,SAAS2I,IAC5DzX,OAAOoX,eAAehN,EAAOqN,EAAG,EAAO,CAAE5N,MAAOO,EAAMqN,IAAMJ,GAAe,GAEnF,CA6CA,OA3CI,OAEAjN,EAAMuM,IAAK,GAGf/S,EAAM0S,GAAGxH,SAAS4I,IAEd,GAAIpT,EAAc,CACd,MAAMqT,EAAa3C,EAAMwB,KAAI,IAAMkB,EAAS,CACxCtN,QACAwB,IAAKhI,EAAMiT,GACXjT,QACA6N,QAASwD,MAEbjV,OAAO4K,KAAK+M,GAAc,CAAC,GAAG7I,SAASnF,GAAQS,EAAM8F,kBAAkBoE,IAAI3K,KAC3E,EAAOS,EAAOuN,EAClB,MAEI,EAAOvN,EAAO4K,EAAMwB,KAAI,IAAMkB,EAAS,CACnCtN,QACAwB,IAAKhI,EAAMiT,GACXjT,QACA6N,QAASwD,MAEjB,IAYAM,GACAR,GACAtD,EAAQmG,SACRnG,EAAQmG,QAAQxN,EAAM8E,OAAQqG,GAElCJ,GAAc,EACdC,GAAkB,EACXhL,CACX,CACA,SAASyN,GAETC,EAAajD,EAAOkD,GAChB,IAAI1N,EACAoH,EACJ,MAAMuG,EAAgC,mBAAVnD,EAa5B,SAASoD,EAASrU,EAAOkR,GACrB,MAAMoD,GAAa,UAoDnB,OAnDAtU,EAGuFA,IAC9EsU,GAAa,QAAOrU,EAAa,MAAQ,QAE9CF,EAAeC,IAMnBA,EAAQF,GACGyK,GAAGpO,IAAIsK,KAEV2N,EACApD,EAAiBvK,EAAIwK,EAAOpD,EAAS7N,GAtgBrD,SAA4ByG,EAAIoH,EAAS7N,EAAOkR,GAC5C,MAAM,MAAEpL,EAAK,QAAE6C,EAAO,QAAE6C,GAAYqC,EAC9B8D,EAAe3R,EAAM8F,MAAMG,MAAMQ,GACvC,IAAID,EAoCJA,EAAQwK,EAAiBvK,GAnCzB,WACSkL,IAEG,MACA,QAAI3R,EAAM8F,MAAMG,MAAOQ,EAAIX,EAAQA,IAAU,CAAC,GAG9C9F,EAAM8F,MAAMG,MAAMQ,GAAMX,EAAQA,IAAU,CAAC,GAInD,MAAMyO,GAGA,QAAOvU,EAAM8F,MAAMG,MAAMQ,IAC/B,OAAO,EAAO8N,EAAY5L,EAASvM,OAAO4K,KAAKwE,GAAW,CAAC,GAAG1E,QAAO,CAAC0N,EAAiB3W,KAInF2W,EAAgB3W,IAAQ,SAAQ,SAAS,KACrCkC,EAAeC,GAEf,MAAMwG,EAAQxG,EAAMuK,GAAGC,IAAI/D,GAG3B,IAAI,MAAWD,EAAMuM,GAKrB,OAAOvH,EAAQ3N,GAAME,KAAKyI,EAAOA,EAAM,KAEpCgO,IACR,CAAC,GACR,GACoC3G,EAAS7N,EAAOkR,GAAK,EAE7D,CAgegBuD,CAAmBhO,EAAIoH,EAAS7N,IAQ1BA,EAAMuK,GAAGC,IAAI/D,EAyB/B,CAEA,MApE2B,iBAAhByN,GACPzN,EAAKyN,EAELrG,EAAUuG,EAAeD,EAAelD,IAGxCpD,EAAUqG,EACVzN,EAAKyN,EAAYzN,IA4DrB4N,EAAS1N,IAAMF,EACR4N,CACX,yCCrsDO,MAAMrU,GDg7Bb,WACI,MAAMoR,GAAQ,SAAY,GAGpBtL,EAAQsL,EAAMwB,KAAI,KAAM,QAAI,CAAC,KACnC,IAAIF,EAAK,GAELgC,EAAgB,GACpB,MAAM1U,GAAQ,QAAQ,CAClB,OAAA2U,CAAQ3M,GAGJjI,EAAeC,GACV,OACDA,EAAMiT,GAAKjL,EACXA,EAAI4M,QAAQ3U,EAAaD,GACzBgI,EAAI6M,OAAOC,iBAAiBC,OAAS/U,EAEjCU,GACAqH,EAAsBC,EAAKhI,GAE/B0U,EAAcxJ,SAAS8J,GAAWtC,EAAGrV,KAAK2X,KAC1CN,EAAgB,GAExB,EACA,GAAAO,CAAID,GAOA,OANKnY,KAAKoW,IAAO,KAIbP,EAAGrV,KAAK2X,GAHRN,EAAcrX,KAAK2X,GAKhBnY,IACX,EACA6V,KAGAO,GAAI,KACJE,GAAI/B,EACJ7G,GAAI,IAAIiG,IACR1K,UAOJ,OAHIpF,GAAiC,oBAAV+M,OACvBzN,EAAMiV,IAAIrH,GAEP5N,CACX,CCh+BqBkV,mBCtBrB,MAAMC,GAAQ,eACRC,GAAgB,IAAIC,OAAO,IAAMF,GAAQ,aAAc,MACvDG,GAAe,IAAID,OAAO,IAAMF,GAAQ,KAAM,MAEpD,SAASI,GAAiBC,EAAYC,GACrC,IAEC,MAAO,CAACC,mBAAmBF,EAAWG,KAAK,KAC5C,CAAE,MAEF,CAEA,GAA0B,IAAtBH,EAAWjX,OACd,OAAOiX,EAGRC,EAAQA,GAAS,EAGjB,MAAMG,EAAOJ,EAAWxX,MAAM,EAAGyX,GAC3BI,EAAQL,EAAWxX,MAAMyX,GAE/B,OAAOhX,MAAMpC,UAAU6B,OAAOH,KAAK,GAAIwX,GAAiBK,GAAOL,GAAiBM,GACjF,CAEA,SAASC,GAAOC,GACf,IACC,OAAOL,mBAAmBK,EAC3B,CAAE,MACD,IAAIC,EAASD,EAAME,MAAMb,KAAkB,GAE3C,IAAK,IAAI/W,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IAGlC2X,GAFAD,EAAQR,GAAiBS,EAAQ3X,GAAGsX,KAAK,KAE1BM,MAAMb,KAAkB,GAGxC,OAAOW,CACR,CACD,CCvCe,SAASG,GAAaC,EAAQC,GAC5C,GAAwB,iBAAXD,GAA4C,iBAAdC,EAC1C,MAAM,IAAInZ,UAAU,iDAGrB,GAAe,KAAXkZ,GAA+B,KAAdC,EACpB,MAAO,GAGR,MAAMC,EAAiBF,EAAOjG,QAAQkG,GAEtC,OAAwB,IAApBC,EACI,GAGD,CACNF,EAAOnY,MAAM,EAAGqY,GAChBF,EAAOnY,MAAMqY,EAAiBD,EAAU7X,QAE1C,CCnBO,SAAS+X,GAAYC,EAAQC,GACnC,MAAM5R,EAAS,CAAC,EAEhB,GAAInG,MAAMoI,QAAQ2P,GACjB,IAAK,MAAMzQ,KAAOyQ,EAAW,CAC5B,MAAMC,EAAara,OAAOsa,yBAAyBH,EAAQxQ,GACvD0Q,GAAY7C,YACfxX,OAAOoX,eAAe5O,EAAQmB,EAAK0Q,EAErC,MAGA,IAAK,MAAM1Q,KAAO2H,QAAQiJ,QAAQJ,GAAS,CAC1C,MAAME,EAAara,OAAOsa,yBAAyBH,EAAQxQ,GACvD0Q,EAAW7C,YAEV4C,EAAUzQ,EADAwQ,EAAOxQ,GACKwQ,IACzBna,OAAOoX,eAAe5O,EAAQmB,EAAK0Q,EAGtC,CAGD,OAAO7R,CACR,CCpBA,MAAMgS,GAAoB3Q,GAASA,QAG7B4Q,GAAkBV,GAAUW,mBAAmBX,GAAQrR,QAAQ,YAAYiS,GAAK,IAAIA,EAAEC,WAAW,GAAG3W,SAAS,IAAI4W,kBAEjHC,GAA2BhX,OAAO,4BA8OxC,SAASiX,GAA6BlR,GACrC,GAAqB,iBAAVA,GAAuC,IAAjBA,EAAM1H,OACtC,MAAM,IAAItB,UAAU,uDAEtB,CAEA,SAASma,GAAOnR,EAAO4H,GACtB,OAAIA,EAAQuJ,OACJvJ,EAAQwJ,OAASR,GAAgB5Q,GAAS6Q,mBAAmB7Q,GAG9DA,CACR,CAEA,SAAS,GAAOA,EAAO4H,GACtB,OAAIA,EAAQiI,OHzLE,SAA4BwB,GAC1C,GAA0B,iBAAfA,EACV,MAAM,IAAIra,UAAU,6DAA+Dqa,EAAa,KAGjG,IAEC,OAAO5B,mBAAmB4B,EAC3B,CAAE,MAED,OA9CF,SAAkCvB,GAEjC,MAAMwB,EAAa,CAClB,SAAU,KACV,SAAU,MAGX,IAAItB,EAAQX,GAAakC,KAAKzB,GAC9B,KAAOE,GAAO,CACb,IAECsB,EAAWtB,EAAM,IAAMP,mBAAmBO,EAAM,GACjD,CAAE,MACD,MAAMrR,EAASkR,GAAOG,EAAM,IAExBrR,IAAWqR,EAAM,KACpBsB,EAAWtB,EAAM,IAAMrR,EAEzB,CAEAqR,EAAQX,GAAakC,KAAKzB,EAC3B,CAGAwB,EAAW,OAAS,IAEpB,MAAME,EAAUrb,OAAO4K,KAAKuQ,GAE5B,IAAK,MAAMxR,KAAO0R,EAEjB1B,EAAQA,EAAMjR,QAAQ,IAAIuQ,OAAOtP,EAAK,KAAMwR,EAAWxR,IAGxD,OAAOgQ,CACR,CAYS2B,CAAyBJ,EACjC,CACD,CG8KS,CAAgBrR,GAGjBA,CACR,CAEA,SAAS0R,GAAW5B,GACnB,OAAItX,MAAMoI,QAAQkP,GACVA,EAAM6B,OAGO,iBAAV7B,EACH4B,GAAWvb,OAAO4K,KAAK+O,IAC5B6B,MAAK,CAAC5U,EAAG6U,IAAMC,OAAO9U,GAAK8U,OAAOD,KAClC9L,KAAIhG,GAAOgQ,EAAMhQ,KAGbgQ,CACR,CAEA,SAASgC,GAAWhC,GACnB,MAAMiC,EAAYjC,EAAM7F,QAAQ,KAKhC,OAJmB,IAAf8H,IACHjC,EAAQA,EAAM/X,MAAM,EAAGga,IAGjBjC,CACR,CAYA,SAASkC,GAAWhS,EAAO4H,GAO1B,OANIA,EAAQqK,eAAiBJ,OAAOK,MAAML,OAAO7R,KAA6B,iBAAVA,GAAuC,KAAjBA,EAAMmS,OAC/FnS,EAAQ6R,OAAO7R,IACL4H,EAAQwK,eAA2B,OAAVpS,GAA2C,SAAxBA,EAAMP,eAAoD,UAAxBO,EAAMP,gBAC9FO,EAAgC,SAAxBA,EAAMP,eAGRO,CACR,CAEO,SAASqS,GAAQvC,GAEvB,MAAMwC,GADNxC,EAAQgC,GAAWhC,IACM7F,QAAQ,KACjC,OAAoB,IAAhBqI,EACI,GAGDxC,EAAM/X,MAAMua,EAAa,EACjC,CAEO,SAASnP,GAAMoP,EAAO3K,GAW5BsJ,IAVAtJ,EAAU,CACTiI,QAAQ,EACR8B,MAAM,EACNa,YAAa,OACbC,qBAAsB,IACtBR,cAAc,EACdG,eAAe,KACZxK,IAGiC6K,sBAErC,MAAMC,EApMP,SAA8B9K,GAC7B,IAAIjJ,EAEJ,OAAQiJ,EAAQ4K,aACf,IAAK,QACJ,MAAO,CAAC1S,EAAKE,EAAO2S,KACnBhU,EAAS,YAAY4S,KAAKzR,GAE1BA,EAAMA,EAAIjB,QAAQ,UAAW,IAExBF,QAKoBvF,IAArBuZ,EAAY7S,KACf6S,EAAY7S,GAAO,CAAC,GAGrB6S,EAAY7S,GAAKnB,EAAO,IAAMqB,GAR7B2S,EAAY7S,GAAOE,CAQe,EAIrC,IAAK,UACJ,MAAO,CAACF,EAAKE,EAAO2S,KACnBhU,EAAS,SAAS4S,KAAKzR,GACvBA,EAAMA,EAAIjB,QAAQ,OAAQ,IAErBF,OAKoBvF,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI6S,EAAY7S,GAAME,GAJxC2S,EAAY7S,GAAO,CAACE,GALpB2S,EAAY7S,GAAOE,CAS2B,EAIjD,IAAK,uBACJ,MAAO,CAACF,EAAKE,EAAO2S,KACnBhU,EAAS,WAAW4S,KAAKzR,GACzBA,EAAMA,EAAIjB,QAAQ,SAAU,IAEvBF,OAKoBvF,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI6S,EAAY7S,GAAME,GAJxC2S,EAAY7S,GAAO,CAACE,GALpB2S,EAAY7S,GAAOE,CAS2B,EAIjD,IAAK,QACL,IAAK,YACJ,MAAO,CAACF,EAAKE,EAAO2S,KACnB,MAAM/R,EAA2B,iBAAVZ,GAAsBA,EAAMN,SAASkI,EAAQ6K,sBAC9DG,EAAmC,iBAAV5S,IAAuBY,GAAW,GAAOZ,EAAO4H,GAASlI,SAASkI,EAAQ6K,sBACzGzS,EAAQ4S,EAAiB,GAAO5S,EAAO4H,GAAW5H,EAClD,MAAMkB,EAAWN,GAAWgS,EAAiB5S,EAAMwP,MAAM5H,EAAQ6K,sBAAsB3M,KAAI9B,GAAQ,GAAOA,EAAM4D,KAAuB,OAAV5H,EAAiBA,EAAQ,GAAOA,EAAO4H,GACpK+K,EAAY7S,GAAOoB,CAAQ,EAI7B,IAAK,oBACJ,MAAO,CAACpB,EAAKE,EAAO2S,KACnB,MAAM/R,EAAU,SAAShE,KAAKkD,GAG9B,GAFAA,EAAMA,EAAIjB,QAAQ,OAAQ,KAErB+B,EAEJ,YADA+R,EAAY7S,GAAOE,EAAQ,GAAOA,EAAO4H,GAAW5H,GAIrD,MAAM6S,EAAuB,OAAV7S,EAChB,GACAA,EAAMwP,MAAM5H,EAAQ6K,sBAAsB3M,KAAI9B,GAAQ,GAAOA,EAAM4D,UAE7CxO,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI6S,EAAY7S,MAAS+S,GAJ3CF,EAAY7S,GAAO+S,CAImC,EAIzD,QACC,MAAO,CAAC/S,EAAKE,EAAO2S,UACMvZ,IAArBuZ,EAAY7S,GAKhB6S,EAAY7S,GAAO,IAAI,CAAC6S,EAAY7S,IAAMgT,OAAQ9S,GAJjD2S,EAAY7S,GAAOE,CAIoC,EAI5D,CA0FmB+S,CAAqBnL,GAGjCoL,EAAc7c,OAAOqB,OAAO,MAElC,GAAqB,iBAAV+a,EACV,OAAOS,EAKR,KAFAT,EAAQA,EAAMJ,OAAOtT,QAAQ,SAAU,KAGtC,OAAOmU,EAGR,IAAK,MAAMC,KAAaV,EAAM/C,MAAM,KAAM,CACzC,GAAkB,KAAdyD,EACH,SAGD,MAAMC,EAAatL,EAAQiI,OAASoD,EAAUpU,QAAQ,MAAO,KAAOoU,EAEpE,IAAKnT,EAAKE,GAASiQ,GAAaiD,EAAY,UAEhC9Z,IAAR0G,IACHA,EAAMoT,GAKPlT,OAAkB5G,IAAV4G,EAAsB,KAAQ,CAAC,QAAS,YAAa,qBAAqBN,SAASkI,EAAQ4K,aAAexS,EAAQ,GAAOA,EAAO4H,GACxI8K,EAAU,GAAO5S,EAAK8H,GAAU5H,EAAOgT,EACxC,CAEA,IAAK,MAAOlT,EAAKE,KAAU7J,OAAOqb,QAAQwB,GACzC,GAAqB,iBAAVhT,GAAgC,OAAVA,EAChC,IAAK,MAAOmT,EAAMC,KAAWjd,OAAOqb,QAAQxR,GAC3CA,EAAMmT,GAAQnB,GAAWoB,EAAQxL,QAGlCoL,EAAYlT,GAAOkS,GAAWhS,EAAO4H,GAIvC,OAAqB,IAAjBA,EAAQ+J,KACJqB,IAKiB,IAAjBpL,EAAQ+J,KAAgBxb,OAAO4K,KAAKiS,GAAarB,OAASxb,OAAO4K,KAAKiS,GAAarB,KAAK/J,EAAQ+J,OAAO9Q,QAAO,CAAClC,EAAQmB,KAC9H,MAAME,EAAQgT,EAAYlT,GAE1B,OADAnB,EAAOmB,GAAOuT,QAAQrT,IAA2B,iBAAVA,IAAuBxH,MAAMoI,QAAQZ,GAAS0R,GAAW1R,GAASA,EAClGrB,CAAM,GACXxI,OAAOqB,OAAO,MAClB,CAEO,SAASwL,GAAUsN,EAAQ1I,GACjC,IAAK0I,EACJ,MAAO,GAQRY,IALAtJ,EAAU,CAACuJ,QAAQ,EAClBC,QAAQ,EACRoB,YAAa,OACbC,qBAAsB,OAAQ7K,IAEM6K,sBAErC,MAAMa,EAAexT,GACnB8H,EAAQ2L,UAAY5C,GAAkBL,EAAOxQ,KAC1C8H,EAAQ4L,iBAAmC,KAAhBlD,EAAOxQ,GAGjC4S,EA9YP,SAA+B9K,GAC9B,OAAQA,EAAQ4K,aACf,IAAK,QACJ,OAAO1S,GAAO,CAACnB,EAAQqB,KACtB,MAAMyT,EAAQ9U,EAAOrG,OAErB,YACWc,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EAAQ,CAACwS,GAAOrR,EAAK8H,GAAU,IAAK6L,EAAO,KAAK/D,KAAK,KAInD,IACH/Q,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,IAAKuJ,GAAOsC,EAAO7L,GAAU,KAAMuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,IACvF,EAIH,IAAK,UACJ,OAAO5P,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,MAAM8H,KAAK,KAI7B,IACH/Q,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,MAAOuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,KAK9D,IAAK,uBACJ,OAAO5P,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,UAAU8H,KAAK,KAIjC,IACH/Q,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,SAAUuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,KAKjE,IAAK,QACL,IAAK,YACL,IAAK,oBAAqB,CACzB,MAAMgE,EAAsC,sBAAxB9L,EAAQ4K,YACzB,MACA,IAEH,OAAO1S,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,GAIRqB,EAAkB,OAAVA,EAAiB,GAAKA,EAER,IAAlBrB,EAAOrG,OACH,CAAC,CAAC6Y,GAAOrR,EAAK8H,GAAU8L,EAAavC,GAAOnR,EAAO4H,IAAU8H,KAAK,KAGnE,CAAC,CAAC/Q,EAAQwS,GAAOnR,EAAO4H,IAAU8H,KAAK9H,EAAQ6K,uBAExD,CAEA,QACC,OAAO3S,GAAO,CAACnB,EAAQqB,SAEX5G,IAAV4G,GACI4H,EAAQ2L,UAAsB,OAAVvT,GACpB4H,EAAQ4L,iBAA6B,KAAVxT,EAExBrB,EAGM,OAAVqB,EACI,IACHrB,EACHwS,GAAOrR,EAAK8H,IAIP,IACHjJ,EACH,CAACwS,GAAOrR,EAAK8H,GAAU,IAAKuJ,GAAOnR,EAAO4H,IAAU8H,KAAK,KAK9D,CAgRmBiE,CAAsB/L,GAElCgM,EAAa,CAAC,EAEpB,IAAK,MAAO9T,EAAKE,KAAU7J,OAAOqb,QAAQlB,GACpCgD,EAAaxT,KACjB8T,EAAW9T,GAAOE,GAIpB,MAAMe,EAAO5K,OAAO4K,KAAK6S,GAMzB,OAJqB,IAAjBhM,EAAQ+J,MACX5Q,EAAK4Q,KAAK/J,EAAQ+J,MAGZ5Q,EAAK+E,KAAIhG,IACf,MAAME,EAAQsQ,EAAOxQ,GAErB,YAAc1G,IAAV4G,EACI,GAGM,OAAVA,EACImR,GAAOrR,EAAK8H,GAGhBpP,MAAMoI,QAAQZ,GACI,IAAjBA,EAAM1H,QAAwC,sBAAxBsP,EAAQ4K,YAC1BrB,GAAOrR,EAAK8H,GAAW,KAGxB5H,EACLa,OAAO6R,EAAU5S,GAAM,IACvB4P,KAAK,KAGDyB,GAAOrR,EAAK8H,GAAW,IAAMuJ,GAAOnR,EAAO4H,EAAQ,IACxD/B,QAAOiL,GAAKA,EAAExY,OAAS,IAAGoX,KAAK,IACnC,CAEO,SAASmE,GAAS5Y,EAAK2M,GAC7BA,EAAU,CACTiI,QAAQ,KACLjI,GAGJ,IAAKkM,EAAMC,GAAQ9D,GAAahV,EAAK,KAMrC,YAJa7B,IAAT0a,IACHA,EAAO7Y,GAGD,CACNA,IAAK6Y,GAAMtE,MAAM,OAAO,IAAM,GAC9B+C,MAAOpP,GAAMkP,GAAQpX,GAAM2M,MACvBA,GAAWA,EAAQoM,yBAA2BD,EAAO,CAACE,mBAAoB,GAAOF,EAAMnM,IAAY,CAAC,EAE1G,CAEO,SAASsM,GAAa5D,EAAQ1I,GACpCA,EAAU,CACTuJ,QAAQ,EACRC,QAAQ,EACR,CAACH,KAA2B,KACzBrJ,GAGJ,MAAM3M,EAAM6W,GAAWxB,EAAOrV,KAAKuU,MAAM,KAAK,IAAM,GAQpD,IAAI2E,EAAcnR,GALJ,IACVG,GAHiBkP,GAAQ/B,EAAOrV,KAGZ,CAAC0W,MAAM,OAC3BrB,EAAOiC,OAGwB3K,GAC/BuM,IACHA,EAAc,IAAIA,KAGnB,IAAIJ,EAtML,SAAiB9Y,GAChB,IAAI8Y,EAAO,GACX,MAAMhC,EAAY9W,EAAIgP,QAAQ,KAK9B,OAJmB,IAAf8H,IACHgC,EAAO9Y,EAAIlD,MAAMga,IAGXgC,CACR,CA8LYK,CAAQ9D,EAAOrV,KAC1B,GAAIqV,EAAO2D,mBAAoB,CAC9B,MAAMI,EAA6B,IAAI/W,IAAIrC,GAC3CoZ,EAA2BN,KAAOzD,EAAO2D,mBACzCF,EAAOnM,EAAQqJ,IAA4BoD,EAA2BN,KAAO,IAAIzD,EAAO2D,oBACzF,CAEA,MAAO,GAAGhZ,IAAMkZ,IAAcJ,GAC/B,CAEO,SAASO,GAAKxE,EAAOjK,EAAQ+B,GACnCA,EAAU,CACToM,yBAAyB,EACzB,CAAC/C,KAA2B,KACzBrJ,GAGJ,MAAM,IAAC3M,EAAG,MAAEsX,EAAK,mBAAE0B,GAAsBJ,GAAS/D,EAAOlI,GAEzD,OAAOsM,GAAa,CACnBjZ,MACAsX,MAAOlC,GAAYkC,EAAO1M,GAC1BoO,sBACErM,EACJ,CAEO,SAAS2M,GAAQzE,EAAOjK,EAAQ+B,GAGtC,OAAO0M,GAAKxE,EAFYtX,MAAMoI,QAAQiF,GAAU/F,IAAQ+F,EAAOnG,SAASI,GAAO,CAACA,EAAKE,KAAW6F,EAAO/F,EAAKE,GAExE4H,EACrC,CCtgBA,2BCiBA,SAAS4M,GAAQzX,EAAG6U,GAClB,IAAK,IAAI9R,KAAO8R,EACd7U,EAAE+C,GAAO8R,EAAE9R,GAEb,OAAO/C,CACT,CAIA,IAAI0X,GAAkB,WAClBC,GAAwB,SAAUC,GAAK,MAAO,IAAMA,EAAE5D,WAAW,GAAG3W,SAAS,GAAK,EAClFwa,GAAU,OAKV,GAAS,SAAUC,GAAO,OAAOhE,mBAAmBgE,GACnDhW,QAAQ4V,GAAiBC,IACzB7V,QAAQ+V,GAAS,IAAM,EAE5B,SAAS,GAAQC,GACf,IACE,OAAOpF,mBAAmBoF,EAC5B,CAAE,MAAOC,GAIT,CACA,OAAOD,CACT,CA0BA,IAAIE,GAAsB,SAAU/U,GAAS,OAAiB,MAATA,GAAkC,iBAAVA,EAAqBA,EAAQlC,OAAOkC,EAAS,EAE1H,SAASgV,GAAYzC,GACnB,IAAI0C,EAAM,CAAC,EAIX,OAFA1C,EAAQA,EAAMJ,OAAOtT,QAAQ,YAAa,MAM1C0T,EAAM/C,MAAM,KAAKvK,SAAQ,SAAUiQ,GACjC,IAAIC,EAAQD,EAAMrW,QAAQ,MAAO,KAAK2Q,MAAM,KACxC1P,EAAM,GAAOqV,EAAMC,SACnBC,EAAMF,EAAM7c,OAAS,EAAI,GAAO6c,EAAMzF,KAAK,MAAQ,UAEtCtW,IAAb6b,EAAInV,GACNmV,EAAInV,GAAOuV,EACF7c,MAAMoI,QAAQqU,EAAInV,IAC3BmV,EAAInV,GAAK1I,KAAKie,GAEdJ,EAAInV,GAAO,CAACmV,EAAInV,GAAMuV,EAE1B,IAEOJ,GAjBEA,CAkBX,CAEA,SAASK,GAAgBjI,GACvB,IAAI4H,EAAM5H,EACNlX,OAAO4K,KAAKsM,GACXvH,KAAI,SAAUhG,GACb,IAAIuV,EAAMhI,EAAIvN,GAEd,QAAY1G,IAARic,EACF,MAAO,GAGT,GAAY,OAARA,EACF,OAAO,GAAOvV,GAGhB,GAAItH,MAAMoI,QAAQyU,GAAM,CACtB,IAAI1W,EAAS,GAWb,OAVA0W,EAAIpQ,SAAQ,SAAUsQ,QACPnc,IAATmc,IAGS,OAATA,EACF5W,EAAOvH,KAAK,GAAO0I,IAEnBnB,EAAOvH,KAAK,GAAO0I,GAAO,IAAM,GAAOyV,IAE3C,IACO5W,EAAO+Q,KAAK,IACrB,CAEA,OAAO,GAAO5P,GAAO,IAAM,GAAOuV,EACpC,IACCxP,QAAO,SAAUiL,GAAK,OAAOA,EAAExY,OAAS,CAAG,IAC3CoX,KAAK,KACN,KACJ,OAAOuF,EAAO,IAAMA,EAAO,EAC7B,CAIA,IAAIO,GAAkB,OAEtB,SAASC,GACPC,EACAtY,EACAuY,EACAC,GAEA,IAAIN,EAAiBM,GAAUA,EAAOhO,QAAQ0N,eAE1C/C,EAAQnV,EAASmV,OAAS,CAAC,EAC/B,IACEA,EAAQsD,GAAMtD,EAChB,CAAE,MAAOxW,GAAI,CAEb,IAAI+Z,EAAQ,CACVle,KAAMwF,EAASxF,MAAS8d,GAAUA,EAAO9d,KACzCme,KAAOL,GAAUA,EAAOK,MAAS,CAAC,EAClCrP,KAAMtJ,EAASsJ,MAAQ,IACvBqN,KAAM3W,EAAS2W,MAAQ,GACvBxB,MAAOA,EACPyD,OAAQ5Y,EAAS4Y,QAAU,CAAC,EAC5BC,SAAUC,GAAY9Y,EAAUkY,GAChCa,QAAST,EAASU,GAAYV,GAAU,IAK1C,OAHIC,IACFG,EAAMH,eAAiBO,GAAYP,EAAgBL,IAE9Cnf,OAAOkgB,OAAOP,EACvB,CAEA,SAASD,GAAO7V,GACd,GAAIxH,MAAMoI,QAAQZ,GAChB,OAAOA,EAAM8F,IAAI+P,IACZ,GAAI7V,GAA0B,iBAAVA,EAAoB,CAC7C,IAAIiV,EAAM,CAAC,EACX,IAAK,IAAInV,KAAOE,EACdiV,EAAInV,GAAO+V,GAAM7V,EAAMF,IAEzB,OAAOmV,CACT,CACE,OAAOjV,CAEX,CAGA,IAAIsW,GAAQb,GAAY,KAAM,CAC5B/O,KAAM,MAGR,SAAS0P,GAAaV,GAEpB,IADA,IAAIT,EAAM,GACHS,GACLT,EAAItO,QAAQ+O,GACZA,EAASA,EAAOa,OAElB,OAAOtB,CACT,CAEA,SAASiB,GACPM,EACAC,GAEA,IAAI/P,EAAO8P,EAAI9P,KACX6L,EAAQiE,EAAIjE,WAAsB,IAAVA,IAAmBA,EAAQ,CAAC,GACxD,IAAIwB,EAAOyC,EAAIzC,KAGf,YAHmC,IAATA,IAAkBA,EAAO,KAG3CrN,GAAQ,MADA+P,GAAmBnB,IACF/C,GAASwB,CAC5C,CAEA,SAAS2C,GAAa3Z,EAAG6U,EAAG+E,GAC1B,OAAI/E,IAAM0E,GACDvZ,IAAM6U,IACHA,IAED7U,EAAE2J,MAAQkL,EAAElL,KACd3J,EAAE2J,KAAK7H,QAAQ2W,GAAiB,MAAQ5D,EAAElL,KAAK7H,QAAQ2W,GAAiB,MAAQmB,GACrF5Z,EAAEgX,OAASnC,EAAEmC,MACb6C,GAAc7Z,EAAEwV,MAAOX,EAAEW,WAClBxV,EAAEnF,OAAQga,EAAEha,OAEnBmF,EAAEnF,OAASga,EAAEha,OACZ+e,GACC5Z,EAAEgX,OAASnC,EAAEmC,MACf6C,GAAc7Z,EAAEwV,MAAOX,EAAEW,QACzBqE,GAAc7Z,EAAEiZ,OAAQpE,EAAEoE,SAMhC,CAEA,SAASY,GAAe7Z,EAAG6U,GAKzB,QAJW,IAAN7U,IAAeA,EAAI,CAAC,QACd,IAAN6U,IAAeA,EAAI,CAAC,IAGpB7U,IAAM6U,EAAK,OAAO7U,IAAM6U,EAC7B,IAAIiF,EAAQ1gB,OAAO4K,KAAKhE,GAAG4U,OACvBmF,EAAQ3gB,OAAO4K,KAAK6Q,GAAGD,OAC3B,OAAIkF,EAAMve,SAAWwe,EAAMxe,QAGpBue,EAAME,OAAM,SAAUjX,EAAK1H,GAChC,IAAI4e,EAAOja,EAAE+C,GAEb,GADWgX,EAAM1e,KACJ0H,EAAO,OAAO,EAC3B,IAAImX,EAAOrF,EAAE9R,GAEb,OAAY,MAARkX,GAAwB,MAARC,EAAuBD,IAASC,EAEhC,iBAATD,GAAqC,iBAATC,EAC9BL,GAAcI,EAAMC,GAEtBnZ,OAAOkZ,KAAUlZ,OAAOmZ,EACjC,GACF,CAqBA,SAASC,GAAoBpB,GAC3B,IAAK,IAAI1d,EAAI,EAAGA,EAAI0d,EAAMK,QAAQ7d,OAAQF,IAAK,CAC7C,IAAIsd,EAASI,EAAMK,QAAQ/d,GAC3B,IAAK,IAAIR,KAAQ8d,EAAOyB,UAAW,CACjC,IAAIC,EAAW1B,EAAOyB,UAAUvf,GAC5Byf,EAAM3B,EAAO4B,WAAW1f,GAC5B,GAAKwf,GAAaC,EAAlB,QACO3B,EAAO4B,WAAW1f,GACzB,IAAK,IAAI2f,EAAM,EAAGA,EAAMF,EAAI/e,OAAQif,IAC7BH,EAASI,mBAAqBH,EAAIE,GAAKH,EAHZ,CAKpC,CACF,CACF,CAEA,IAAIK,GAAO,CACT7f,KAAM,aACN8f,YAAY,EACZC,MAAO,CACL/f,KAAM,CACJgG,KAAME,OACN8Z,QAAS,YAGbC,OAAQ,SAAiBC,EAAGtB,GAC1B,IAAImB,EAAQnB,EAAImB,MACZI,EAAWvB,EAAIuB,SACfxB,EAASC,EAAID,OACbzV,EAAO0V,EAAI1V,KAGfA,EAAKkX,YAAa,EAalB,IATA,IAAIC,EAAI1B,EAAO2B,eACXtgB,EAAO+f,EAAM/f,KACbke,EAAQS,EAAO4B,OACfC,EAAQ7B,EAAO8B,mBAAqB9B,EAAO8B,iBAAmB,CAAC,GAI/DC,EAAQ,EACRC,GAAW,EACRhC,GAAUA,EAAOiC,cAAgBjC,GAAQ,CAC9C,IAAIkC,EAAYlC,EAAOmC,OAASnC,EAAOmC,OAAO5X,KAAO,CAAC,EAClD2X,EAAUT,YACZM,IAEEG,EAAUE,WAAapC,EAAOqC,iBAAmBrC,EAAOsC,YAC1DN,GAAW,GAEbhC,EAASA,EAAOuC,OAClB,CAIA,GAHAhY,EAAKiY,gBAAkBT,EAGnBC,EAAU,CACZ,IAAIS,EAAaZ,EAAMxgB,GACnBqhB,EAAkBD,GAAcA,EAAWE,UAC/C,OAAID,GAGED,EAAWG,aACbC,GAAgBH,EAAiBnY,EAAMkY,EAAWlD,MAAOkD,EAAWG,aAE/DlB,EAAEgB,EAAiBnY,EAAMiX,IAGzBE,GAEX,CAEA,IAAI9B,EAAUL,EAAMK,QAAQmC,GACxBY,EAAY/C,GAAWA,EAAQ5G,WAAW3X,GAG9C,IAAKue,IAAY+C,EAEf,OADAd,EAAMxgB,GAAQ,KACPqgB,IAITG,EAAMxgB,GAAQ,CAAEshB,UAAWA,GAI3BpY,EAAKuY,sBAAwB,SAAUC,EAAIjE,GAEzC,IAAIkE,EAAUpD,EAAQgB,UAAUvf,IAE7Byd,GAAOkE,IAAYD,IAClBjE,GAAOkE,IAAYD,KAErBnD,EAAQgB,UAAUvf,GAAQyd,EAE9B,GAIEvU,EAAK0Y,OAAS1Y,EAAK0Y,KAAO,CAAC,IAAIC,SAAW,SAAU3B,EAAG4B,GACvDvD,EAAQgB,UAAUvf,GAAQ8hB,EAAM7U,iBAClC,EAIA/D,EAAK0Y,KAAKG,KAAO,SAAUD,GACrBA,EAAM5Y,KAAK6X,WACbe,EAAM7U,mBACN6U,EAAM7U,oBAAsBsR,EAAQgB,UAAUvf,KAE9Cue,EAAQgB,UAAUvf,GAAQ8hB,EAAM7U,mBAMlCqS,GAAmBpB,EACrB,EAEA,IAAIqD,EAAchD,EAAQwB,OAASxB,EAAQwB,MAAM/f,GAUjD,OARIuhB,IACF3E,GAAO4D,EAAMxgB,GAAO,CAClBke,MAAOA,EACPqD,YAAaA,IAEfC,GAAgBF,EAAWpY,EAAMgV,EAAOqD,IAGnClB,EAAEiB,EAAWpY,EAAMiX,EAC5B,GAGF,SAASqB,GAAiBF,EAAWpY,EAAMgV,EAAOqD,GAEhD,IAAIS,EAAc9Y,EAAK6W,MAezB,SAAuB7B,EAAOlH,GAC5B,cAAeA,GACb,IAAK,YACH,OACF,IAAK,SACH,OAAOA,EACT,IAAK,WACH,OAAOA,EAAOkH,GAChB,IAAK,UACH,OAAOlH,EAASkH,EAAME,YAAS5c,EAUrC,CAlCiCygB,CAAa/D,EAAOqD,GACnD,GAAIS,EAAa,CAEfA,EAAc9Y,EAAK6W,MAAQnD,GAAO,CAAC,EAAGoF,GAEtC,IAAIE,EAAQhZ,EAAKgZ,MAAQhZ,EAAKgZ,OAAS,CAAC,EACxC,IAAK,IAAIha,KAAO8Z,EACTV,EAAUvB,OAAW7X,KAAOoZ,EAAUvB,QACzCmC,EAAMha,GAAO8Z,EAAY9Z,UAClB8Z,EAAY9Z,GAGzB,CACF,CAyBA,SAASia,GACPC,EACAC,EACAC,GAEA,IAAIC,EAAYH,EAASI,OAAO,GAChC,GAAkB,MAAdD,EACF,OAAOH,EAGT,GAAkB,MAAdG,GAAmC,MAAdA,EACvB,OAAOF,EAAOD,EAGhB,IAAIK,EAAQJ,EAAKzK,MAAM,KAKlB0K,GAAWG,EAAMA,EAAM/hB,OAAS,IACnC+hB,EAAMC,MAKR,IADA,IAAIC,EAAWP,EAASnb,QAAQ,MAAO,IAAI2Q,MAAM,KACxCpX,EAAI,EAAGA,EAAImiB,EAASjiB,OAAQF,IAAK,CACxC,IAAIoiB,EAAUD,EAASniB,GACP,OAAZoiB,EACFH,EAAMC,MACe,MAAZE,GACTH,EAAMjjB,KAAKojB,EAEf,CAOA,MAJiB,KAAbH,EAAM,IACRA,EAAM1T,QAAQ,IAGT0T,EAAM3K,KAAK,IACpB,CAyBA,SAAS+K,GAAW/T,GAClB,OAAOA,EAAK7H,QAAQ,gBAAiB,IACvC,CAEA,IAAI6b,GAAUliB,MAAMoI,SAAW,SAAU+Z,GACvC,MAA8C,kBAAvCxkB,OAAOC,UAAUgE,SAAStC,KAAK6iB,EACxC,EAKIC,GAmZJ,SAASC,EAAcnU,EAAM3F,EAAM6G,GAQjC,OAPK8S,GAAQ3Z,KACX6G,EAAkC7G,GAAQ6G,EAC1C7G,EAAO,IAGT6G,EAAUA,GAAW,CAAC,EAElBlB,aAAgB0I,OAlJtB,SAAyB1I,EAAM3F,GAE7B,IAAI+Z,EAASpU,EAAKqU,OAAO/K,MAAM,aAE/B,GAAI8K,EACF,IAAK,IAAI1iB,EAAI,EAAGA,EAAI0iB,EAAOxiB,OAAQF,IACjC2I,EAAK3J,KAAK,CACRQ,KAAMQ,EACN9B,OAAQ,KACR0kB,UAAW,KACXC,UAAU,EACVC,QAAQ,EACRC,SAAS,EACTC,UAAU,EACVC,QAAS,OAKf,OAAOC,GAAW5U,EAAM3F,EAC1B,CA+HWwa,CAAe7U,EAA4B,GAGhDgU,GAAQhU,GAxHd,SAAwBA,EAAM3F,EAAM6G,GAGlC,IAFA,IAAIuN,EAAQ,GAEH/c,EAAI,EAAGA,EAAIsO,EAAKpO,OAAQF,IAC/B+c,EAAM/d,KAAKyjB,EAAanU,EAAKtO,GAAI2I,EAAM6G,GAASmT,QAKlD,OAAOO,GAFM,IAAIlM,OAAO,MAAQ+F,EAAMzF,KAAK,KAAO,IAAK8L,GAAM5T,IAEnC7G,EAC5B,CA+GW0a,CAAoC,EAA8B,EAAQ7T,GArGrF,SAAyBlB,EAAM3F,EAAM6G,GACnC,OAAO8T,GAAe,GAAMhV,EAAMkB,GAAU7G,EAAM6G,EACpD,CAsGS+T,CAAqC,EAA8B,EAAQ/T,EACpF,EAnaIgU,GAAU,GAEVC,GAAqBC,GACrBC,GAAmBL,GAOnBM,GAAc,IAAI5M,OAAO,CAG3B,UAOA,0GACAM,KAAK,KAAM,KASb,SAAS,GAAOmF,EAAKjN,GAQnB,IAPA,IAKIqN,EALAlF,EAAS,GACTjQ,EAAM,EACN2T,EAAQ,EACR/M,EAAO,GACPuV,EAAmBrU,GAAWA,EAAQoT,WAAa,IAGf,OAAhC/F,EAAM+G,GAAYzK,KAAKsD,KAAe,CAC5C,IAAIqH,EAAIjH,EAAI,GACRkH,EAAUlH,EAAI,GACdmH,EAASnH,EAAIxB,MAKjB,GAJA/M,GAAQmO,EAAI9c,MAAM0b,EAAO2I,GACzB3I,EAAQ2I,EAASF,EAAE5jB,OAGf6jB,EACFzV,GAAQyV,EAAQ,OADlB,CAKA,IAAIE,EAAOxH,EAAIpB,GACXnd,EAAS2e,EAAI,GACbrd,EAAOqd,EAAI,GACXqH,EAAUrH,EAAI,GACdsH,EAAQtH,EAAI,GACZuH,EAAWvH,EAAI,GACfmG,EAAWnG,EAAI,GAGfvO,IACFqJ,EAAO3Y,KAAKsP,GACZA,EAAO,IAGT,IAAIyU,EAAoB,MAAV7kB,GAA0B,MAAR+lB,GAAgBA,IAAS/lB,EACrD4kB,EAAsB,MAAbsB,GAAiC,MAAbA,EAC7BvB,EAAwB,MAAbuB,GAAiC,MAAbA,EAC/BxB,EAAY/F,EAAI,IAAMgH,EACtBZ,EAAUiB,GAAWC,EAEzBxM,EAAO3Y,KAAK,CACVQ,KAAMA,GAAQkI,IACdxJ,OAAQA,GAAU,GAClB0kB,UAAWA,EACXC,SAAUA,EACVC,OAAQA,EACRC,QAASA,EACTC,WAAYA,EACZC,QAASA,EAAUoB,GAAYpB,GAAYD,EAAW,KAAO,KAAOsB,GAAa1B,GAAa,OA9BhG,CAgCF,CAYA,OATIvH,EAAQoB,EAAIvc,SACdoO,GAAQmO,EAAI8H,OAAOlJ,IAIjB/M,GACFqJ,EAAO3Y,KAAKsP,GAGPqJ,CACT,CAmBA,SAAS6M,GAA0B/H,GACjC,OAAOgI,UAAUhI,GAAKhW,QAAQ,WAAW,SAAU8V,GACjD,MAAO,IAAMA,EAAE5D,WAAW,GAAG3W,SAAS,IAAI4W,aAC5C,GACF,CAiBA,SAAS8K,GAAkB/L,EAAQnI,GAKjC,IAHA,IAAIkV,EAAU,IAAItkB,MAAMuX,EAAOzX,QAGtBF,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IACR,iBAAd2X,EAAO3X,KAChB0kB,EAAQ1kB,GAAK,IAAIgX,OAAO,OAASW,EAAO3X,GAAGijB,QAAU,KAAMG,GAAM5T,KAIrE,OAAO,SAAUyF,EAAKnS,GAMpB,IALA,IAAIwL,EAAO,GACP5F,EAAOuM,GAAO,CAAC,EAEf8D,GADUjW,GAAQ,CAAC,GACF6hB,OAASH,GAA2B/L,mBAEhDzY,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IAAK,CACtC,IAAI8W,EAAQa,EAAO3X,GAEnB,GAAqB,iBAAV8W,EAAX,CAMA,IACIsL,EADAxa,EAAQc,EAAKoO,EAAMtX,MAGvB,GAAa,MAAToI,EAAe,CACjB,GAAIkP,EAAM+L,SAAU,CAEd/L,EAAMiM,UACRzU,GAAQwI,EAAM5Y,QAGhB,QACF,CACE,MAAM,IAAIU,UAAU,aAAekY,EAAMtX,KAAO,kBAEpD,CAEA,GAAI8iB,GAAQ1a,GAAZ,CACE,IAAKkP,EAAMgM,OACT,MAAM,IAAIlkB,UAAU,aAAekY,EAAMtX,KAAO,kCAAoCmL,KAAKC,UAAUhD,GAAS,KAG9G,GAAqB,IAAjBA,EAAM1H,OAAc,CACtB,GAAI4W,EAAM+L,SACR,SAEA,MAAM,IAAIjkB,UAAU,aAAekY,EAAMtX,KAAO,oBAEpD,CAEA,IAAK,IAAI0B,EAAI,EAAGA,EAAI0G,EAAM1H,OAAQgB,IAAK,CAGrC,GAFAkhB,EAAUrJ,EAAOnR,EAAM1G,KAElBwjB,EAAQ1kB,GAAGwE,KAAK4d,GACnB,MAAM,IAAIxjB,UAAU,iBAAmBkY,EAAMtX,KAAO,eAAiBsX,EAAMmM,QAAU,oBAAsBtY,KAAKC,UAAUwX,GAAW,KAGvI9T,IAAe,IAANpN,EAAU4V,EAAM5Y,OAAS4Y,EAAM8L,WAAaR,CACvD,CAGF,KAxBA,CA4BA,GAFAA,EAAUtL,EAAMkM,SA5EbyB,UA4EuC7c,GA5ExBnB,QAAQ,SAAS,SAAU8V,GAC/C,MAAO,IAAMA,EAAE5D,WAAW,GAAG3W,SAAS,IAAI4W,aAC5C,IA0EuDG,EAAOnR,IAErD8c,EAAQ1kB,GAAGwE,KAAK4d,GACnB,MAAM,IAAIxjB,UAAU,aAAekY,EAAMtX,KAAO,eAAiBsX,EAAMmM,QAAU,oBAAsBb,EAAU,KAGnH9T,GAAQwI,EAAM5Y,OAASkkB,CARvB,CA1CA,MAHE9T,GAAQwI,CAsDZ,CAEA,OAAOxI,CACT,CACF,CAQA,SAASgW,GAAc7H,GACrB,OAAOA,EAAIhW,QAAQ,6BAA8B,OACnD,CAQA,SAAS4d,GAAaF,GACpB,OAAOA,EAAM1d,QAAQ,gBAAiB,OACxC,CASA,SAASyc,GAAY0B,EAAIjc,GAEvB,OADAic,EAAGjc,KAAOA,EACHic,CACT,CAQA,SAASxB,GAAO5T,GACd,OAAOA,GAAWA,EAAQqV,UAAY,GAAK,GAC7C,CAuEA,SAASvB,GAAgB3L,EAAQhP,EAAM6G,GAChC8S,GAAQ3Z,KACX6G,EAAkC7G,GAAQ6G,EAC1C7G,EAAO,IAUT,IALA,IAAIqQ,GAFJxJ,EAAUA,GAAW,CAAC,GAEDwJ,OACjB8L,GAAsB,IAAhBtV,EAAQsV,IACdpH,EAAQ,GAGH1d,EAAI,EAAGA,EAAI2X,EAAOzX,OAAQF,IAAK,CACtC,IAAI8W,EAAQa,EAAO3X,GAEnB,GAAqB,iBAAV8W,EACT4G,GAAS4G,GAAaxN,OACjB,CACL,IAAI5Y,EAASomB,GAAaxN,EAAM5Y,QAC5BgmB,EAAU,MAAQpN,EAAMmM,QAAU,IAEtCta,EAAK3J,KAAK8X,GAENA,EAAMgM,SACRoB,GAAW,MAAQhmB,EAASgmB,EAAU,MAaxCxG,GANIwG,EAJApN,EAAM+L,SACH/L,EAAMiM,QAGC7kB,EAAS,IAAMgmB,EAAU,KAFzB,MAAQhmB,EAAS,IAAMgmB,EAAU,MAKnChmB,EAAS,IAAMgmB,EAAU,GAIvC,CACF,CAEA,IAAItB,EAAY0B,GAAa9U,EAAQoT,WAAa,KAC9CmC,EAAoBrH,EAAM/d,OAAOijB,EAAU1iB,UAAY0iB,EAkB3D,OAZK5J,IACH0E,GAASqH,EAAoBrH,EAAM/d,MAAM,GAAIijB,EAAU1iB,QAAUwd,GAAS,MAAQkF,EAAY,WAI9FlF,GADEoH,EACO,IAIA9L,GAAU+L,EAAoB,GAAK,MAAQnC,EAAY,MAG3DM,GAAW,IAAIlM,OAAO,IAAM0G,EAAO0F,GAAM5T,IAAW7G,EAC7D,CAgCA6Z,GAAezX,MAAQyY,GACvBhB,GAAewC,QA9Tf,SAAkBvI,EAAKjN,GACrB,OAAOkU,GAAiB,GAAMjH,EAAKjN,GAAUA,EAC/C,EA6TAgT,GAAekB,iBAAmBD,GAClCjB,GAAec,eAAiBK,GAKhC,IAAIsB,GAAqBlnB,OAAOqB,OAAO,MAEvC,SAAS8lB,GACP5W,EACAsP,EACAuH,GAEAvH,EAASA,GAAU,CAAC,EACpB,IACE,IAAIwH,EACFH,GAAmB3W,KAClB2W,GAAmB3W,GAAQkU,GAAewC,QAAQ1W,IAMrD,MAFgC,iBAArBsP,EAAOyH,YAA0BzH,EAAO,GAAKA,EAAOyH,WAExDD,EAAOxH,EAAQ,CAAE+G,QAAQ,GAClC,CAAE,MAAOhhB,GAKP,MAAO,EACT,CAAE,eAEOia,EAAO,EAChB,CACF,CAIA,SAAS0H,GACPC,EACApE,EACAW,EACAtE,GAEA,IAAIyG,EAAsB,iBAARsB,EAAmB,CAAEjX,KAAMiX,GAAQA,EAErD,GAAItB,EAAKuB,YACP,OAAOvB,EACF,GAAIA,EAAKzkB,KAAM,CAEpB,IAAIoe,GADJqG,EAAO7H,GAAO,CAAC,EAAGmJ,IACA3H,OAIlB,OAHIA,GAA4B,iBAAXA,IACnBqG,EAAKrG,OAASxB,GAAO,CAAC,EAAGwB,IAEpBqG,CACT,CAGA,IAAKA,EAAK3V,MAAQ2V,EAAKrG,QAAUuD,EAAS,EACxC8C,EAAO7H,GAAO,CAAC,EAAG6H,IACbuB,aAAc,EACnB,IAAIC,EAAWrJ,GAAOA,GAAO,CAAC,EAAG+E,EAAQvD,QAASqG,EAAKrG,QACvD,GAAIuD,EAAQ3hB,KACVykB,EAAKzkB,KAAO2hB,EAAQ3hB,KACpBykB,EAAKrG,OAAS6H,OACT,GAAItE,EAAQpD,QAAQ7d,OAAQ,CACjC,IAAIwlB,EAAUvE,EAAQpD,QAAQoD,EAAQpD,QAAQ7d,OAAS,GAAGoO,KAC1D2V,EAAK3V,KAAO4W,GAAWQ,EAASD,EAAsBtE,EAAY,KACpE,CAGA,OAAO8C,CACT,CAEA,IAAI0B,EAnhBN,SAAoBrX,GAClB,IAAIqN,EAAO,GACPxB,EAAQ,GAERyL,EAAYtX,EAAKuD,QAAQ,KACzB+T,GAAa,IACfjK,EAAOrN,EAAK3O,MAAMimB,GAClBtX,EAAOA,EAAK3O,MAAM,EAAGimB,IAGvB,IAAIC,EAAavX,EAAKuD,QAAQ,KAM9B,OALIgU,GAAc,IAChB1L,EAAQ7L,EAAK3O,MAAMkmB,EAAa,GAChCvX,EAAOA,EAAK3O,MAAM,EAAGkmB,IAGhB,CACLvX,KAAMA,EACN6L,MAAOA,EACPwB,KAAMA,EAEV,CA8fmBmK,CAAU7B,EAAK3V,MAAQ,IACpCyX,EAAY5E,GAAWA,EAAQ7S,MAAS,IACxCA,EAAOqX,EAAWrX,KAClBqT,GAAYgE,EAAWrX,KAAMyX,EAAUjE,GAAUmC,EAAKnC,QACtDiE,EAEA5L,EAv9BN,SACEA,EACA6L,EACAC,QAEoB,IAAfD,IAAwBA,EAAa,CAAC,GAE3C,IACIE,EADAnb,EAAQkb,GAAerJ,GAE3B,IACEsJ,EAAcnb,EAAMoP,GAAS,GAC/B,CAAE,MAAOxW,GAEPuiB,EAAc,CAAC,CACjB,CACA,IAAK,IAAIxe,KAAOse,EAAY,CAC1B,IAAIpe,EAAQoe,EAAWte,GACvBwe,EAAYxe,GAAOtH,MAAMoI,QAAQZ,GAC7BA,EAAM8F,IAAIiP,IACVA,GAAoB/U,EAC1B,CACA,OAAOse,CACT,CAi8BcC,CACVR,EAAWxL,MACX8J,EAAK9J,MACLqD,GAAUA,EAAOhO,QAAQoN,YAGvBjB,EAAOsI,EAAKtI,MAAQgK,EAAWhK,KAKnC,OAJIA,GAA2B,MAAnBA,EAAKqG,OAAO,KACtBrG,EAAO,IAAMA,GAGR,CACL6J,aAAa,EACblX,KAAMA,EACN6L,MAAOA,EACPwB,KAAMA,EAEV,CAKA,IA4NIyK,GAzNA,GAAO,WAAa,EAMpBC,GAAO,CACT7mB,KAAM,aACN+f,MAAO,CACL+G,GAAI,CACF9gB,KAbQ,CAACE,OAAQ3H,QAcjBwoB,UAAU,GAEZC,IAAK,CACHhhB,KAAME,OACN8Z,QAAS,KAEXiH,OAAQxL,QACRyL,MAAOzL,QACP0L,UAAW1L,QACX6G,OAAQ7G,QACRxU,QAASwU,QACT2L,YAAalhB,OACbmhB,iBAAkBnhB,OAClBohB,iBAAkB,CAChBthB,KAAME,OACN8Z,QAAS,QAEX7gB,MAAO,CACL6G,KA/BW,CAACE,OAAQtF,OAgCpBof,QAAS,UAGbC,OAAQ,SAAiBI,GACvB,IAAIkH,EAAWvoB,KAEXgf,EAAShf,KAAKwoB,QACd7F,EAAU3iB,KAAKuhB,OACf3B,EAAMZ,EAAOjS,QACf/M,KAAK8nB,GACLnF,EACA3iB,KAAKsjB,QAEH9c,EAAWoZ,EAAIpZ,SACf0Y,EAAQU,EAAIV,MACZ5Y,EAAOsZ,EAAItZ,KAEXmiB,EAAU,CAAC,EACXC,EAAoB1J,EAAOhO,QAAQ2X,gBACnCC,EAAyB5J,EAAOhO,QAAQ6X,qBAExCC,EACmB,MAArBJ,EAA4B,qBAAuBA,EACjDK,EACwB,MAA1BH,EACI,2BACAA,EACFR,EACkB,MAApBpoB,KAAKooB,YAAsBU,EAAsB9oB,KAAKooB,YACpDC,EACuB,MAAzBroB,KAAKqoB,iBACDU,EACA/oB,KAAKqoB,iBAEPW,EAAgB9J,EAAMH,eACtBF,GAAY,KAAMiI,GAAkB5H,EAAMH,gBAAiB,KAAMC,GACjEE,EAEJuJ,EAAQJ,GAAoBvI,GAAY6C,EAASqG,EAAehpB,KAAKmoB,WACrEM,EAAQL,GAAepoB,KAAKkoB,OAASloB,KAAKmoB,UACtCM,EAAQJ,GAn2BhB,SAA0B1F,EAASlc,GACjC,OAGQ,IAFNkc,EAAQ7S,KAAK7H,QAAQ2W,GAAiB,KAAKvL,QACzC5M,EAAOqJ,KAAK7H,QAAQ2W,GAAiB,SAErCnY,EAAO0W,MAAQwF,EAAQxF,OAAS1W,EAAO0W,OAK7C,SAAwBwF,EAASlc,GAC/B,IAAK,IAAIyC,KAAOzC,EACd,KAAMyC,KAAOyZ,GACX,OAAO,EAGX,OAAO,CACT,CAXIsG,CAActG,EAAQhH,MAAOlV,EAAOkV,MAExC,CA41BQuN,CAAgBvG,EAASqG,GAE7B,IAAIV,EAAmBG,EAAQJ,GAAoBroB,KAAKsoB,iBAAmB,KAEvEa,EAAU,SAAUhkB,GAClBikB,GAAWjkB,KACTojB,EAAStgB,QACX+W,EAAO/W,QAAQzB,EAAU,IAEzBwY,EAAOxe,KAAKgG,EAAU,IAG5B,EAEI7D,EAAK,CAAE0C,MAAO+jB,IACdxnB,MAAMoI,QAAQhK,KAAKG,OACrBH,KAAKG,MAAMkO,SAAQ,SAAUlJ,GAC3BxC,EAAGwC,GAAKgkB,CACV,IAEAxmB,EAAG3C,KAAKG,OAASgpB,EAGnB,IAAIjf,EAAO,CAAEmf,MAAOZ,GAEhBa,GACDtpB,KAAKupB,aAAaC,YACnBxpB,KAAKupB,aAAavI,SAClBhhB,KAAKupB,aAAavI,QAAQ,CACxB1a,KAAMA,EACN4Y,MAAOA,EACPuK,SAAUN,EACVO,SAAUjB,EAAQL,GAClBuB,cAAelB,EAAQJ,KAG3B,GAAIiB,EAAY,CAKd,GAA0B,IAAtBA,EAAW5nB,OACb,OAAO4nB,EAAW,GACb,GAAIA,EAAW5nB,OAAS,IAAM4nB,EAAW5nB,OAO9C,OAA6B,IAAtB4nB,EAAW5nB,OAAe2f,IAAMA,EAAE,OAAQ,CAAC,EAAGiI,EAEzD,CAmBA,GAAiB,MAAbtpB,KAAKgoB,IACP9d,EAAKvH,GAAKA,EACVuH,EAAKgZ,MAAQ,CAAE5c,KAAMA,EAAM,eAAgBgiB,OACtC,CAEL,IAAIniB,EAAIyjB,GAAW5pB,KAAK6pB,OAAO7I,SAC/B,GAAI7a,EAAG,CAELA,EAAE2jB,UAAW,EACb,IAAIC,EAAS5jB,EAAE+D,KAAO0T,GAAO,CAAC,EAAGzX,EAAE+D,MAGnC,IAAK,IAAI/J,KAFT4pB,EAAMpnB,GAAKonB,EAAMpnB,IAAM,CAAC,EAENonB,EAAMpnB,GAAI,CAC1B,IAAIqnB,EAAYD,EAAMpnB,GAAGxC,GACrBA,KAASwC,IACXonB,EAAMpnB,GAAGxC,GAASyB,MAAMoI,QAAQggB,GAAaA,EAAY,CAACA,GAE9D,CAEA,IAAK,IAAIC,KAAWtnB,EACdsnB,KAAWF,EAAMpnB,GAEnBonB,EAAMpnB,GAAGsnB,GAASzpB,KAAKmC,EAAGsnB,IAE1BF,EAAMpnB,GAAGsnB,GAAWd,EAIxB,IAAIe,EAAU/jB,EAAE+D,KAAKgZ,MAAQtF,GAAO,CAAC,EAAGzX,EAAE+D,KAAKgZ,OAC/CgH,EAAO5jB,KAAOA,EACd4jB,EAAO,gBAAkB5B,CAC3B,MAEEpe,EAAKvH,GAAKA,CAEd,CAEA,OAAO0e,EAAErhB,KAAKgoB,IAAK9d,EAAMlK,KAAK6pB,OAAO7I,QACvC,GAGF,SAASoI,GAAYjkB,GAEnB,KAAIA,EAAEglB,SAAWhlB,EAAEilB,QAAUjlB,EAAEklB,SAAWllB,EAAEmlB,UAExCnlB,EAAEolB,uBAEW/nB,IAAb2C,EAAEqlB,QAAqC,IAAbrlB,EAAEqlB,QAAhC,CAEA,GAAIrlB,EAAEslB,eAAiBtlB,EAAEslB,cAAcC,aAAc,CACnD,IAAIjkB,EAAStB,EAAEslB,cAAcC,aAAa,UAC1C,GAAI,cAAc1kB,KAAKS,GAAW,MACpC,CAKA,OAHItB,EAAEwlB,gBACJxlB,EAAEwlB,kBAEG,CAVgD,CAWzD,CAEA,SAASf,GAAYzI,GACnB,GAAIA,EAEF,IADA,IAAIyJ,EACKppB,EAAI,EAAGA,EAAI2f,EAASzf,OAAQF,IAAK,CAExC,GAAkB,OADlBopB,EAAQzJ,EAAS3f,IACPwmB,IACR,OAAO4C,EAET,GAAIA,EAAMzJ,WAAayJ,EAAQhB,GAAWgB,EAAMzJ,WAC9C,OAAOyJ,CAEX,CAEJ,CAsDA,IAAIC,GAA8B,oBAAXjnB,OAIvB,SAASknB,GACPC,EACAC,EACAC,EACAC,EACAC,GAGA,IAAIC,EAAWJ,GAAe,GAE1BK,EAAUJ,GAAc1rB,OAAOqB,OAAO,MAEtC0qB,EAAUJ,GAAc3rB,OAAOqB,OAAO,MAE1CmqB,EAAO1c,SAAQ,SAAU6Q,GACvBqM,GAAeH,EAAUC,EAASC,EAASpM,EAAOiM,EACpD,IAGA,IAAK,IAAI3pB,EAAI,EAAGC,EAAI2pB,EAAS1pB,OAAQF,EAAIC,EAAGD,IACtB,MAAhB4pB,EAAS5pB,KACX4pB,EAAS5qB,KAAK4qB,EAAS9X,OAAO9R,EAAG,GAAG,IACpCC,IACAD,KAgBJ,MAAO,CACL4pB,SAAUA,EACVC,QAASA,EACTC,QAASA,EAEb,CAEA,SAASC,GACPH,EACAC,EACAC,EACApM,EACAS,EACA6L,GAEA,IAAI1b,EAAOoP,EAAMpP,KACb9O,EAAOke,EAAMle,KAmBbyqB,EACFvM,EAAMuM,qBAAuB,CAAC,EAC5BC,EA2HN,SACE5b,EACA6P,EACAnF,GAGA,OADKA,IAAU1K,EAAOA,EAAK7H,QAAQ,MAAO,KAC1B,MAAZ6H,EAAK,IACK,MAAV6P,EAD0B7P,EAEvB+T,GAAYlE,EAAW,KAAI,IAAM7P,EAC1C,CApIuB6b,CAAc7b,EAAM6P,EAAQ8L,EAAoBjR,QAElC,kBAAxB0E,EAAM0M,gBACfH,EAAoBpF,UAAYnH,EAAM0M,eAGxC,IAAI9M,EAAS,CACXhP,KAAM4b,EACNG,MAAOC,GAAkBJ,EAAgBD,GACzC9S,WAAYuG,EAAMvG,YAAc,CAAEqI,QAAS9B,EAAMoD,WACjDyJ,MAAO7M,EAAM6M,MACc,iBAAhB7M,EAAM6M,MACX,CAAC7M,EAAM6M,OACP7M,EAAM6M,MACR,GACJxL,UAAW,CAAC,EACZG,WAAY,CAAC,EACb1f,KAAMA,EACN2e,OAAQA,EACR6L,QAASA,EACTQ,SAAU9M,EAAM8M,SAChBC,YAAa/M,EAAM+M,YACnB9M,KAAMD,EAAMC,MAAQ,CAAC,EACrB4B,MACiB,MAAf7B,EAAM6B,MACF,CAAC,EACD7B,EAAMvG,WACJuG,EAAM6B,MACN,CAAEC,QAAS9B,EAAM6B,QAoC3B,GAjCI7B,EAAMiC,UAoBRjC,EAAMiC,SAAS9S,SAAQ,SAAUuc,GAC/B,IAAIsB,EAAeV,EACf3H,GAAW2H,EAAU,IAAOZ,EAAU,WACtCpoB,EACJ+oB,GAAeH,EAAUC,EAASC,EAASV,EAAO9L,EAAQoN,EAC5D,IAGGb,EAAQvM,EAAOhP,QAClBsb,EAAS5qB,KAAKse,EAAOhP,MACrBub,EAAQvM,EAAOhP,MAAQgP,QAGLtc,IAAhB0c,EAAM6M,MAER,IADA,IAAII,EAAUvqB,MAAMoI,QAAQkV,EAAM6M,OAAS7M,EAAM6M,MAAQ,CAAC7M,EAAM6M,OACvDvqB,EAAI,EAAGA,EAAI2qB,EAAQzqB,SAAUF,EAAG,CAWvC,IAAI4qB,EAAa,CACftc,KAXUqc,EAAQ3qB,GAYlB2f,SAAUjC,EAAMiC,UAElBoK,GACEH,EACAC,EACAC,EACAc,EACAzM,EACAb,EAAOhP,MAAQ,IAEnB,CAGE9O,IACGsqB,EAAQtqB,KACXsqB,EAAQtqB,GAAQ8d,GAStB,CAEA,SAASgN,GACPhc,EACA2b,GAaA,OAXYzH,GAAelU,EAAM,GAAI2b,EAYvC,CAiBA,SAASY,GACPtB,EACA/L,GAEA,IAAIY,EAAMkL,GAAeC,GACrBK,EAAWxL,EAAIwL,SACfC,EAAUzL,EAAIyL,QACdC,EAAU1L,EAAI0L,QA4BlB,SAASlS,EACP2N,EACAuF,EACAvN,GAEA,IAAIvY,EAAWsgB,GAAkBC,EAAKuF,GAAc,EAAOtN,GACvDhe,EAAOwF,EAASxF,KAEpB,GAAIA,EAAM,CACR,IAAI8d,EAASwM,EAAQtqB,GAIrB,IAAK8d,EAAU,OAAOyN,EAAa,KAAM/lB,GACzC,IAAIgmB,EAAa1N,EAAO+M,MAAM1hB,KAC3B8E,QAAO,SAAU/F,GAAO,OAAQA,EAAImb,QAAU,IAC9CnV,KAAI,SAAUhG,GAAO,OAAOA,EAAIlI,IAAM,IAMzC,GAJ+B,iBAApBwF,EAAS4Y,SAClB5Y,EAAS4Y,OAAS,CAAC,GAGjBkN,GAA+C,iBAAxBA,EAAalN,OACtC,IAAK,IAAIlW,KAAOojB,EAAalN,SACrBlW,KAAO1C,EAAS4Y,SAAWoN,EAAWnZ,QAAQnK,IAAQ,IAC1D1C,EAAS4Y,OAAOlW,GAAOojB,EAAalN,OAAOlW,IAMjD,OADA1C,EAASsJ,KAAO4W,GAAW5H,EAAOhP,KAAMtJ,EAAS4Y,QAC1CmN,EAAazN,EAAQtY,EAAUuY,EACxC,CAAO,GAAIvY,EAASsJ,KAAM,CACxBtJ,EAAS4Y,OAAS,CAAC,EACnB,IAAK,IAAI5d,EAAI,EAAGA,EAAI4pB,EAAS1pB,OAAQF,IAAK,CACxC,IAAIsO,EAAOsb,EAAS5pB,GAChBirB,EAAWpB,EAAQvb,GACvB,GAAI4c,GAAWD,EAASZ,MAAOrlB,EAASsJ,KAAMtJ,EAAS4Y,QACrD,OAAOmN,EAAaE,EAAUjmB,EAAUuY,EAE5C,CACF,CAEA,OAAOwN,EAAa,KAAM/lB,EAC5B,CAsFA,SAAS+lB,EACPzN,EACAtY,EACAuY,GAEA,OAAID,GAAUA,EAAOkN,SAzFvB,SACElN,EACAtY,GAEA,IAAImmB,EAAmB7N,EAAOkN,SAC1BA,EAAuC,mBAArBW,EAClBA,EAAiB9N,GAAYC,EAAQtY,EAAU,KAAMwY,IACrD2N,EAMJ,GAJwB,iBAAbX,IACTA,EAAW,CAAElc,KAAMkc,KAGhBA,GAAgC,iBAAbA,EAMtB,OAAOO,EAAa,KAAM/lB,GAG5B,IAAI4f,EAAK4F,EACLhrB,EAAOolB,EAAGplB,KACV8O,EAAOsW,EAAGtW,KACV6L,EAAQnV,EAASmV,MACjBwB,EAAO3W,EAAS2W,KAChBiC,EAAS5Y,EAAS4Y,OAKtB,GAJAzD,EAAQyK,EAAG3mB,eAAe,SAAW2mB,EAAGzK,MAAQA,EAChDwB,EAAOiJ,EAAG3mB,eAAe,QAAU2mB,EAAGjJ,KAAOA,EAC7CiC,EAASgH,EAAG3mB,eAAe,UAAY2mB,EAAGhH,OAASA,EAE/Cpe,EAMF,OAJmBsqB,EAAQtqB,GAIpBoY,EAAM,CACX4N,aAAa,EACbhmB,KAAMA,EACN2a,MAAOA,EACPwB,KAAMA,EACNiC,OAAQA,QACP5c,EAAWgE,GACT,GAAIsJ,EAAM,CAEf,IAAIoX,EAmFV,SAA4BpX,EAAMgP,GAChC,OAAOqE,GAAYrT,EAAMgP,EAAOa,OAASb,EAAOa,OAAO7P,KAAO,KAAK,EACrE,CArFoB8c,CAAkB9c,EAAMgP,GAItC,OAAO1F,EAAM,CACX4N,aAAa,EACblX,KAJiB4W,GAAWQ,EAAS9H,GAKrCzD,MAAOA,EACPwB,KAAMA,QACL3a,EAAWgE,EAChB,CAIE,OAAO+lB,EAAa,KAAM/lB,EAE9B,CA2BWwlB,CAASlN,EAAQC,GAAkBvY,GAExCsY,GAAUA,EAAO0M,QA3BvB,SACE1M,EACAtY,EACAglB,GAEA,IACIqB,EAAezT,EAAM,CACvB4N,aAAa,EACblX,KAHgB4W,GAAW8E,EAAShlB,EAAS4Y,UAK/C,GAAIyN,EAAc,CAChB,IAAItN,EAAUsN,EAAatN,QACvBuN,EAAgBvN,EAAQA,EAAQ7d,OAAS,GAE7C,OADA8E,EAAS4Y,OAASyN,EAAazN,OACxBmN,EAAaO,EAAetmB,EACrC,CACA,OAAO+lB,EAAa,KAAM/lB,EAC5B,CAWWulB,CAAMjN,EAAQtY,EAAUsY,EAAO0M,SAEjC3M,GAAYC,EAAQtY,EAAUuY,EAAgBC,EACvD,CAEA,MAAO,CACL5F,MAAOA,EACP2T,SAxKF,SAAmBC,EAAe9N,GAChC,IAAIS,EAAmC,iBAAlBqN,EAA8B1B,EAAQ0B,QAAiBxqB,EAE5EsoB,GAAe,CAAC5L,GAAS8N,GAAgB5B,EAAUC,EAASC,EAAS3L,GAGjEA,GAAUA,EAAOoM,MAAMrqB,QACzBopB,GAEEnL,EAAOoM,MAAM7c,KAAI,SAAU6c,GAAS,MAAO,CAAGjc,KAAMic,EAAO5K,SAAU,CAACjC,GAAW,IACjFkM,EACAC,EACAC,EACA3L,EAGN,EAyJEsN,UAvJF,WACE,OAAO7B,EAASlc,KAAI,SAAUY,GAAQ,OAAOub,EAAQvb,EAAO,GAC9D,EAsJEod,UA9KF,SAAoBnC,GAClBD,GAAeC,EAAQK,EAAUC,EAASC,EAC5C,EA8KF,CAEA,SAASoB,GACPb,EACA/b,EACAsP,GAEA,IAAIkG,EAAIxV,EAAKsJ,MAAMyS,GAEnB,IAAKvG,EACH,OAAO,EACF,IAAKlG,EACV,OAAO,EAGT,IAAK,IAAI5d,EAAI,EAAGa,EAAMijB,EAAE5jB,OAAQF,EAAIa,IAAOb,EAAG,CAC5C,IAAI0H,EAAM2iB,EAAM1hB,KAAK3I,EAAI,GACrB0H,IAEFkW,EAAOlW,EAAIlI,MAAQ,aAA+B,iBAATskB,EAAE9jB,GAAkB,GAAO8jB,EAAE9jB,IAAM8jB,EAAE9jB,GAElF,CAEA,OAAO,CACT,CASA,IAAI2rB,GACFtC,IAAajnB,OAAOwpB,aAAexpB,OAAOwpB,YAAY5hB,IAClD5H,OAAOwpB,YACP3b,KAEN,SAAS4b,KACP,OAAOF,GAAK3hB,MAAM8hB,QAAQ,EAC5B,CAEA,IAAIC,GAAOF,KAEX,SAASG,KACP,OAAOD,EACT,CAEA,SAASE,GAAavkB,GACpB,OAAQqkB,GAAOrkB,CACjB,CAIA,IAAIwkB,GAAgBnuB,OAAOqB,OAAO,MAElC,SAAS+sB,KAEH,sBAAuB/pB,OAAOgqB,UAChChqB,OAAOgqB,QAAQC,kBAAoB,UAOrC,IAAIC,EAAkBlqB,OAAO4C,SAASunB,SAAW,KAAOnqB,OAAO4C,SAASwnB,KACpEC,EAAerqB,OAAO4C,SAASF,KAAK2B,QAAQ6lB,EAAiB,IAE7DI,EAAYtQ,GAAO,CAAC,EAAGha,OAAOgqB,QAAQ3kB,OAI1C,OAHAilB,EAAUhlB,IAAMskB,KAChB5pB,OAAOgqB,QAAQO,aAAaD,EAAW,GAAID,GAC3CrqB,OAAOwqB,iBAAiB,WAAYC,IAC7B,WACLzqB,OAAO0qB,oBAAoB,WAAYD,GACzC,CACF,CAEA,SAASE,GACPvP,EACA8I,EACA/Y,EACAyf,GAEA,GAAKxP,EAAO7T,IAAZ,CAIA,IAAIsjB,EAAWzP,EAAOhO,QAAQ0d,eACzBD,GASLzP,EAAO7T,IAAIwjB,WAAU,WACnB,IAAIC,EA6CR,WACE,IAAI1lB,EAAMskB,KACV,GAAItkB,EACF,OAAOwkB,GAAcxkB,EAEzB,CAlDmB2lB,GACXC,EAAeL,EAASvtB,KAC1B8d,EACA8I,EACA/Y,EACAyf,EAAQI,EAAW,MAGhBE,IAI4B,mBAAtBA,EAAazZ,KACtByZ,EACGzZ,MAAK,SAAUyZ,GACdC,GAAiB,EAAgBH,EACnC,IACCjZ,OAAM,SAAUuI,GAIjB,IAEF6Q,GAAiBD,EAAcF,GAEnC,GAtCA,CAuCF,CAEA,SAASI,KACP,IAAI9lB,EAAMskB,KACNtkB,IACFwkB,GAAcxkB,GAAO,CACnBgR,EAAGtW,OAAOqrB,YACVC,EAAGtrB,OAAOurB,aAGhB,CAEA,SAASd,GAAgBlpB,GACvB6pB,KACI7pB,EAAE8D,OAAS9D,EAAE8D,MAAMC,KACrBukB,GAAYtoB,EAAE8D,MAAMC,IAExB,CAmBA,SAASkmB,GAAiB3Y,GACxB,OAAO4Y,GAAS5Y,EAAIyD,IAAMmV,GAAS5Y,EAAIyY,EACzC,CAEA,SAASI,GAAmB7Y,GAC1B,MAAO,CACLyD,EAAGmV,GAAS5Y,EAAIyD,GAAKzD,EAAIyD,EAAItW,OAAOqrB,YACpCC,EAAGG,GAAS5Y,EAAIyY,GAAKzY,EAAIyY,EAAItrB,OAAOurB,YAExC,CASA,SAASE,GAAUE,GACjB,MAAoB,iBAANA,CAChB,CAEA,IAAIC,GAAyB,OAE7B,SAAST,GAAkBD,EAAcF,GACvC,IAdwBnY,EAcpBgZ,EAAmC,iBAAjBX,EACtB,GAAIW,GAA6C,iBAA1BX,EAAaY,SAAuB,CAGzD,IAAIC,EAAKH,GAAuBxpB,KAAK8oB,EAAaY,UAC9CjqB,SAASmqB,eAAed,EAAaY,SAASvuB,MAAM,IACpDsE,SAASoqB,cAAcf,EAAaY,UAExC,GAAIC,EAAI,CACN,IAAInK,EACFsJ,EAAatJ,QAAyC,iBAAxBsJ,EAAatJ,OACvCsJ,EAAatJ,OACb,CAAC,EAEPoJ,EAjDN,SAA6Be,EAAInK,GAC/B,IACIsK,EADQrqB,SAASsqB,gBACDC,wBAChBC,EAASN,EAAGK,wBAChB,MAAO,CACL9V,EAAG+V,EAAOlX,KAAO+W,EAAQ/W,KAAOyM,EAAOtL,EACvCgV,EAAGe,EAAOC,IAAMJ,EAAQI,IAAM1K,EAAO0J,EAEzC,CAyCiBiB,CAAmBR,EAD9BnK,EA1BG,CACLtL,EAAGmV,IAFmB5Y,EA2BK+O,GAzBXtL,GAAKzD,EAAIyD,EAAI,EAC7BgV,EAAGG,GAAS5Y,EAAIyY,GAAKzY,EAAIyY,EAAI,GA0B7B,MAAWE,GAAgBN,KACzBF,EAAWU,GAAkBR,GAEjC,MAAWW,GAAYL,GAAgBN,KACrCF,EAAWU,GAAkBR,IAG3BF,IAEE,mBAAoBnpB,SAASsqB,gBAAgBK,MAC/CxsB,OAAOysB,SAAS,CACdtX,KAAM6V,EAAS1U,EACfgW,IAAKtB,EAASM,EAEdT,SAAUK,EAAaL,WAGzB7qB,OAAOysB,SAASzB,EAAS1U,EAAG0U,EAASM,GAG3C,CAIA,IAGQoB,GAHJC,GACF1F,MAKmC,KAH7ByF,GAAK1sB,OAAOiC,UAAUC,WAGpBuN,QAAQ,gBAAuD,IAA/Bid,GAAGjd,QAAQ,iBACd,IAAjCid,GAAGjd,QAAQ,mBACe,IAA1Bid,GAAGjd,QAAQ,YACsB,IAAjCid,GAAGjd,QAAQ,mBAKNzP,OAAOgqB,SAA+C,mBAA7BhqB,OAAOgqB,QAAQ4C,UAGnD,SAASA,GAAWnsB,EAAK4D,GACvB+mB,KAGA,IAAIpB,EAAUhqB,OAAOgqB,QACrB,IACE,GAAI3lB,EAAS,CAEX,IAAIimB,EAAYtQ,GAAO,CAAC,EAAGgQ,EAAQ3kB,OACnCilB,EAAUhlB,IAAMskB,KAChBI,EAAQO,aAAaD,EAAW,GAAI7pB,EACtC,MACEupB,EAAQ4C,UAAU,CAAEtnB,IAAKukB,GAAYJ,OAAkB,GAAIhpB,EAE/D,CAAE,MAAOc,GACPvB,OAAO4C,SAASyB,EAAU,UAAY,UAAU5D,EAClD,CACF,CAEA,SAAS8pB,GAAc9pB,GACrBmsB,GAAUnsB,GAAK,EACjB,CAGA,IAAIosB,GAAwB,CAC1BC,WAAY,EACZC,QAAS,EACTC,UAAW,EACXC,WAAY,IA0Bd,SAASC,GAAgC/hB,EAAM+Y,GAC7C,OAAOiJ,GACLhiB,EACA+Y,EACA2I,GAAsBG,UACrB,8BAAkC7hB,EAAa,SAAI,SAAc+Y,EAAW,SAAI,2BAErF,CAWA,SAASiJ,GAAmBhiB,EAAM+Y,EAAI9gB,EAAMqB,GAC1C,IAAIrD,EAAQ,IAAIgD,MAAMK,GAMtB,OALArD,EAAMgsB,WAAY,EAClBhsB,EAAM+J,KAAOA,EACb/J,EAAM8iB,GAAKA,EACX9iB,EAAMgC,KAAOA,EAENhC,CACT,CAEA,IAAIisB,GAAkB,CAAC,SAAU,QAAS,QAY1C,SAASC,GAAShT,GAChB,OAAO3e,OAAOC,UAAUgE,SAAStC,KAAKgd,GAAK7K,QAAQ,UAAY,CACjE,CAEA,SAAS8d,GAAqBjT,EAAKkT,GACjC,OACEF,GAAQhT,IACRA,EAAI8S,YACU,MAAbI,GAAqBlT,EAAIlX,OAASoqB,EAEvC,CAIA,SAASC,GAAUC,EAAOzxB,EAAI0xB,GAC5B,IAAIC,EAAO,SAAU3U,GACfA,GAASyU,EAAM5vB,OACjB6vB,IAEID,EAAMzU,GACRhd,EAAGyxB,EAAMzU,IAAQ,WACf2U,EAAK3U,EAAQ,EACf,IAEA2U,EAAK3U,EAAQ,EAGnB,EACA2U,EAAK,EACP,CAsEA,SAASC,GACPlS,EACA1f,GAEA,OAAO6xB,GAAQnS,EAAQrQ,KAAI,SAAUoW,GACnC,OAAO/lB,OAAO4K,KAAKmb,EAAE3M,YAAYzJ,KAAI,SAAUhG,GAAO,OAAOrJ,EAC3DylB,EAAE3M,WAAWzP,GACboc,EAAE/E,UAAUrX,GACZoc,EAAGpc,EACF,GACL,IACF,CAEA,SAASwoB,GAAS3N,GAChB,OAAOniB,MAAMpC,UAAU6B,OAAOoB,MAAM,GAAIshB,EAC1C,CAEA,IAAI4N,GACgB,mBAAXtuB,QACuB,iBAAvBA,OAAOuuB,YAUhB,SAAS7xB,GAAMF,GACb,IAAIgyB,GAAS,EACb,OAAO,WAEL,IADA,IAAIzvB,EAAO,GAAIC,EAAMC,UAAUZ,OACvBW,KAAQD,EAAMC,GAAQC,UAAWD,GAEzC,IAAIwvB,EAEJ,OADAA,GAAS,EACFhyB,EAAG4C,MAAMzC,KAAMoC,EACxB,CACF,CAIA,IAAI0vB,GAAU,SAAkB9S,EAAQqE,GACtCrjB,KAAKgf,OAASA,EACdhf,KAAKqjB,KAgOP,SAAwBA,GACtB,IAAKA,EACH,GAAIwH,GAAW,CAEb,IAAIkH,EAAStsB,SAASoqB,cAAc,QAGpCxM,GAFAA,EAAQ0O,GAAUA,EAAOrH,aAAa,SAAY,KAEtCziB,QAAQ,qBAAsB,GAC5C,MACEob,EAAO,IAQX,MAJuB,MAAnBA,EAAKG,OAAO,KACdH,EAAO,IAAMA,GAGRA,EAAKpb,QAAQ,MAAO,GAC7B,CAlPc+pB,CAAc3O,GAE1BrjB,KAAK2iB,QAAUjD,GACf1f,KAAKiyB,QAAU,KACfjyB,KAAKkyB,OAAQ,EACblyB,KAAKmyB,SAAW,GAChBnyB,KAAKoyB,cAAgB,GACrBpyB,KAAKqyB,SAAW,GAChBryB,KAAKsB,UAAY,EACnB,EA6PA,SAASgxB,GACPC,EACAvxB,EACAwQ,EACAghB,GAEA,IAAIC,EAAShB,GAAkBc,GAAS,SAAUG,EAAKlS,EAAUpH,EAAOlQ,GACtE,IAAIypB,EAUR,SACED,EACAxpB,GAMA,MAJmB,mBAARwpB,IAETA,EAAM9K,GAAKhK,OAAO8U,IAEbA,EAAI1hB,QAAQ9H,EACrB,CAnBgB0pB,CAAaF,EAAK1xB,GAC9B,GAAI2xB,EACF,OAAO/wB,MAAMoI,QAAQ2oB,GACjBA,EAAMzjB,KAAI,SAAUyjB,GAAS,OAAOnhB,EAAKmhB,EAAOnS,EAAUpH,EAAOlQ,EAAM,IACvEsI,EAAKmhB,EAAOnS,EAAUpH,EAAOlQ,EAErC,IACA,OAAOwoB,GAAQc,EAAUC,EAAOD,UAAYC,EAC9C,CAqBA,SAASI,GAAWF,EAAOnS,GACzB,GAAIA,EACF,OAAO,WACL,OAAOmS,EAAMlwB,MAAM+d,EAAUle,UAC/B,CAEJ,CArSAwvB,GAAQtyB,UAAUszB,OAAS,SAAiBvB,GAC1CvxB,KAAKuxB,GAAKA,CACZ,EAEAO,GAAQtyB,UAAUuzB,QAAU,SAAkBxB,EAAIyB,GAC5ChzB,KAAKkyB,MACPX,KAEAvxB,KAAKmyB,SAAS3xB,KAAK+wB,GACfyB,GACFhzB,KAAKoyB,cAAc5xB,KAAKwyB,GAG9B,EAEAlB,GAAQtyB,UAAUoS,QAAU,SAAkBohB,GAC5ChzB,KAAKqyB,SAAS7xB,KAAKwyB,EACrB,EAEAlB,GAAQtyB,UAAUyzB,aAAe,SAC/BzsB,EACA0sB,EACAC,GAEE,IAEEjU,EAFEqJ,EAAWvoB,KAIjB,IACEkf,EAAQlf,KAAKgf,OAAO5F,MAAM5S,EAAUxG,KAAK2iB,QAC3C,CAAE,MAAOxd,GAKP,MAJAnF,KAAKqyB,SAAShkB,SAAQ,SAAUkjB,GAC9BA,EAAGpsB,EACL,IAEMA,CACR,CACA,IAAIiuB,EAAOpzB,KAAK2iB,QAChB3iB,KAAKqzB,kBACHnU,GACA,WACEqJ,EAAS+K,YAAYpU,GACrBgU,GAAcA,EAAWhU,GACzBqJ,EAASgL,YACThL,EAASvJ,OAAOwU,WAAWnlB,SAAQ,SAAUuU,GAC3CA,GAAQA,EAAK1D,EAAOkU,EACtB,IAGK7K,EAAS2J,QACZ3J,EAAS2J,OAAQ,EACjB3J,EAAS4J,SAAS9jB,SAAQ,SAAUkjB,GAClCA,EAAGrS,EACL,IAEJ,IACA,SAAUhB,GACJiV,GACFA,EAAQjV,GAENA,IAAQqK,EAAS2J,QAKdf,GAAoBjT,EAAKuS,GAAsBC,aAAe0C,IAAS1T,KAC1E6I,EAAS2J,OAAQ,EACjB3J,EAAS6J,cAAc/jB,SAAQ,SAAUkjB,GACvCA,EAAGrT,EACL,KAGN,GAEJ,EAEA4T,GAAQtyB,UAAU6zB,kBAAoB,SAA4BnU,EAAOgU,EAAYC,GACjF,IAAI5K,EAAWvoB,KAEb2iB,EAAU3iB,KAAK2iB,QACnB3iB,KAAKiyB,QAAU/S,EACf,IAhSwCnQ,EACpC/J,EA+RAyuB,EAAQ,SAAUvV,IAIfiT,GAAoBjT,IAAQgT,GAAQhT,KACnCqK,EAAS8J,SAAS3wB,OACpB6mB,EAAS8J,SAAShkB,SAAQ,SAAUkjB,GAClCA,EAAGrT,EACL,IAKA,GAAQlZ,MAAMkZ,IAGlBiV,GAAWA,EAAQjV,EACrB,EACIwV,EAAiBxU,EAAMK,QAAQ7d,OAAS,EACxCiyB,EAAmBhR,EAAQpD,QAAQ7d,OAAS,EAChD,GACEoe,GAAYZ,EAAOyD,IAEnB+Q,IAAmBC,GACnBzU,EAAMK,QAAQmU,KAAoB/Q,EAAQpD,QAAQoU,GAMlD,OAJA3zB,KAAKuzB,YACDrU,EAAM/B,MACRoR,GAAavuB,KAAKgf,OAAQ2D,EAASzD,GAAO,GAErCuU,IA7TLzuB,EAAQ+rB,GAD4BhiB,EA8TO4T,EAASzD,EA1TtDuR,GAAsBI,WACrB,sDAA0D9hB,EAAa,SAAI,OAGxE/N,KAAO,uBACNgE,IAwTP,IA5O+Bua,EA4O3BK,EAuHN,SACE+C,EACA8C,GAEA,IAAIjkB,EACAoyB,EAAMC,KAAKD,IAAIjR,EAAQjhB,OAAQ+jB,EAAK/jB,QACxC,IAAKF,EAAI,EAAGA,EAAIoyB,GACVjR,EAAQnhB,KAAOikB,EAAKjkB,GADLA,KAKrB,MAAO,CACLsyB,QAASrO,EAAKtkB,MAAM,EAAGK,GACvBuyB,UAAWtO,EAAKtkB,MAAMK,GACtBwyB,YAAarR,EAAQxhB,MAAMK,GAE/B,CAvIYyyB,CACRj0B,KAAK2iB,QAAQpD,QACbL,EAAMK,SAEFuU,EAAUlU,EAAIkU,QACdE,EAAcpU,EAAIoU,YAClBD,EAAYnU,EAAImU,UAElBzC,EAAQ,GAAGjwB,OA6JjB,SAA6B2yB,GAC3B,OAAO1B,GAAc0B,EAAa,mBAAoBnB,IAAW,EACnE,CA7JIqB,CAAmBF,GAEnBh0B,KAAKgf,OAAOmV,YA6JhB,SAA6BL,GAC3B,OAAOxB,GAAcwB,EAAS,oBAAqBjB,GACrD,CA7JIuB,CAAmBN,GAEnBC,EAAU7kB,KAAI,SAAUoW,GAAK,OAAOA,EAAE2G,WAAa,KA5PtB1M,EA8PNwU,EA7PlB,SAAUjM,EAAI/Y,EAAM0W,GACzB,IAAI4O,GAAW,EACXpC,EAAU,EACVjtB,EAAQ,KAEZysB,GAAkBlS,GAAS,SAAUmT,EAAKxR,EAAG9H,EAAOlQ,GAMlD,GAAmB,mBAARwpB,QAAkClwB,IAAZkwB,EAAI4B,IAAmB,CACtDD,GAAW,EACXpC,IAEA,IA0BI5T,EA1BAtR,EAAUhN,IAAK,SAAUw0B,GAuErC,IAAqB9d,MAtEI8d,GAuEZC,YAAe7C,IAAyC,WAA5Blb,EAAIpT,OAAOuuB,gBAtExC2C,EAAcA,EAAYvT,SAG5B0R,EAAI+B,SAAkC,mBAAhBF,EAClBA,EACA3M,GAAKhK,OAAO2W,GAChBnb,EAAMT,WAAWzP,GAAOqrB,IACxBtC,GACe,GACbxM,GAEJ,IAEIzY,EAASjN,IAAK,SAAU20B,GAC1B,IAAIC,EAAM,qCAAuCzrB,EAAM,KAAOwrB,EAEzD1vB,IACHA,EAAQksB,GAAQwD,GACZA,EACA,IAAI1sB,MAAM2sB,GACdlP,EAAKzgB,GAET,IAGA,IACEqZ,EAAMqU,EAAI3lB,EAASC,EACrB,CAAE,MAAO7H,GACP6H,EAAO7H,EACT,CACA,GAAIkZ,EACF,GAAwB,mBAAbA,EAAIhJ,KACbgJ,EAAIhJ,KAAKtI,EAASC,OACb,CAEL,IAAI4nB,EAAOvW,EAAIiE,UACXsS,GAA6B,mBAAdA,EAAKvf,MACtBuf,EAAKvf,KAAKtI,EAASC,EAEvB,CAEJ,CACF,IAEKqnB,GAAY5O,GACnB,IAkMIoP,EAAW,SAAUjS,EAAM6C,GAC7B,GAAI8C,EAAS0J,UAAY/S,EACvB,OAAOuU,EAAM3C,GAA+BnO,EAASzD,IAEvD,IACE0D,EAAK1D,EAAOyD,GAAS,SAAUmF,IAClB,IAAPA,GAEFS,EAASgL,WAAU,GACnBE,EA1UV,SAAuC1kB,EAAM+Y,GAC3C,OAAOiJ,GACLhiB,EACA+Y,EACA2I,GAAsBE,QACrB,4BAAgC5hB,EAAa,SAAI,SAAc+Y,EAAW,SAAI,4BAEnF,CAmUgBgN,CAA6BnS,EAASzD,KACnCgS,GAAQpJ,IACjBS,EAASgL,WAAU,GACnBE,EAAM3L,IAEQ,iBAAPA,GACQ,iBAAPA,IACc,iBAAZA,EAAGhY,MAAwC,iBAAZgY,EAAG9mB,OAG5CyyB,EApXV,SAA0C1kB,EAAM+Y,GAC9C,OAAOiJ,GACLhiB,EACA+Y,EACA2I,GAAsBC,WACrB,+BAAmC3hB,EAAa,SAAI,SAgDzD,SAAyB+Y,GACvB,GAAkB,iBAAPA,EAAmB,OAAOA,EACrC,GAAI,SAAUA,EAAM,OAAOA,EAAGhY,KAC9B,IAAItJ,EAAW,CAAC,EAIhB,OAHAyqB,GAAgB5iB,SAAQ,SAAUnF,GAC5BA,KAAO4e,IAAMthB,EAAS0C,GAAO4e,EAAG5e,GACtC,IACOiD,KAAKC,UAAU5F,EAAU,KAAM,EACxC,CAxDsE,CAChEshB,GACG,4BAET,CA2WgBiN,CAAgCpS,EAASzD,IAC7B,iBAAP4I,GAAmBA,EAAG7f,QAC/BsgB,EAAStgB,QAAQ6f,GAEjBS,EAAS/nB,KAAKsnB,IAIhBrC,EAAKqC,EAET,GACF,CAAE,MAAO3iB,GACPsuB,EAAMtuB,EACR,CACF,EAEAksB,GAASC,EAAOuD,GAAU,WAGxB,IAAIG,EA0HR,SACEjB,GAEA,OAAOzB,GACLyB,EACA,oBACA,SAAUpB,EAAOzR,EAAG9H,EAAOlQ,GACzB,OAKN,SACEypB,EACAvZ,EACAlQ,GAEA,OAAO,SAA0B4e,EAAI/Y,EAAM0W,GACzC,OAAOkN,EAAM7K,EAAI/Y,GAAM,SAAUwiB,GACb,mBAAPA,IACJnY,EAAMsH,WAAWxX,KACpBkQ,EAAMsH,WAAWxX,GAAO,IAE1BkQ,EAAMsH,WAAWxX,GAAK1I,KAAK+wB,IAE7B9L,EAAK8L,EACP,GACF,CACF,CArBa0D,CAAetC,EAAOvZ,EAAOlQ,EACtC,GAEJ,CApIsBgsB,CAAmBnB,GAErC1C,GADY2D,EAAY3zB,OAAOknB,EAASvJ,OAAOmW,cAC/BN,GAAU,WACxB,GAAItM,EAAS0J,UAAY/S,EACvB,OAAOuU,EAAM3C,GAA+BnO,EAASzD,IAEvDqJ,EAAS0J,QAAU,KACnBiB,EAAWhU,GACPqJ,EAASvJ,OAAO7T,KAClBod,EAASvJ,OAAO7T,IAAIwjB,WAAU,WAC5BrO,GAAmBpB,EACrB,GAEJ,GACF,GACF,EAEA4S,GAAQtyB,UAAU8zB,YAAc,SAAsBpU,GACpDlf,KAAK2iB,QAAUzD,EACflf,KAAKuxB,IAAMvxB,KAAKuxB,GAAGrS,EACrB,EAEA4S,GAAQtyB,UAAU41B,eAAiB,WAEnC,EAEAtD,GAAQtyB,UAAU61B,SAAW,WAG3Br1B,KAAKsB,UAAU+M,SAAQ,SAAUinB,GAC/BA,GACF,IACAt1B,KAAKsB,UAAY,GAIjBtB,KAAK2iB,QAAUjD,GACf1f,KAAKiyB,QAAU,IACjB,EAoHA,IAAIsD,GAA6B,SAAUzD,GACzC,SAASyD,EAAcvW,EAAQqE,GAC7ByO,EAAQ5wB,KAAKlB,KAAMgf,EAAQqE,GAE3BrjB,KAAKw1B,eAAiBC,GAAYz1B,KAAKqjB,KACzC,CAkFA,OAhFKyO,IAAUyD,EAAa10B,UAAYixB,GACxCyD,EAAa/1B,UAAYD,OAAOqB,OAAQkxB,GAAWA,EAAQtyB,WAC3D+1B,EAAa/1B,UAAUk2B,YAAcH,EAErCA,EAAa/1B,UAAU41B,eAAiB,WACtC,IAAI7M,EAAWvoB,KAEf,KAAIA,KAAKsB,UAAUI,OAAS,GAA5B,CAIA,IAAIsd,EAAShf,KAAKgf,OACd2W,EAAe3W,EAAOhO,QAAQ0d,eAC9BkH,EAAiBrF,IAAqBoF,EAEtCC,GACF51B,KAAKsB,UAAUd,KAAKmtB,MAGtB,IAAIkI,EAAqB,WACvB,IAAIlT,EAAU4F,EAAS5F,QAInBnc,EAAWivB,GAAYlN,EAASlF,MAChCkF,EAAS5F,UAAYjD,IAASlZ,IAAa+hB,EAASiN,gBAIxDjN,EAAS0K,aAAazsB,GAAU,SAAU0Y,GACpC0W,GACFrH,GAAavP,EAAQE,EAAOyD,GAAS,EAEzC,GACF,EACA/e,OAAOwqB,iBAAiB,WAAYyH,GACpC71B,KAAKsB,UAAUd,MAAK,WAClBoD,OAAO0qB,oBAAoB,WAAYuH,EACzC,GA7BA,CA8BF,EAEAN,EAAa/1B,UAAUs2B,GAAK,SAAaC,GACvCnyB,OAAOgqB,QAAQkI,GAAGC,EACpB,EAEAR,EAAa/1B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GACjE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aAAazsB,GAAU,SAAU0Y,GACpCsR,GAAU3M,GAAU0E,EAASlF,KAAOnE,EAAMG,WAC1CkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GAAGiU,EACL,EAEAoC,EAAa/1B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GACvE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aAAazsB,GAAU,SAAU0Y,GACpCiP,GAAatK,GAAU0E,EAASlF,KAAOnE,EAAMG,WAC7CkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GAAGiU,EACL,EAEAoC,EAAa/1B,UAAU+zB,UAAY,SAAoB/yB,GACrD,GAAIi1B,GAAYz1B,KAAKqjB,QAAUrjB,KAAK2iB,QAAQtD,SAAU,CACpD,IAAIsD,EAAUkB,GAAU7jB,KAAKqjB,KAAOrjB,KAAK2iB,QAAQtD,UACjD7e,EAAOgwB,GAAU7N,GAAWwL,GAAaxL,EAC3C,CACF,EAEA4S,EAAa/1B,UAAUy2B,mBAAqB,WAC1C,OAAOR,GAAYz1B,KAAKqjB,KAC1B,EAEOkS,CACT,CAxFgC,CAwF9BzD,IAEF,SAAS2D,GAAapS,GACpB,IAAIvT,EAAOlM,OAAO4C,SAAS0vB,SACvBC,EAAgBrmB,EAAKjH,cACrButB,EAAgB/S,EAAKxa,cAQzB,OAJIwa,GAAU8S,IAAkBC,GAC6B,IAA1DD,EAAc9iB,QAAQwQ,GAAUuS,EAAgB,QACjDtmB,EAAOA,EAAK3O,MAAMkiB,EAAK3hB,UAEjBoO,GAAQ,KAAOlM,OAAO4C,SAAS6vB,OAASzyB,OAAO4C,SAAS2W,IAClE,CAIA,IAAImZ,GAA4B,SAAUxE,GACxC,SAASwE,EAAatX,EAAQqE,EAAMkT,GAClCzE,EAAQ5wB,KAAKlB,KAAMgf,EAAQqE,GAEvBkT,GAqGR,SAAwBlT,GACtB,IAAI7c,EAAWivB,GAAYpS,GAC3B,IAAK,OAAOrd,KAAKQ,GAEf,OADA5C,OAAO4C,SAASyB,QAAQ4b,GAAUR,EAAO,KAAO7c,KACzC,CAEX,CA3GoBgwB,CAAcx2B,KAAKqjB,OAGnCoT,IACF,CA8FA,OA5FK3E,IAAUwE,EAAYz1B,UAAYixB,GACvCwE,EAAY92B,UAAYD,OAAOqB,OAAQkxB,GAAWA,EAAQtyB,WAC1D82B,EAAY92B,UAAUk2B,YAAcY,EAIpCA,EAAY92B,UAAU41B,eAAiB,WACrC,IAAI7M,EAAWvoB,KAEf,KAAIA,KAAKsB,UAAUI,OAAS,GAA5B,CAIA,IACIi0B,EADS31B,KAAKgf,OACQhO,QAAQ0d,eAC9BkH,EAAiBrF,IAAqBoF,EAEtCC,GACF51B,KAAKsB,UAAUd,KAAKmtB,MAGtB,IAAIkI,EAAqB,WACvB,IAAIlT,EAAU4F,EAAS5F,QAClB8T,MAGLlO,EAAS0K,aAAa,MAAW,SAAU/T,GACrC0W,GACFrH,GAAahG,EAASvJ,OAAQE,EAAOyD,GAAS,GAE3C4N,IACHmG,GAAYxX,EAAMG,SAEtB,GACF,EACIsX,EAAYpG,GAAoB,WAAa,aACjD3sB,OAAOwqB,iBACLuI,EACAd,GAEF71B,KAAKsB,UAAUd,MAAK,WAClBoD,OAAO0qB,oBAAoBqI,EAAWd,EACxC,GA/BA,CAgCF,EAEAS,EAAY92B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GAChE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aACHzsB,GACA,SAAU0Y,GACR0X,GAAS1X,EAAMG,UACfkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEAmD,EAAY92B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GACtE,IAAI5K,EAAWvoB,KAGXg2B,EADMh2B,KACU2iB,QACpB3iB,KAAKizB,aACHzsB,GACA,SAAU0Y,GACRwX,GAAYxX,EAAMG,UAClBkP,GAAahG,EAASvJ,OAAQE,EAAO8W,GAAW,GAChD9C,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEAmD,EAAY92B,UAAUs2B,GAAK,SAAaC,GACtCnyB,OAAOgqB,QAAQkI,GAAGC,EACpB,EAEAO,EAAY92B,UAAU+zB,UAAY,SAAoB/yB,GACpD,IAAImiB,EAAU3iB,KAAK2iB,QAAQtD,SACvB,OAAcsD,IAChBniB,EAAOo2B,GAASjU,GAAW+T,GAAY/T,GAE3C,EAEA2T,EAAY92B,UAAUy2B,mBAAqB,WACzC,OAAO,IACT,EAEOK,CACT,CAvG+B,CAuG7BxE,IAUF,SAAS2E,KACP,IAAI3mB,EAAO,KACX,MAAuB,MAAnBA,EAAK0T,OAAO,KAGhBkT,GAAY,IAAM5mB,IACX,EACT,CAEA,SAAS,KAGP,IAAIxJ,EAAO1C,OAAO4C,SAASF,KACvBuW,EAAQvW,EAAK+M,QAAQ,KAEzB,OAAIwJ,EAAQ,EAAY,GAExBvW,EAAOA,EAAKnF,MAAM0b,EAAQ,EAG5B,CAEA,SAASga,GAAQ/mB,GACf,IAAIxJ,EAAO1C,OAAO4C,SAASF,KACvB9E,EAAI8E,EAAK+M,QAAQ,KAErB,OADW7R,GAAK,EAAI8E,EAAKnF,MAAM,EAAGK,GAAK8E,GACxB,IAAMwJ,CACvB,CAEA,SAAS8mB,GAAU9mB,GACbygB,GACFC,GAAUqG,GAAO/mB,IAEjBlM,OAAO4C,SAAS2W,KAAOrN,CAE3B,CAEA,SAAS4mB,GAAa5mB,GAChBygB,GACFpC,GAAa0I,GAAO/mB,IAEpBlM,OAAO4C,SAASyB,QAAQ4uB,GAAO/mB,GAEnC,CAIA,IAAIgnB,GAAgC,SAAUhF,GAC5C,SAASgF,EAAiB9X,EAAQqE,GAChCyO,EAAQ5wB,KAAKlB,KAAMgf,EAAQqE,GAC3BrjB,KAAKyjB,MAAQ,GACbzjB,KAAK6c,OAAS,CAChB,CAoEA,OAlEKiV,IAAUgF,EAAgBj2B,UAAYixB,GAC3CgF,EAAgBt3B,UAAYD,OAAOqB,OAAQkxB,GAAWA,EAAQtyB,WAC9Ds3B,EAAgBt3B,UAAUk2B,YAAcoB,EAExCA,EAAgBt3B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GACpE,IAAI5K,EAAWvoB,KAEfA,KAAKizB,aACHzsB,GACA,SAAU0Y,GACRqJ,EAAS9E,MAAQ8E,EAAS9E,MAAMtiB,MAAM,EAAGonB,EAAS1L,MAAQ,GAAGxb,OAAO6d,GACpEqJ,EAAS1L,QACTqW,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEA2D,EAAgBt3B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GAC1E,IAAI5K,EAAWvoB,KAEfA,KAAKizB,aACHzsB,GACA,SAAU0Y,GACRqJ,EAAS9E,MAAQ8E,EAAS9E,MAAMtiB,MAAM,EAAGonB,EAAS1L,OAAOxb,OAAO6d,GAChEgU,GAAcA,EAAWhU,EAC3B,GACAiU,EAEJ,EAEA2D,EAAgBt3B,UAAUs2B,GAAK,SAAaC,GAC1C,IAAIxN,EAAWvoB,KAEX+2B,EAAc/2B,KAAK6c,MAAQkZ,EAC/B,KAAIgB,EAAc,GAAKA,GAAe/2B,KAAKyjB,MAAM/hB,QAAjD,CAGA,IAAIwd,EAAQlf,KAAKyjB,MAAMsT,GACvB/2B,KAAKqzB,kBACHnU,GACA,WACE,IAAIkU,EAAO7K,EAAS5F,QACpB4F,EAAS1L,MAAQka,EACjBxO,EAAS+K,YAAYpU,GACrBqJ,EAASvJ,OAAOwU,WAAWnlB,SAAQ,SAAUuU,GAC3CA,GAAQA,EAAK1D,EAAOkU,EACtB,GACF,IACA,SAAUlV,GACJiT,GAAoBjT,EAAKuS,GAAsBI,cACjDtI,EAAS1L,MAAQka,EAErB,GAhBF,CAkBF,EAEAD,EAAgBt3B,UAAUy2B,mBAAqB,WAC7C,IAAItT,EAAU3iB,KAAKyjB,MAAMzjB,KAAKyjB,MAAM/hB,OAAS,GAC7C,OAAOihB,EAAUA,EAAQtD,SAAW,GACtC,EAEAyX,EAAgBt3B,UAAU+zB,UAAY,WAEtC,EAEOuD,CACT,CA1EmC,CA0EjChF,IAMEkF,GAAY,SAAoBhmB,QACjB,IAAZA,IAAqBA,EAAU,CAAC,GAKrChR,KAAKmL,IAAM,KACXnL,KAAKi3B,KAAO,GACZj3B,KAAKgR,QAAUA,EACfhR,KAAKm0B,YAAc,GACnBn0B,KAAKm1B,aAAe,GACpBn1B,KAAKwzB,WAAa,GAClBxzB,KAAKk3B,QAAU7K,GAAcrb,EAAQ+Z,QAAU,GAAI/qB,MAEnD,IAAIm3B,EAAOnmB,EAAQmmB,MAAQ,OAW3B,OAVAn3B,KAAKu2B,SACM,YAATY,IAAuB5G,KAA0C,IAArBvf,EAAQulB,SAClDv2B,KAAKu2B,WACPY,EAAO,QAEJtM,KACHsM,EAAO,YAETn3B,KAAKm3B,KAAOA,EAEJA,GACN,IAAK,UACHn3B,KAAK4tB,QAAU,IAAI2H,GAAav1B,KAAMgR,EAAQqS,MAC9C,MACF,IAAK,OACHrjB,KAAK4tB,QAAU,IAAI0I,GAAYt2B,KAAMgR,EAAQqS,KAAMrjB,KAAKu2B,UACxD,MACF,IAAK,WACHv2B,KAAK4tB,QAAU,IAAIkJ,GAAgB92B,KAAMgR,EAAQqS,MAOvD,EAEI+T,GAAqB,CAAE9K,aAAc,CAAExV,cAAc,IAEzDkgB,GAAUx3B,UAAU4Z,MAAQ,SAAgB2N,EAAKpE,EAAS5D,GACxD,OAAO/e,KAAKk3B,QAAQ9d,MAAM2N,EAAKpE,EAAS5D,EAC1C,EAEAqY,GAAmB9K,aAAa3e,IAAM,WACpC,OAAO3N,KAAK4tB,SAAW5tB,KAAK4tB,QAAQjL,OACtC,EAEAqU,GAAUx3B,UAAUujB,KAAO,SAAe5X,GACtC,IAAIod,EAAWvoB,KA0BjB,GAjBAA,KAAKi3B,KAAKz2B,KAAK2K,GAIfA,EAAIksB,MAAM,kBAAkB,WAE1B,IAAIxa,EAAQ0L,EAAS0O,KAAK5jB,QAAQlI,GAC9B0R,GAAS,GAAK0L,EAAS0O,KAAK3jB,OAAOuJ,EAAO,GAG1C0L,EAASpd,MAAQA,IAAOod,EAASpd,IAAMod,EAAS0O,KAAK,IAAM,MAE1D1O,EAASpd,KAAOod,EAASqF,QAAQyH,UACxC,KAIIr1B,KAAKmL,IAAT,CAIAnL,KAAKmL,IAAMA,EAEX,IAAIyiB,EAAU5tB,KAAK4tB,QAEnB,GAAIA,aAAmB2H,IAAgB3H,aAAmB0I,GAAa,CACrE,IASIlB,EAAiB,SAAUkC,GAC7B1J,EAAQwH,iBAVgB,SAAUkC,GAClC,IAAIvoB,EAAO6e,EAAQjL,QACfgT,EAAepN,EAASvX,QAAQ0d,eACf6B,IAAqBoF,GAEpB,aAAc2B,GAClC/I,GAAahG,EAAU+O,EAAcvoB,GAAM,EAE/C,CAGEwoB,CAAoBD,EACtB,EACA1J,EAAQqF,aACNrF,EAAQqI,qBACRb,EACAA,EAEJ,CAEAxH,EAAQkF,QAAO,SAAU5T,GACvBqJ,EAAS0O,KAAK5oB,SAAQ,SAAUlD,GAC9BA,EAAIqsB,OAAStY,CACf,GACF,GA/BA,CAgCF,EAEA8X,GAAUx3B,UAAUi4B,WAAa,SAAqB53B,GACpD,OAAO63B,GAAa13B,KAAKm0B,YAAat0B,EACxC,EAEAm3B,GAAUx3B,UAAUm4B,cAAgB,SAAwB93B,GAC1D,OAAO63B,GAAa13B,KAAKm1B,aAAct1B,EACzC,EAEAm3B,GAAUx3B,UAAUo4B,UAAY,SAAoB/3B,GAClD,OAAO63B,GAAa13B,KAAKwzB,WAAY3zB,EACvC,EAEAm3B,GAAUx3B,UAAUuzB,QAAU,SAAkBxB,EAAIyB,GAClDhzB,KAAK4tB,QAAQmF,QAAQxB,EAAIyB,EAC3B,EAEAgE,GAAUx3B,UAAUoS,QAAU,SAAkBohB,GAC9ChzB,KAAK4tB,QAAQhc,QAAQohB,EACvB,EAEAgE,GAAUx3B,UAAUgB,KAAO,SAAegG,EAAU0sB,EAAYC,GAC5D,IAAI5K,EAAWvoB,KAGjB,IAAKkzB,IAAeC,GAA8B,oBAAZrmB,QACpC,OAAO,IAAIA,SAAQ,SAAUC,EAASC,GACpCub,EAASqF,QAAQptB,KAAKgG,EAAUuG,EAASC,EAC3C,IAEAhN,KAAK4tB,QAAQptB,KAAKgG,EAAU0sB,EAAYC,EAE5C,EAEA6D,GAAUx3B,UAAUyI,QAAU,SAAkBzB,EAAU0sB,EAAYC,GAClE,IAAI5K,EAAWvoB,KAGjB,IAAKkzB,IAAeC,GAA8B,oBAAZrmB,QACpC,OAAO,IAAIA,SAAQ,SAAUC,EAASC,GACpCub,EAASqF,QAAQ3lB,QAAQzB,EAAUuG,EAASC,EAC9C,IAEAhN,KAAK4tB,QAAQ3lB,QAAQzB,EAAU0sB,EAAYC,EAE/C,EAEA6D,GAAUx3B,UAAUs2B,GAAK,SAAaC,GACpC/1B,KAAK4tB,QAAQkI,GAAGC,EAClB,EAEAiB,GAAUx3B,UAAUq4B,KAAO,WACzB73B,KAAK81B,IAAI,EACX,EAEAkB,GAAUx3B,UAAUs4B,QAAU,WAC5B93B,KAAK81B,GAAG,EACV,EAEAkB,GAAUx3B,UAAUu4B,qBAAuB,SAA+BjQ,GACxE,IAAI5I,EAAQ4I,EACRA,EAAGvI,QACDuI,EACA9nB,KAAK+M,QAAQ+a,GAAI5I,MACnBlf,KAAKssB,aACT,OAAKpN,EAGE,GAAG7d,OAAOoB,MACf,GACAyc,EAAMK,QAAQrQ,KAAI,SAAUoW,GAC1B,OAAO/lB,OAAO4K,KAAKmb,EAAE3M,YAAYzJ,KAAI,SAAUhG,GAC7C,OAAOoc,EAAE3M,WAAWzP,EACtB,GACF,KARO,EAUX,EAEA8tB,GAAUx3B,UAAUuN,QAAU,SAC5B+a,EACAnF,EACAW,GAGA,IAAI9c,EAAWsgB,GAAkBgB,EADjCnF,EAAUA,GAAW3iB,KAAK4tB,QAAQjL,QACYW,EAAQtjB,MAClDkf,EAAQlf,KAAKoZ,MAAM5S,EAAUmc,GAC7BtD,EAAWH,EAAMH,gBAAkBG,EAAMG,SAEzC/Y,EA4CN,SAAqB+c,EAAMhE,EAAU8X,GACnC,IAAIrnB,EAAgB,SAATqnB,EAAkB,IAAM9X,EAAWA,EAC9C,OAAOgE,EAAOQ,GAAUR,EAAO,IAAMvT,GAAQA,CAC/C,CA/CakoB,CADAh4B,KAAK4tB,QAAQvK,KACIhE,EAAUrf,KAAKm3B,MAC3C,MAAO,CACL3wB,SAAUA,EACV0Y,MAAOA,EACP5Y,KAAMA,EAEN2xB,aAAczxB,EACdiuB,SAAUvV,EAEd,EAEA8X,GAAUx3B,UAAUytB,UAAY,WAC9B,OAAOjtB,KAAKk3B,QAAQjK,WACtB,EAEA+J,GAAUx3B,UAAUutB,SAAW,SAAmBC,EAAe9N,GAC/Dlf,KAAKk3B,QAAQnK,SAASC,EAAe9N,GACjClf,KAAK4tB,QAAQjL,UAAYjD,IAC3B1f,KAAK4tB,QAAQqF,aAAajzB,KAAK4tB,QAAQqI,qBAE3C,EAEAe,GAAUx3B,UAAU0tB,UAAY,SAAoBnC,GAIlD/qB,KAAKk3B,QAAQhK,UAAUnC,GACnB/qB,KAAK4tB,QAAQjL,UAAYjD,IAC3B1f,KAAK4tB,QAAQqF,aAAajzB,KAAK4tB,QAAQqI,qBAE3C,EAEA12B,OAAO24B,iBAAkBlB,GAAUx3B,UAAW43B,IAE9C,IAAIe,GAAcnB,GAElB,SAASU,GAAcU,EAAMv4B,GAE3B,OADAu4B,EAAK53B,KAAKX,GACH,WACL,IAAI2B,EAAI42B,EAAK/kB,QAAQxT,GACjB2B,GAAK,GAAK42B,EAAK9kB,OAAO9R,EAAG,EAC/B,CACF,CAQAw1B,GAAUlf,QA70DV,SAASA,EAASugB,GAChB,IAAIvgB,EAAQwgB,WAAa1Q,KAASyQ,EAAlC,CACAvgB,EAAQwgB,WAAY,EAEpB1Q,GAAOyQ,EAEP,IAAIE,EAAQ,SAAUhJ,GAAK,YAAa/sB,IAAN+sB,CAAiB,EAE/CiJ,EAAmB,SAAU9V,EAAI+V,GACnC,IAAIj3B,EAAIkhB,EAAGgW,SAASC,aAChBJ,EAAM/2B,IAAM+2B,EAAM/2B,EAAIA,EAAE0I,OAASquB,EAAM/2B,EAAIA,EAAEihB,wBAC/CjhB,EAAEkhB,EAAI+V,EAEV,EAEAJ,EAAIO,MAAM,CACRC,aAAc,WACRN,EAAMv4B,KAAK04B,SAAS1Z,SACtBhf,KAAK4hB,YAAc5hB,KACnBA,KAAK84B,QAAU94B,KAAK04B,SAAS1Z,OAC7Bhf,KAAK84B,QAAQ/V,KAAK/iB,MAClBq4B,EAAIU,KAAKC,eAAeh5B,KAAM,SAAUA,KAAK84B,QAAQlL,QAAQjL,UAE7D3iB,KAAK4hB,YAAe5hB,KAAKkiB,SAAWliB,KAAKkiB,QAAQN,aAAgB5hB,KAEnEw4B,EAAiBx4B,KAAMA,KACzB,EACAi5B,UAAW,WACTT,EAAiBx4B,KACnB,IAGFT,OAAOoX,eAAe0hB,EAAI74B,UAAW,UAAW,CAC9CmO,IAAK,WAAkB,OAAO3N,KAAK4hB,YAAYkX,OAAQ,IAGzDv5B,OAAOoX,eAAe0hB,EAAI74B,UAAW,SAAU,CAC7CmO,IAAK,WAAkB,OAAO3N,KAAK4hB,YAAY4V,MAAO,IAGxDa,EAAI/V,UAAU,aAAczB,IAC5BwX,EAAI/V,UAAU,aAAcuF,IAE5B,IAAIqR,EAASb,EAAIrgB,OAAOmhB,sBAExBD,EAAOE,iBAAmBF,EAAOG,iBAAmBH,EAAOI,kBAAoBJ,EAAOK,OA5CtC,CA6ClD,EAgyDAvC,GAAUwC,QAAU,QACpBxC,GAAU7F,oBAAsBA,GAChC6F,GAAUvG,sBAAwBA,GAClCuG,GAAUyC,eAAiB/Z,GAEvBmL,IAAajnB,OAAOy0B,KACtBz0B,OAAOy0B,IAAIjgB,IAAI4e,IC5kGjBqB,GAAAA,GAAIjgB,IAAIshB,IAER,MAAMC,GAAeD,GAAOl6B,UAAUgB,KACtCk5B,GAAOl6B,UAAUgB,KAAO,SAAcsnB,EAAIoL,EAAYC,GAClD,OAAID,GAAcC,EACPwG,GAAaz4B,KAAKlB,KAAM8nB,EAAIoL,EAAYC,GAC5CwG,GAAaz4B,KAAKlB,KAAM8nB,GAAInS,OAAMuI,GAAOA,GACpD,EACA,MAwBA,GAxBe,IAAIwb,GAAO,CACtBvC,KAAM,UAGN9T,MAAMuW,EAAAA,GAAAA,IAAY,eAClBjR,gBAAiB,SACjBoC,OAAQ,CACJ,CACIjb,KAAM,IAENkc,SAAU,CAAEhrB,KAAM,WAAYoe,OAAQ,CAAEya,KAAM,WAElD,CACI/pB,KAAM,wBACN9O,KAAM,WACN+f,OAAO,IAIfrC,cAAAA,CAAe/C,GACX,MAAM5T,EAASwV,GAAYnR,UAAUuP,GAAO1T,QAAQ,SAAU,KAC9D,OAAOF,EAAU,IAAMA,EAAU,EACrC,gbCnCJ,wCCoBA,MCpBsG,GDoBtG,CACE/G,KAAM,UACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,sBEff,UAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,g5BAAg5B,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACx5C,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,uEEShC,MAAMmkB,IAAaC,EAAAA,GAAAA,GAAU,QAAS,cAAe,CAAC,GACzCC,GAAqB,WAC9B,MAAMhxB,EAAQyN,GAAY,aAAc,CACpCnO,MAAOA,KAAA,CACHwxB,gBAEJ9rB,QAAS,CACLisB,UAAY3xB,GAAW4wB,GAAS5wB,EAAMwxB,WAAWZ,IAAS,CAAC,GAE/D/tB,QAAS,CAIL+uB,QAAAA,CAAShB,EAAM3wB,EAAKE,GACXpJ,KAAKy6B,WAAWZ,IACjBxB,GAAAA,GAAAA,IAAQr4B,KAAKy6B,WAAYZ,EAAM,CAAC,GAEpCxB,GAAAA,GAAAA,IAAQr4B,KAAKy6B,WAAWZ,GAAO3wB,EAAKE,EACxC,EAIA,YAAM0xB,CAAOjB,EAAM3wB,EAAKE,GACpB2xB,GAAAA,EAAMC,KAAIpB,EAAAA,GAAAA,IAAY,4BAADv4B,OAA6Bw4B,EAAI,KAAAx4B,OAAI6H,IAAQ,CAC9DE,WAEJtH,EAAAA,GAAAA,IAAK,2BAA4B,CAAE+3B,OAAM3wB,MAAKE,SAClD,EAMA6xB,YAAAA,GAA+C,IAAlC/xB,EAAG5G,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,WAAYu3B,EAAIv3B,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,QAElCtC,KAAK86B,OAAOjB,EAAM,eAAgB3wB,GAClClJ,KAAK86B,OAAOjB,EAAM,oBAAqB,MAC3C,EAIAqB,sBAAAA,GAAuC,IAAhBrB,EAAIv3B,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,QAC1B,MACM64B,EAA4C,SADnCn7B,KAAK46B,UAAUf,IAAS,CAAEuB,kBAAmB,QAChCA,kBAA8B,OAAS,MAEnEp7B,KAAK86B,OAAOjB,EAAM,oBAAqBsB,EAC3C,KAGFE,EAAkB1xB,KAAMrH,WAQ9B,OANK+4B,EAAgBC,gBACjBC,EAAAA,GAAAA,IAAU,4BAA4B,SAAAC,GAAgC,IAAtB,KAAE3B,EAAI,IAAE3wB,EAAG,MAAEE,GAAOoyB,EAChEH,EAAgBR,SAAShB,EAAM3wB,EAAKE,EACxC,IACAiyB,EAAgBC,cAAe,GAE5BD,CACX,EC9DA,IAAeI,WAAAA,MACbC,OAAO,SACPC,aACAC,QCHF,SAASC,GAAUC,EAAO7oB,EAAUjC,GAClC,IAcI+qB,EAdAP,EAAOxqB,GAAW,CAAC,EACnBgrB,EAAkBR,EAAKS,WACvBA,OAAiC,IAApBD,GAAqCA,EAClDE,EAAiBV,EAAKW,UACtBA,OAA+B,IAAnBD,GAAoCA,EAChDE,EAAoBZ,EAAKa,aACzBA,OAAqC,IAAtBD,OAA+B55B,EAAY45B,EAS1DxL,GAAY,EAEZ0L,EAAW,EAEf,SAASC,IACHR,GACFS,aAAaT,EAEjB,CAkBA,SAASU,IACP,IAAK,IAAIC,EAAOp6B,UAAUZ,OAAQi7B,EAAa,IAAI/6B,MAAM86B,GAAOnP,EAAO,EAAGA,EAAOmP,EAAMnP,IACrFoP,EAAWpP,GAAQjrB,UAAUirB,GAG/B,IAAIvpB,EAAOhE,KACP48B,EAAUnrB,KAAKjG,MAAQ8wB,EAO3B,SAAS3hB,IACP2hB,EAAW7qB,KAAKjG,MAChByH,EAASxQ,MAAMuB,EAAM24B,EACvB,CAOA,SAASE,IACPd,OAAYv5B,CACd,CAjBIouB,IAmBCuL,IAAaE,GAAiBN,GAMjCphB,IAGF4hB,SAEqB/5B,IAAjB65B,GAA8BO,EAAUd,EACtCK,GAMFG,EAAW7qB,KAAKjG,MAEXywB,IACHF,EAAYn1B,WAAWy1B,EAAeQ,EAAQliB,EAAMmhB,KAOtDnhB,KAEsB,IAAfshB,IAYTF,EAAYn1B,WAAWy1B,EAAeQ,EAAQliB,OAAuBnY,IAAjB65B,EAA6BP,EAAQc,EAAUd,IAEvG,CAIA,OAFAW,EAAQK,OAxFR,SAAgB9rB,GACd,IACI+rB,GADQ/rB,GAAW,CAAC,GACOgsB,aAC3BA,OAAsC,IAAvBD,GAAwCA,EAE3DR,IACA3L,GAAaoM,CACf,EAmFOP,CACT,iBCzHA,MCpB2G,GDoB3G,CACEz7B,KAAM,eACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,8HAA8H,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC5oB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEkBhC,MCpC2L,GDoC3L,CACAtV,KAAA,kBAEA2X,WAAA,CACAskB,SAAA,GACAC,oBAAA,KACAC,cAAAA,GAAAA,GAGAjzB,KAAAA,KACA,CACAkzB,qBAAA,EACAC,cAAA3C,EAAAA,GAAAA,GAAA,+BAIA4C,SAAA,CACAC,iBAAAA,GAAA,IAAAC,EAAAC,EAAAC,EACA,MAAAC,GAAAC,EAAAA,GAAAA,IAAA,QAAAJ,EAAA,KAAAH,oBAAA,IAAAG,OAAA,EAAAA,EAAAK,MAAA,MACAC,GAAAF,EAAAA,GAAAA,IAAA,QAAAH,EAAA,KAAAJ,oBAAA,IAAAI,OAAA,EAAAA,EAAAM,OAAA,MAGA,eAAAL,EAAA,KAAAL,oBAAA,IAAAK,OAAA,EAAAA,EAAAK,OAAA,EACA,KAAAC,EAAA,gCAAAL,kBAGA,KAAAK,EAAA,kCACAH,KAAAF,EACAI,MAAAD,GAEA,EACAG,mBAAAA,GACA,YAAAZ,aAAAja,SAIA,KAAA4a,EAAA,gCAAAX,cAHA,EAIA,GAGAa,WAAAA,GAKAC,YAAA,KAAAC,2BAAA,MAEA7C,EAAAA,GAAAA,IAAA,0BAAA6C,6BACA7C,EAAAA,GAAAA,IAAA,0BAAA6C,6BACA7C,EAAAA,GAAAA,IAAA,wBAAA6C,6BACA7C,EAAAA,GAAAA,IAAA,0BAAA6C,2BACA,EAEAC,OAAAA,GAAA,IAAAC,EAAAC,GAWA,QAAAD,EAAA,KAAAjB,oBAAA,IAAAiB,OAAA,EAAAA,EAAAP,OAAA,YAAAQ,EAAA,KAAAlB,oBAAA,IAAAkB,OAAA,EAAAA,EAAAC,OAAA,GACA,KAAAC,wBAEA,EAEAC,QAAA,CAEAC,4BLuDMC,GADkB,CAAC,EACCC,QAGjBhD,GK1DT,cAAA17B,GACA,KAAA2+B,mBAAA3+B,EACA,GLwDmC,CAC/Bk8B,cAA0B,UAHG,IAAjBuC,IAAkCA,OKpDlDR,2BAAAvC,GAAA,cAAA17B,GACA,KAAA2+B,mBAAA3+B,EACA,IAQA,wBAAA2+B,GAAA,IAAA3+B,EAAAmC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,QACA,SAAA86B,oBAAA,CAIA,KAAAA,qBAAA,EACA,QAAA2B,EAAAC,EAAAC,EAAAC,EACA,MAAAr6B,QAAAk2B,GAAAA,EAAAptB,KAAAisB,EAAAA,GAAAA,IAAA,6BACA,GAAA/0B,SAAA,QAAAk6B,EAAAl6B,EAAAqF,YAAA,IAAA60B,IAAAA,EAAA70B,KACA,UAAAlC,MAAA,0BAKA,QAAAg3B,EAAA,KAAA3B,oBAAA,IAAA2B,OAAA,EAAAA,EAAAR,MAAA,YAAAS,EAAAp6B,EAAAqF,KAAAA,YAAA,IAAA+0B,OAAA,EAAAA,EAAAT,OAAA,YAAAU,EAAAr6B,EAAAqF,KAAAA,YAAA,IAAAg1B,OAAA,EAAAA,EAAAnB,OAAA,GACA,KAAAU,yBAGA,KAAApB,aAAAx4B,EAAAqF,KAAAA,IACA,OAAAlF,GACAm6B,GAAAn6B,MAAA,mCAAAA,UAEA7E,IACAi/B,EAAAA,GAAAA,IAAApB,EAAA,2CAEA,SACA,KAAAZ,qBAAA,CACA,CAxBA,CAyBA,EAEAqB,sBAAAA,IACAW,EAAAA,GAAAA,IAAA,KAAApB,EAAA,6EACA,EAEAA,EAAAqB,GAAAA,KLKA,IAEMT,yJOvJF5tB,GAAU,CAAC,EAEfA,GAAQsuB,kBAAoB,KAC5BtuB,GAAQuuB,cAAgB,KAElBvuB,GAAQwuB,OAAS,UAAc,KAAM,QAE3CxuB,GAAQyuB,OAAS,KACjBzuB,GAAQ0uB,mBAAqB,KAEhB,KAAI,KAAS1uB,IAKJ,MAAW,KAAQ2uB,QAAS,KAAQA,OCP1D,UAXgB,QACd,ICTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAQD,EAAIqD,aAAcpD,EAAG,sBAAsB,CAACG,YAAY,uCAAuC/Q,MAAM,CAAE,sDAAuD2Q,EAAIqD,aAAaU,OAAS,GAAG7a,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,wBAAwB,QAAUhE,EAAIoD,oBAAoB,KAAOpD,EAAIuD,kBAAkB,MAAQvD,EAAIiE,oBAAoB,0CAA0C,IAAIt7B,GAAG,CAAC,MAAQ,SAAS03B,GAAyD,OAAjDA,EAAOuF,kBAAkBvF,EAAO1P,iBAAwBqP,EAAI2E,2BAA2Bl8B,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,WAAW,CAAC/W,MAAM,CAAC,KAAO,OAAO,KAAO,IAAI2c,KAAK,SAAS7F,EAAIQ,GAAG,KAAMR,EAAIqD,aAAaU,OAAS,EAAG9D,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,QAAQ,MAAQ8W,EAAIqD,aAAaja,SAAW,GAAG,MAAQyQ,KAAKiM,IAAI9F,EAAIqD,aAAaja,SAAU,MAAMyc,KAAK,UAAU7F,EAAI1jB,MAAM,GAAG0jB,EAAI1jB,IACh2B,GACsB,IDUpB,EACA,KACA,WACA,MAI8B,QEnBhC,sCCoBA,MCpB4G,GDoB5G,CACEtV,KAAM,gBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,oMAAoM,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACltB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEQhC,MC1BmL,GD0BnL,CACAtV,KAAA,UACA+f,MAAA,CACA4O,GAAA,CACA3oB,KAAA+4B,SACAhY,UAAA,IAGAsW,OAAAA,GACA,KAAA2B,IAAAC,YAAA,KAAAtQ,KACA,GElBA,IAXgB,QACd,ICRW,WAA+C,OAAOsK,EAA5Bj6B,KAAYk6B,MAAMD,IAAa,MACtE,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QEZ1BiG,IAAaxF,EAAAA,GAAAA,GAAU,QAAS,SAAU,CAC5CyF,aAAa,EACbC,qBAAqB,EACrBC,sBAAsB,EACtBC,oBAAoB,EACpBC,WAAW,IAEFC,GAAqB,WAC9B,MAsBMC,EAtBQrpB,GAAY,aAAc,CACpCnO,MAAOA,KAAA,CACHi3B,gBAEJp0B,QAAS,CAIL+uB,QAAAA,CAAS3xB,EAAKE,GACVivB,GAAAA,GAAAA,IAAQr4B,KAAKkgC,WAAYh3B,EAAKE,EAClC,EAIA,YAAM0xB,CAAO5xB,EAAKE,SACR2xB,GAAAA,EAAMC,KAAIpB,EAAAA,GAAAA,IAAY,6BAA+B1wB,GAAM,CAC7DE,WAEJtH,EAAAA,GAAAA,IAAK,uBAAwB,CAAEoH,MAAKE,SACxC,IAGgBO,IAAMrH,WAQ9B,OANKm+B,EAAgBnF,gBACjBC,EAAAA,GAAAA,IAAU,wBAAwB,SAAAC,GAA0B,IAAhB,IAAEtyB,EAAG,MAAEE,GAAOoyB,EACtDiF,EAAgB5F,SAAS3xB,EAAKE,EAClC,IACAq3B,EAAgBnF,cAAe,GAE5BmF,CACX,ECsEA,IACAz/B,KAAA,WACA2X,WAAA,CACA+nB,UAAA,GACAC,oBAAA,KACAC,qBAAA,KACAC,sBAAA,KACAC,aAAA,KACAC,QAAAA,IAGAhgB,MAAA,CACAtc,KAAA,CACAuC,KAAAyV,QACAuE,SAAA,IAIA5M,MAAAA,KAEA,CACAqsB,gBAFAD,OAMAt2B,IAAAA,GAAA,IAAA82B,EAAAC,EAAAC,EACA,OAEA7vB,UAAA,QAAA2vB,EAAAp9B,OAAAu9B,WAAA,IAAAH,GAAA,QAAAA,EAAAA,EAAAI,aAAA,IAAAJ,GAAA,QAAAA,EAAAA,EAAAK,gBAAA,IAAAL,OAAA,EAAAA,EAAA3vB,WAAA,GAGAiwB,WAAAC,EAAAA,GAAAA,IAAA,aAAAtnB,mBAAA,QAAAgnB,GAAAO,EAAAA,GAAAA,aAAA,IAAAP,OAAA,EAAAA,EAAAQ,MACAC,WAAA,iEACAC,gBAAA/H,EAAAA,GAAAA,IAAA,sDACAgI,iBAAA,EACAC,eAAA,QAAAX,GAAAxG,EAAAA,GAAAA,GAAA,iEAAAwG,GAAAA,EAEA,EAEA5D,SAAA,CACA4C,UAAAA,GACA,YAAAO,gBAAAP,UACA,GAGAhC,WAAAA,GAEA,KAAA7sB,SAAAhD,SAAAyzB,GAAAA,EAAAr9B,QACA,EAEAs9B,aAAAA,GAEA,KAAA1wB,SAAAhD,SAAAyzB,GAAAA,EAAAE,SACA,EAEAtD,QAAA,CACAuD,OAAAA,GACA,KAAA3H,MAAA,QACA,EAEA4H,SAAAA,CAAAh5B,EAAAE,GACA,KAAAq3B,gBAAA3F,OAAA5xB,EAAAE,EACA,EAEA,iBAAA+4B,GACA18B,SAAAoqB,cAAA,0BAAAuS,SAEAv8B,UAAAoG,iBAMApG,UAAAoG,UAAAC,UAAA,KAAAo1B,WACA,KAAAM,iBAAA,GACAS,EAAAA,GAAAA,IAAArE,EAAA,2CACAp3B,YAAA,KACA,KAAAg7B,iBAAA,IACA,OATAxC,EAAAA,GAAAA,IAAApB,EAAA,sCAUA,EAEAA,EAAAqB,GAAAA,KCpMoL,sBCWhL,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IbTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,oCAAoC,GAAG,KAAO8W,EAAIv1B,KAAK,mBAAkB,EAAK,KAAOu1B,EAAIgE,EAAE,QAAS,mBAAmBr7B,GAAG,CAAC,cAAcq3B,EAAIiI,UAAU,CAAChI,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,GAAK,WAAW,KAAO8W,EAAIgE,EAAE,QAAS,oBAAoB,CAAC/D,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,uBAAuB,QAAU8W,EAAIkG,WAAWG,sBAAsB19B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,uBAAwB7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,yBAAyB,YAAYhE,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,qBAAqB,QAAU8W,EAAIkG,WAAWI,oBAAoB39B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,qBAAsB7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,8BAA8B,YAAYhE,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,cAAc,QAAU8W,EAAIkG,WAAWC,aAAax9B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,cAAe7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,sBAAsB,YAAYhE,EAAIQ,GAAG,KAAKP,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,sBAAsB,QAAU8W,EAAIkG,WAAWE,qBAAqBz9B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,sBAAuB7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,wBAAwB,YAAYhE,EAAIQ,GAAG,KAAMR,EAAI6H,eAAgB5H,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,iCAAiC,YAAY,QAAU8W,EAAIkG,WAAWK,WAAW59B,GAAG,CAAC,iBAAiB,SAAS03B,GAAQ,OAAOL,EAAIkI,UAAU,YAAa7H,EAAO,IAAI,CAACL,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,yBAAyB,YAAYhE,EAAI1jB,MAAM,GAAG0jB,EAAIQ,GAAG,KAA8B,IAAxBR,EAAI3oB,SAAS3P,OAAcu4B,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,GAAK,gBAAgB,KAAO8W,EAAIgE,EAAE,QAAS,yBAAyB,CAAChE,EAAIsI,GAAItI,EAAI3oB,UAAU,SAASywB,GAAS,MAAO,CAAC7H,EAAG,UAAU,CAAC/wB,IAAI44B,EAAQ9gC,KAAKkiB,MAAM,CAAC,GAAK4e,EAAQnS,MAAM,KAAI,GAAGqK,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,GAAK,SAAS,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,CAAC/D,EAAG,eAAe,CAAC/W,MAAM,CAAC,GAAK,mBAAmB,MAAQ8W,EAAIgE,EAAE,QAAS,cAAc,wBAAuB,EAAK,QAAUhE,EAAI4H,gBAAgB,wBAAwB5H,EAAIgE,EAAE,QAAS,qBAAqB,MAAQhE,EAAIsH,UAAU,SAAW,WAAW,KAAO,OAAO3+B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOA,EAAO5zB,OAAO27B,QAAQ,EAAE,wBAAwBpI,EAAImI,aAAaI,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,uBAAuBrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,YAAY,CAAC/W,MAAM,CAAC,KAAO,MAAM,EAAElV,OAAM,OAAUgsB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACA,EAAG,IAAI,CAACG,YAAY,eAAelX,MAAM,CAAC,KAAO8W,EAAI0H,WAAW,OAAS,SAAS,IAAM,wBAAwB,CAAC1H,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,qDAAqD,kBAAkBhE,EAAIQ,GAAG,KAAKP,EAAG,MAAMD,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACA,EAAG,IAAI,CAACG,YAAY,eAAelX,MAAM,CAAC,KAAO8W,EAAI2H,iBAAiB,CAAC3H,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,0FAA0F,mBAAmB,IAAI,EACvsG,GACsB,IaUpB,EACA,KACA,WACA,MAI8B,QCnB0N,GCU1P,CACIh9B,KAAM,aACN2X,WAAY,CACR8pB,IAAG,GACHC,gBAAe,GACfC,gBAAe,KACfzF,oBAAmB,KACnB0F,iBAAgB,KAChBC,cAAaA,IAEjBzuB,MAAKA,KAEM,CACHinB,gBAFoBV,OAK5BzwB,KAAIA,KACO,CACH44B,gBAAgB,IAGxBxF,SAAU,CACNyF,aAAAA,GAAgB,IAAAC,EACZ,OAAkB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAQ,QAARA,EAAXA,EAAa5jB,cAAM,IAAA4jB,OAAA,EAAnBA,EAAqBnJ,OAAQ,OACxC,EACAoJ,WAAAA,GACI,OAAO,KAAKC,MAAMC,MAAKtJ,GAAQA,EAAKjwB,KAAO,KAAKm5B,eACpD,EACAG,KAAAA,GACI,OAAO,KAAKE,YAAYF,KAC5B,EACAG,WAAAA,GACI,OAAO,KAAKH,MAEPj0B,QAAO4qB,IAASA,EAAKla,SAErB5E,MAAK,CAAC5U,EAAG6U,IACH7U,EAAEm9B,MAAQtoB,EAAEsoB,OAE3B,EACAC,UAAAA,GACI,OAAO,KAAKL,MAEPj0B,QAAO4qB,KAAUA,EAAKla,SAEtB1V,QAAO,CAACmuB,EAAMyB,KACfzB,EAAKyB,EAAKla,QAAU,IAAKyY,EAAKyB,EAAKla,SAAW,GAAKka,GAEnDzB,EAAKyB,EAAKla,QAAQ5E,MAAK,CAAC5U,EAAG6U,IAChB7U,EAAEm9B,MAAQtoB,EAAEsoB,QAEhBlL,IACR,CAAC,EACR,GAEJoL,MAAO,CACHP,WAAAA,CAAYpJ,EAAM4J,GACV5J,EAAKjwB,MAAO65B,aAAO,EAAPA,EAAS75B,MACrB,KAAKw5B,YAAYM,UAAU7J,GAC3BsF,GAAOwE,MAAM,qBAAsB,CAAE/5B,GAAIiwB,EAAKjwB,GAAIiwB,SAClD,KAAK+J,SAAS/J,GAEtB,GAEJqE,WAAAA,GACQ,KAAK+E,cACL9D,GAAOwE,MAAM,6CAA8C,CAAE9J,KAAM,KAAKoJ,cACxE,KAAKW,SAAS,KAAKX,aAE3B,EACAvE,QAAS,CAOLmF,qBAAAA,CAAsBhK,GAAM,IAAAiK,EACxB,OAA+B,QAAxBA,EAAA,KAAKP,WAAW1J,EAAKjwB,WAAG,IAAAk6B,OAAA,EAAxBA,EAA0BpiC,QAAS,CAC9C,EACAkiC,QAAAA,CAAS/J,GAAM,IAAAkK,EAAAC,EAEL,QAAND,EAAAngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,GAAS,QAATA,EAAlBA,EAAoBE,eAAO,IAAAF,GAAO,QAAPC,EAA3BD,EAA6B/B,aAAK,IAAAgC,GAAlCA,EAAA9iC,KAAA6iC,GACA,KAAKX,YAAYM,UAAU7J,IAC3B/3B,EAAAA,GAAAA,IAAK,2BAA4B+3B,EACrC,EAMAqK,cAAAA,CAAerK,GAEX,MAAMsK,EAAa,KAAKA,WAAWtK,GAEnCA,EAAKuK,UAAYD,EACjB,KAAK9I,gBAAgBP,OAAOjB,EAAKjwB,GAAI,YAAau6B,EACtD,EAMAA,UAAAA,CAAWtK,GAAM,IAAAwK,EACb,MAAoE,kBAAf,QAA9CA,EAAO,KAAKhJ,gBAAgBT,UAAUf,EAAKjwB,WAAG,IAAAy6B,OAAA,EAAvCA,EAAyCD,WACI,IAArD,KAAK/I,gBAAgBT,UAAUf,EAAKjwB,IAAIw6B,UACtB,IAAlBvK,EAAKuK,QACf,EAKAE,oBAAAA,CAAqBzK,GACjB,GAAIA,EAAKza,OAAQ,CACb,MAAM,IAAEmlB,GAAQ1K,EAAKza,OACrB,MAAO,CAAEpe,KAAM,WAAYoe,OAAQya,EAAKza,OAAQzD,MAAO,CAAE4oB,OAC7D,CACA,MAAO,CAAEvjC,KAAM,WAAYoe,OAAQ,CAAEya,KAAMA,EAAKjwB,IACpD,EAIA46B,YAAAA,GACI,KAAK1B,gBAAiB,CAC1B,EAIA2B,eAAAA,GACI,KAAK3B,gBAAiB,CAC1B,EACA9E,EAAGqB,GAAAA,qBClIP,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,kBAAkB,CAAC/W,MAAM,CAAC,2BAA2B,GAAG,aAAa8W,EAAIgE,EAAE,QAAS,UAAUuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,OAAOm6B,EAAIsI,GAAItI,EAAIqJ,aAAa,SAASxJ,GAAM,OAAOI,EAAG,sBAAsB,CAAC/wB,IAAI2wB,EAAKjwB,GAAGsZ,MAAM,CAAC,kBAAiB,EAAK,gCAAgC2W,EAAKjwB,GAAG,MAAQowB,EAAI6J,sBAAsBhK,GAAM,KAAOA,EAAK6K,UAAU,KAAO7K,EAAK74B,KAAK,KAAOg5B,EAAImK,WAAWtK,GAAM,OAASA,EAAK8K,OAAO,GAAK3K,EAAIsK,qBAAqBzK,IAAOl3B,GAAG,CAAC,cAAc,SAAS03B,GAAQ,OAAOL,EAAIkK,eAAerK,EAAK,IAAI,CAAEA,EAAKjuB,KAAMquB,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,OAAO,IAAM2W,EAAKjuB,MAAMi0B,KAAK,SAAS7F,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIuJ,WAAW1J,EAAKjwB,KAAK,SAASghB,GAAO,OAAOqP,EAAG,sBAAsB,CAAC/wB,IAAI0hB,EAAMhhB,GAAGsZ,MAAM,CAAC,gCAAgC0H,EAAMhhB,GAAG,cAAa,EAAK,KAAOghB,EAAM8Z,UAAU,KAAO9Z,EAAM5pB,KAAK,GAAKg5B,EAAIsK,qBAAqB1Z,KAAS,CAAEA,EAAMhf,KAAMquB,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,OAAO,IAAM0H,EAAMhf,MAAMi0B,KAAK,SAAS7F,EAAI1jB,MAAM,EAAE,KAAI,EAAE,GAAE,EAAEtI,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,KAAK,CAACG,YAAY,kCAAkC,CAACH,EAAG,mBAAmBD,EAAIQ,GAAG,KAAKP,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,+BAA+B,KAAOhE,EAAIgE,EAAE,QAAS,kBAAkB,2CAA2C,IAAIr7B,GAAG,CAAC,MAAQ,SAAS03B,GAAyD,OAAjDA,EAAO1P,iBAAiB0P,EAAOuF,kBAAyB5F,EAAIwK,aAAa/hC,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,MAAM,CAAC/W,MAAM,CAAC,KAAO,OAAO,KAAO,IAAI2c,KAAK,UAAU,IAAI,GAAG,EAAE7xB,OAAM,MAAS,CAACgsB,EAAIQ,GAAG,KAAKR,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO8W,EAAI8I,eAAe,oCAAoC,IAAIngC,GAAG,CAAC,MAAQq3B,EAAIyK,oBAAoB,EACrtD,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,4ECoBA,MCpB2H,GDoB3H,CACEzjC,KAAM,+BACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wDAAwDlX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,4FAA4F,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC5nB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,uEEEhC,MCpB8G,GDoB9G,CACEtV,KAAM,kBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,yCAAyClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,sKAAsK,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACvrB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB2E,GCoB3G,CACEtV,KAAM,eACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,sCAAsClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,0DAA0D,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACxkB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,wBEOzB,MACMvK,GAAS,IAAI64B,GAAAA,GAAW,CACjCh7B,GAF0B,UAG1Bi7B,YAAaA,KAAM7G,EAAAA,GAAAA,IAAE,QAAS,gBAC9B8G,cAAeA,IAAMC,GAErBC,QAAUC,IAAU,IAAAlB,EAAAvI,EAAA0J,EAEhB,OAAqB,IAAjBD,EAAMvjC,UAGLujC,EAAM,MAIA,QAAPlB,EAACngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,IAAlBA,EAAoBE,UAG+D,QAAxFzI,GAAqB,QAAb0J,EAAAD,EAAM,GAAGE,YAAI,IAAAD,OAAA,EAAbA,EAAeh1B,WAAW,aAAc+0B,EAAM,GAAGG,cAAgBC,GAAAA,GAAWC,YAAI,IAAA9J,GAAAA,CAAU,EAEtG,UAAM7gB,CAAKrV,EAAMu0B,EAAM0K,GACnB,IAKI,aAHM3gC,OAAOu9B,IAAIC,MAAM6C,QAAQx/B,KAAKa,EAAKwK,MAEzClM,OAAO2hC,IAAInE,MAAM1H,OAAO8L,UAAU,KAAM,CAAE3L,KAAMA,EAAKjwB,GAAI67B,OAAQngC,EAAKmgC,QAAU,CAAElB,QAAO,GAClF,IACX,CACA,MAAOv/B,GAEH,OADAm6B,GAAOn6B,MAAM,8BAA+B,CAAEA,WACvC,CACX,CACJ,EACAs+B,OAAQ,KCtDCoC,GAAgB,WACzB,MAwDMC,EAxDQvuB,GAAY,QAAS,CAC/BnO,MAAOA,KAAA,CACHiE,MAAO,CAAC,EACR04B,MAAO,CAAC,IAEZj3B,QAAS,CAILk3B,QAAU58B,GAAWW,GAAOX,EAAMiE,MAAMtD,GAKxCk8B,SAAW78B,GAAW88B,GAAQA,EACzB72B,KAAItF,GAAMX,EAAMiE,MAAMtD,KACtBqF,OAAOwN,SAIZupB,QAAU/8B,GAAWg9B,GAAYh9B,EAAM28B,MAAMK,IAEjDn6B,QAAS,CACLo6B,WAAAA,CAAYjB,GAER,MAAM/3B,EAAQ+3B,EAAMh7B,QAAO,CAACk8B,EAAK7gC,IACxBA,EAAKmgC,QAIVU,EAAI7gC,EAAKmgC,QAAUngC,EACZ6gC,IAJHhH,GAAOn6B,MAAM,6CAA8CM,GACpD6gC,IAIZ,CAAC,GACJ9N,GAAAA,GAAAA,IAAQr4B,KAAM,QAAS,IAAKA,KAAKkN,SAAUA,GAC/C,EACAk5B,WAAAA,CAAYnB,GACRA,EAAM52B,SAAQ/I,IACNA,EAAKmgC,QACLpN,GAAAA,GAAIpiB,OAAOjW,KAAKkN,MAAO5H,EAAKmgC,OAChC,GAER,EACAY,OAAAA,CAAO7K,GAAoB,IAAnB,QAAEyK,EAAO,KAAEd,GAAM3J,EACrBnD,GAAAA,GAAAA,IAAQr4B,KAAK4lC,MAAOK,EAASd,EACjC,EACAmB,aAAAA,CAAchhC,GACVtF,KAAKomC,YAAY,CAAC9gC,GACtB,EACAihC,aAAAA,CAAcjhC,GACVtF,KAAKkmC,YAAY,CAAC5gC,GACtB,EACAkhC,aAAAA,CAAclhC,GACVtF,KAAKkmC,YAAY,CAAC5gC,GACtB,IAGUqE,IAAMrH,WAQxB,OANKqjC,EAAUrK,gBACXC,EAAAA,GAAAA,IAAU,qBAAsBoK,EAAUY,gBAC1ChL,EAAAA,GAAAA,IAAU,qBAAsBoK,EAAUW,gBAC1C/K,EAAAA,GAAAA,IAAU,qBAAsBoK,EAAUa,eAC1Cb,EAAUrK,cAAe,GAEtBqK,CACX,EChEac,GAAgB,WACzB,MAAMv5B,EAAQw4B,KAoERgB,EAnEQtvB,GAAY,QAAS,CAC/BnO,MAAOA,KAAA,CACH09B,MAAO,CAAC,IAEZh4B,QAAS,CACLi4B,QAAU39B,GACC,CAACg9B,EAASn2B,KACb,GAAK7G,EAAM09B,MAAMV,GAGjB,OAAOh9B,EAAM09B,MAAMV,GAASn2B,EAAK,GAI7ChE,QAAS,CACL+6B,OAAAA,CAAQ/4B,GAEC9N,KAAK2mC,MAAM74B,EAAQm4B,UACpB5N,GAAAA,GAAAA,IAAQr4B,KAAK2mC,MAAO74B,EAAQm4B,QAAS,CAAC,GAG1C5N,GAAAA,GAAAA,IAAQr4B,KAAK2mC,MAAM74B,EAAQm4B,SAAUn4B,EAAQgC,KAAMhC,EAAQ23B,OAC/D,EACAc,aAAAA,CAAcjhC,GAAM,IAAAwhC,EAChB,MAAMb,GAAyB,QAAfa,GAAAC,EAAAA,GAAAA,aAAe,IAAAD,GAAQ,QAARA,EAAfA,EAAiBE,cAAM,IAAAF,OAAA,EAAvBA,EAAyBl9B,KAAM,QAC/C,GAAKtE,EAAKmgC,OAAV,CAcA,GATIngC,EAAK0B,OAASigC,GAAAA,GAASC,QACvBlnC,KAAK6mC,QAAQ,CACTZ,UACAn2B,KAAMxK,EAAKwK,KACX21B,OAAQngC,EAAKmgC,SAKA,MAAjBngC,EAAK6hC,QAAiB,CACtB,MAAMhC,EAAOj4B,EAAM84B,QAAQC,GAK3B,OAJKd,EAAKiC,WACN/O,GAAAA,GAAAA,IAAQ8M,EAAM,YAAa,SAE/BA,EAAKiC,UAAU5mC,KAAK8E,EAAKmgC,OAE7B,CAGA,GAAIzlC,KAAK2mC,MAAMV,GAAS3gC,EAAK6hC,SAAU,CACnC,MAAME,EAAWrnC,KAAK2mC,MAAMV,GAAS3gC,EAAK6hC,SACpCG,EAAep6B,EAAM24B,QAAQwB,GAEnC,OADAlI,GAAOwE,MAAM,yCAA0C,CAAE2D,eAAchiC,SAClEgiC,GAIAA,EAAaF,WACd/O,GAAAA,GAAAA,IAAQiP,EAAc,YAAa,SAEvCA,EAAaF,UAAU5mC,KAAK8E,EAAKmgC,cAN7BtG,GAAOn6B,MAAM,0BAA2B,CAAEqiC,YAQlD,CACAlI,GAAOwE,MAAM,wDAAyD,CAAEr+B,QAnCxE,MAFI65B,GAAOn6B,MAAM,qBAAsB,CAAEM,QAsC7C,IAGWqE,IAAMrH,WASzB,OAPKokC,EAAWpL,gBAEZC,EAAAA,GAAAA,IAAU,qBAAsBmL,EAAWH,eAG3CG,EAAWpL,cAAe,GAEvBoL,CACX,EC7Daa,GAAoBnwB,GAAY,YAAa,CACtDnO,MAAOA,KAAA,CACHu+B,SAAU,GACVC,cAAe,GACfC,kBAAmB,OAEvB57B,QAAS,CAILkE,GAAAA,GAAoB,IAAhB23B,EAASrlC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACZ+1B,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY,IAAI,IAAI4T,IAAI+zB,IAC1C,EAIAC,YAAAA,GAAuC,IAA1BF,EAAiBplC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,KAE7B+1B,GAAAA,GAAAA,IAAQr4B,KAAM,gBAAiB0nC,EAAoB1nC,KAAKwnC,SAAW,IACnEnP,GAAAA,GAAAA,IAAQr4B,KAAM,oBAAqB0nC,EACvC,EAIAG,KAAAA,GACIxP,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY,IAC1Bq4B,GAAAA,GAAAA,IAAQr4B,KAAM,gBAAiB,IAC/Bq4B,GAAAA,GAAAA,IAAQr4B,KAAM,oBAAqB,KACvC,KClDR,IAAI8nC,GACG,MAAMC,GAAmB,WAQ5B,OANAD,IAAWE,EAAAA,GAAAA,KACG5wB,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHqoB,MAAOwW,GAASxW,SAGjB3nB,IAAMrH,UACjB,ECHA,SAAS8J,GAAUhD,GAEf,OAAIA,aAAiBqI,KACVrI,EAAM6+B,cAEV/gC,OAAOkC,EAClB,qDCFO,MAAM8+B,WAAkBC,KAG3BzS,WAAAA,CAAY10B,GAAqB,IAAfonC,EAAQ9lC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,aACzB+lC,MAAM,GAAIrnC,EAAM,CAAEgG,KAAM,2BAH5B,2ZAIIhH,KAAKsoC,UAAYF,CACrB,CACA,YAAIA,CAASA,GACTpoC,KAAKsoC,UAAYF,CACrB,CACA,YAAIA,GACA,OAAOpoC,KAAKsoC,SAChB,CACA,QAAI54B,GACA,OAAO1P,KAAKuoC,sBAAsBvoC,KACtC,CACA,gBAAIwoC,GACA,OAA8B,IAA1BxoC,KAAKsoC,UAAU5mC,OACR+P,KAAKjG,MAETxL,KAAKyoC,uBAAuBzoC,KACvC,CAMAyoC,sBAAAA,CAAuBC,GACnB,OAAOA,EAAUN,SAASn+B,QAAO,CAACk8B,EAAKh5B,IAC5BA,EAAKq7B,aAAerC,EAIrBh5B,EAAKq7B,aACLrC,GACP,EACP,CAKAoC,qBAAAA,CAAsBG,GAClB,OAAOA,EAAUN,SAASn+B,QAAO,CAACk8B,EAAKwC,IAI5BxC,EAAMwC,EAAMj5B,MACpB,EACP,EAMG,MAAMk5B,GAAe58B,UAExB,GAAI28B,EAAME,OACN,OAAO,IAAI/7B,SAAQ,CAACC,EAASC,KACzB27B,EAAMx7B,KAAKJ,EAASC,EAAO,IAInCmyB,GAAOwE,MAAM,+BAAgC,CAAEgF,MAAOA,EAAM3nC,OAC5D,MAAM0nC,EAAYC,EACZ/tB,QAAgBkuB,GAAcJ,GAC9BN,SAAkBt7B,QAAQi8B,IAAInuB,EAAQ1L,IAAI05B,MAAgB1sB,OAChE,OAAO,IAAIgsB,GAAUQ,EAAU1nC,KAAMonC,EAAS,EAM5CU,GAAiBJ,IACnB,MAAMM,EAAYN,EAAUO,eAC5B,OAAO,IAAIn8B,SAAQ,CAACC,EAASC,KACzB,MAAM4N,EAAU,GACVsuB,EAAaA,KACfF,EAAUG,aAAaC,IACfA,EAAQ1nC,QACRkZ,EAAQpa,QAAQ4oC,GAChBF,KAGAn8B,EAAQ6N,EACZ,IACA5V,IACAgI,EAAOhI,EAAM,GACf,EAENkkC,GAAY,GACd,EAEOG,GAA6Br9B,UACtC,MAAMs9B,GAAYC,EAAAA,GAAAA,MAElB,UADwBD,EAAUE,OAAOvb,GACzB,CACZkR,GAAOwE,MAAM,wCAAyC,CAAE1V,uBAClDqb,EAAUG,gBAAgBxb,EAAc,CAAEyb,WAAW,IAC3D,MAAMC,QAAaL,EAAUK,KAAK1b,EAAc,CAAE2b,SAAS,EAAM1/B,MAAM2/B,EAAAA,GAAAA,SACvE/nC,EAAAA,GAAAA,IAAK,sBAAsBgoC,EAAAA,GAAAA,IAAgBH,EAAKz/B,MACpD,GAES6/B,GAAkB/9B,MAAOkB,EAAO88B,EAAa5B,KACtD,IAEI,MAAM6B,EAAY/8B,EAAM+B,QAAQ9B,GACrBi7B,EAASjF,MAAM79B,GAASA,EAAK4kC,YAAc/8B,aAAgBg7B,KAAOh7B,EAAKnM,KAAOmM,EAAK+8B,cAC3Fj7B,OAAOwN,SAEJ0tB,EAAUj9B,EAAM+B,QAAQ9B,IAClB88B,EAAUnhC,SAASqE,MAGzB,SAAEq6B,EAAQ,QAAE4C,SAAkBC,EAAAA,GAAAA,GAAmBL,EAAYl6B,KAAMm6B,EAAW7B,GAGpF,OAFAjJ,GAAOwE,MAAM,sBAAuB,CAAEwG,UAAS3C,WAAU4C,YAEjC,IAApB5C,EAAS9lC,QAAmC,IAAnB0oC,EAAQ1oC,SAEjC4oC,EAAAA,GAAAA,KAAStM,EAAAA,GAAAA,IAAE,QAAS,iCACpBmB,GAAOzsB,KAAK,wCACL,IAGJ,IAAIy3B,KAAY3C,KAAa4C,EACxC,CACA,MAAOplC,GACHD,GAAQC,MAAMA,IAEdo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,qBACrBmB,GAAOn6B,MAAM,4BACjB,CACA,MAAO,EAAE,kBCrIT,GAAU,CAAC,EAEf,GAAQs6B,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,2DCD1D,IAAIrO,GAIG,MAAMiZ,GAAWA,KACfjZ,KACDA,GAAQ,IAAIkZ,GAAAA,EAAO,CAAEC,YAAa,KAE/BnZ,IAEJ,IAAIoZ,IACX,SAAWA,GACPA,EAAqB,KAAI,OACzBA,EAAqB,KAAI,OACzBA,EAA6B,aAAI,cACpC,CAJD,CAIGA,KAAmBA,GAAiB,CAAC,IACjC,MAAMC,GAAW1F,MACEA,EAAMh7B,QAAO,CAAC61B,EAAKx6B,IAASuuB,KAAKiM,IAAIA,EAAKx6B,EAAK8/B,cAAcC,GAAAA,GAAWuF,KACtEvF,GAAAA,GAAWwF,QAQ1BC,GAAW7F,GANIA,IACjBA,EAAM9kB,OAAM7a,IAAQ,IAAAylC,EAAAC,EAEvB,OADwB7+B,KAAKI,MAA2C,QAAtCw+B,EAAgB,QAAhBC,EAAC1lC,EAAK2lC,kBAAU,IAAAD,OAAA,EAAfA,EAAkB,2BAAmB,IAAAD,EAAAA,EAAI,MACpDG,MAAKC,GAAiC,gBAApBA,EAAU52B,QAAiD,IAAtB42B,EAAUnG,SAAuC,aAAlBmG,EAAUjiC,KAAmB,IAMxIkiC,CAAYnG,8CClDhB,MAAMoG,GAAW,UAAHhqC,OAA6B,QAA7B4/B,IAAaO,EAAAA,GAAAA,aAAgB,IAAAP,QAAA,EAAhBA,GAAkBQ,KACvC6J,IAAiB/J,EAAAA,GAAAA,IAAkB,MAAQ8J,ICgB3CE,GAAW,SAAUttB,GAC9B,OAAOA,EAAIrF,MAAM,IAAI3O,QAAO,SAAU9D,EAAG6U,GAErC,OAAO7U,GADDA,GAAK,GAAKA,EAAK6U,EAAEb,WAAW,EAEtC,GAAG,EACP,ECnBMqxB,GFDmB,WAA8B,IAA7BC,EAAOnpC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAGgpC,GAChC,MAAME,GAASE,EAAAA,GAAAA,IAAaD,EAAS,CACjCE,QAAS,CACLC,cAAcC,EAAAA,GAAAA,OAAqB,MAmB3C,OAXgBC,EAAAA,GAAAA,MAIRC,MAAM,WAAY/6B,IAAY,IAAAg7B,EAKlC,OAJmB,QAAnBA,EAAIh7B,EAAQ26B,eAAO,IAAAK,GAAfA,EAAiBC,SACjBj7B,EAAQi7B,OAASj7B,EAAQ26B,QAAQM,cAC1Bj7B,EAAQ26B,QAAQM,SAEpBC,EAAAA,GAAAA,GAAQl7B,EAAQ,IAEpBw6B,CACX,CEtBeW,GACFC,GAAe,SAAU9mC,GAAM,IAAA27B,EACxC,MAAMoL,EAAyB,QAAnBpL,GAAGO,EAAAA,GAAAA,aAAgB,IAAAP,OAAA,EAAhBA,EAAkBQ,IACjC,IAAK4K,EACD,MAAM,IAAIrkC,MAAM,oBAEpB,MAAM+Y,EAAQzb,EAAKyb,MACbqkB,GAAckH,EAAAA,GAAAA,IAAoBvrB,aAAK,EAALA,EAAOqkB,aACzCmH,GAASxrB,EAAM,aAAesrB,GAAQ7oC,WACtC2gB,GAASod,EAAAA,GAAAA,IAAkB,MAAQ8J,GAAW/lC,EAAKknC,UAInDC,EAAW,CACb7iC,IAJOmX,aAAK,EAALA,EAAO0kB,QAAS,EACrB8F,GAASpnB,IACTpD,aAAK,EAALA,EAAO0kB,SAAU,EAGnBthB,SACAuoB,MAAO,IAAIj7B,KAAKnM,EAAKqnC,SACrBC,KAAMtnC,EAAKsnC,MAAQ,2BACnBl9B,MAAMqR,aAAK,EAALA,EAAOrR,OAAQ,EACrB01B,cACAmH,QACApH,KAAMkG,GACNJ,WAAY,IACL3lC,KACAyb,EACH8rB,WAAY9rB,aAAK,EAALA,EAAQ,eACpB+rB,QAAQ/rB,aAAK,EAALA,EAAO0kB,QAAS,IAIhC,cADOgH,EAASxB,WAAWlqB,MACN,SAAdzb,EAAK0B,KACN,IAAImhC,GAAAA,GAAKsE,GACT,IAAIvF,GAAAA,GAAOuF,EACrB,EACaM,GAAc,WAAgB,IAAfj9B,EAAIxN,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAC/B,MAAM0qC,EAAa,IAAIC,gBACjBC,GAAkBrD,EAAAA,GAAAA,MACxB,OAAO,IAAIsD,GAAAA,mBAAkBnhC,MAAOe,EAASC,EAAQogC,KACjDA,GAAS,IAAMJ,EAAWvZ,UAC1B,IACI,MAAM4Z,QAAyB7B,GAAO8B,qBAAqBx9B,EAAM,CAC7D85B,SAAS,EACT1/B,KAAMgjC,EACNK,aAAa,EACbC,OAAQR,EAAWQ,SAEjBrI,EAAOkI,EAAiBnjC,KAAK,GAC7Bk+B,EAAWiF,EAAiBnjC,KAAK/I,MAAM,GAC7C,GAAIgkC,EAAKqH,WAAa18B,EAClB,MAAM,IAAI9H,MAAM,2CAEpB+E,EAAQ,CACJ0gC,OAAQrB,GAAajH,GACrBiD,SAAUA,EAASl5B,KAAInH,IACnB,IACI,OAAOqkC,GAAarkC,EACxB,CACA,MAAO/C,GAEH,OADAm6B,GAAOn6B,MAAM,0BAAD3D,OAA2B0G,EAAOmiC,SAAQ,KAAK,CAAEllC,UACtD,IACX,KACDiK,OAAOwN,UAElB,CACA,MAAOzX,GACHgI,EAAOhI,EACX,IAER,ECCa0oC,GAAiBzI,IAC1B,MAAM0I,EAAY1I,EAAMh2B,QAAO3J,GAAQA,EAAK0B,OAASigC,GAAAA,GAASkB,OAAMzmC,OAC9DksC,EAAc3I,EAAMh2B,QAAO3J,GAAQA,EAAK0B,OAASigC,GAAAA,GAASC,SAAQxlC,OACxE,OAAkB,IAAdisC,GACO5X,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,wBAAyB6X,EAAa,CAAEA,gBAE7D,IAAhBA,GACE7X,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,oBAAqB4X,EAAW,CAAEA,cAE1D,IAAdA,GACO5X,EAAAA,GAAAA,IAAE,QAAS,kCAAmC,mCAAoC6X,EAAa,CAAEA,gBAExF,IAAhBA,GACO7X,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,iCAAkC4X,EAAW,CAAEA,eAE/F3P,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAE2P,YAAWC,eAAc,ECjD1FC,GAAqB5I,GACnB0F,GAAQ1F,GACJ6F,GAAQ7F,GACDyF,GAAeoD,aAEnBpD,GAAeqD,KAGnBrD,GAAesD,KAWbC,GAAuBjiC,eAAO1G,EAAM0kC,EAAaiC,GAA8B,IAAtBiC,EAAS5rC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC3E,IAAK0nC,EACD,OAEJ,GAAIA,EAAYhjC,OAASigC,GAAAA,GAASC,OAC9B,MAAM,IAAIl/B,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,gCAG/B,GAAIiO,IAAWvB,GAAeqD,MAAQzoC,EAAK6hC,UAAY6C,EAAYl6B,KAC/D,MAAM,IAAI9H,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kDAa/B,GAAI,GAAA38B,OAAG2oC,EAAYl6B,KAAI,KAAII,WAAW,GAAD7O,OAAIiE,EAAKwK,KAAI,MAC9C,MAAM,IAAI9H,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,4EAG/B3F,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAU6oC,GAAAA,GAAWC,SACnC,MAAM9c,EAAQiZ,KACd,aAAajZ,EAAMzd,KAAI7H,UACnB,MAAMqiC,EAAcxxB,GACF,IAAVA,GACOmhB,EAAAA,GAAAA,IAAE,QAAS,WAEfA,EAAAA,GAAAA,IAAE,QAAS,iBAAax7B,EAAWqa,GAE9C,IACI,MAAM2uB,GAASjC,EAAAA,GAAAA,MACT+E,GAAcx1B,EAAAA,GAAAA,MAAKy1B,GAAAA,GAAajpC,EAAKwK,MACrC0+B,GAAkB11B,EAAAA,GAAAA,MAAKy1B,GAAAA,GAAavE,EAAYl6B,MACtD,GAAIm8B,IAAWvB,GAAesD,KAAM,CAChC,IAAIvnC,EAASnB,EAAK4kC,SAElB,IAAKgE,EAAW,CACZ,MAAMO,QAAmBjD,EAAO8B,qBAAqBkB,GACrD/nC,EDvES,SAACzF,EAAM0tC,GAChC,MAAMpqC,EAAO,CACTqqC,OAAS5Y,GAAC,IAAA10B,OAAS00B,EAAC,KACpB6Y,qBAAqB,KAH0BtsC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,GAMvD,IAAIusC,EAAU7tC,EACVQ,EAAI,EACR,KAAOktC,EAAW5lC,SAAS+lC,IAAU,CACjC,MAAMC,EAAMxqC,EAAKsqC,oBAAsB,IAAKG,EAAAA,GAAAA,SAAQ/tC,GAC9CqiB,GAAO6mB,EAAAA,GAAAA,UAASlpC,EAAM8tC,GAC5BD,EAAU,GAAHxtC,OAAMgiB,EAAI,KAAAhiB,OAAIiD,EAAKqqC,OAAOntC,MAAIH,OAAGytC,EAC5C,CACA,OAAOD,CACX,CCyD6BG,CAAc1pC,EAAK4kC,SAAUuE,EAAWv/B,KAAK6mB,GAAMA,EAAEmU,WAAW,CACrEyE,OAAQN,EACRO,oBAAqBtpC,EAAK0B,OAASigC,GAAAA,GAASC,QAEpD,CAGA,SAFMsE,EAAOyD,SAASX,GAAax1B,EAAAA,GAAAA,MAAK01B,EAAiB/nC,IAErDnB,EAAK6hC,UAAY6C,EAAYl6B,KAAM,CACnC,MAAM,KAAE5F,SAAeshC,EAAO7B,MAAK7wB,EAAAA,GAAAA,MAAK01B,EAAiB/nC,GAAS,CAC9DmjC,SAAS,EACT1/B,MAAM2/B,EAAAA,GAAAA,SAEV/nC,EAAAA,GAAAA,IAAK,sBAAsBgoC,EAAAA,GAAAA,IAAgB5/B,GAC/C,CACJ,KACK,CAED,MAAMukC,QAAmB1B,GAAY/C,EAAYl6B,MACjD,IAAIo/B,EAAAA,GAAAA,GAAY,CAAC5pC,GAAOmpC,EAAWrG,UAC/B,IAEI,MAAM,SAAEZ,EAAQ,QAAE4C,SAAkBC,EAAAA,GAAAA,GAAmBL,EAAYl6B,KAAM,CAACxK,GAAOmpC,EAAWrG,UAG5F,IAAKZ,EAAS9lC,SAAW0oC,EAAQ1oC,OAG7B,aAFM8pC,EAAO2D,WAAWb,QACxBxsC,EAAAA,GAAAA,IAAK,qBAAsBwD,EAGnC,CACA,MAAON,GAGH,YADAo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,kBAEzB,OAIEwN,EAAO4D,SAASd,GAAax1B,EAAAA,GAAAA,MAAK01B,EAAiBlpC,EAAK4kC,YAG9DpoC,EAAAA,GAAAA,IAAK,qBAAsBwD,EAC/B,CACJ,CACA,MAAON,GACH,GAAIA,aAAiBqqC,GAAAA,GAAY,KAAAC,EAAAC,EAAAC,EAC7B,GAAgC,OAA5BxqC,SAAe,QAAVsqC,EAALtqC,EAAOH,gBAAQ,IAAAyqC,OAAA,EAAfA,EAAiBlqC,QACjB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kEAE1B,GAAgC,OAA5Bh5B,SAAe,QAAVuqC,EAALvqC,EAAOH,gBAAQ,IAAA0qC,OAAA,EAAfA,EAAiBnqC,QACtB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,wBAE1B,GAAgC,OAA5Bh5B,SAAe,QAAVwqC,EAALxqC,EAAOH,gBAAQ,IAAA2qC,OAAA,EAAfA,EAAiBpqC,QACtB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,oCAE1B,GAAIh5B,EAAMqD,QACX,MAAM,IAAIL,MAAMhD,EAAMqD,QAE9B,CAEA,MADA82B,GAAOwE,MAAM3+B,GACP,IAAIgD,KACd,CAAC,QAEGqwB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,EAC5B,IAER,EAQMitC,GAA0BzjC,eAAOD,GAA6B,IAArBw4B,EAAGjiC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAAK2iC,EAAK3iC,UAAAZ,OAAA,EAAAY,UAAA,QAAAE,EAC3D,MAAMktC,EAAUzK,EAAM/1B,KAAI5J,GAAQA,EAAKmgC,SAAQx2B,OAAOwN,SAChDkzB,GAAaC,EAAAA,GAAAA,KAAqB5R,EAAAA,GAAAA,IAAE,QAAS,uBAC9C6R,kBAAiB,GACjBC,WAAW/Z,MAEJA,EAAEqP,YAAcC,GAAAA,GAAW0K,UAE3BL,EAAQ5mC,SAASitB,EAAE0P,UAE1BuK,kBAAkB,IAClBC,gBAAe,GACfC,QAAQ3L,GACb,OAAO,IAAIz3B,SAAQ,CAACC,EAASC,KACzB2iC,EAAWQ,kBAAiB,CAACC,EAAYtgC,KACrC,MAAMugC,EAAU,GACV5pC,GAASyjC,EAAAA,GAAAA,UAASp6B,GAClBwgC,EAAWrL,EAAM/1B,KAAI5J,GAAQA,EAAK6hC,UAClCR,EAAQ1B,EAAM/1B,KAAI5J,GAAQA,EAAKwK,OAerC,OAdI/D,IAAW2+B,GAAesD,MAAQjiC,IAAW2+B,GAAeoD,cAC5DuC,EAAQ7vC,KAAK,CACTqJ,MAAOpD,GAASu3B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEv3B,eAAUjE,EAAW,CAAE+tC,QAAQ,EAAOC,UAAU,KAAWxS,EAAAA,GAAAA,IAAE,QAAS,QACvHh3B,KAAM,UACN4E,KAAM6kC,GACN,cAAMx9B,CAAS+2B,GACXj9B,EAAQ,CACJi9B,YAAaA,EAAY,GACzBj+B,OAAQ2+B,GAAesD,MAE/B,IAIJsC,EAASxnC,SAASgH,IAIlB62B,EAAM79B,SAASgH,IAIf/D,IAAW2+B,GAAeqD,MAAQhiC,IAAW2+B,GAAeoD,cAC5DuC,EAAQ7vC,KAAK,CACTqJ,MAAOpD,GAASu3B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEv3B,eAAUjE,EAAW,CAAE+tC,QAAQ,EAAOC,UAAU,KAAWxS,EAAAA,GAAAA,IAAE,QAAS,QACvHh3B,KAAM+E,IAAW2+B,GAAeqD,KAAO,UAAY,YACnDniC,KAAM8kC,GACN,cAAMz9B,CAAS+2B,GACXj9B,EAAQ,CACJi9B,YAAaA,EAAY,GACzBj+B,OAAQ2+B,GAAeqD,MAE/B,IAhBGsC,CAmBG,IAEHV,EAAW/T,QACnBle,OAAO/H,OAAO3Q,IACjBm6B,GAAOwE,MAAM3+B,GACTA,aAAiB2rC,GAAAA,GACjB3jC,EAAO,IAAIhF,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,sCAG5BhxB,EAAO,IAAIhF,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kCAChC,GACF,GAEV,EACsB,IAAI4G,GAAAA,GAAW,CACjCh7B,GAAI,YACJi7B,WAAAA,CAAYI,GACR,OAAQ4I,GAAkB5I,IACtB,KAAKyF,GAAeqD,KAChB,OAAO/P,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAK0M,GAAesD,KAChB,OAAOhQ,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAK0M,GAAeoD,aAChB,OAAO9P,EAAAA,GAAAA,IAAE,QAAS,gBAE9B,EACA8G,cAAeA,IAAM4L,GACrB1L,QAAQC,KAECA,EAAM9kB,OAAM7a,IAAI,IAAAsrC,EAAA,OAAa,QAAbA,EAAItrC,EAAK6/B,YAAI,IAAAyL,OAAA,EAATA,EAAW1gC,WAAW,UAAU,KAGlD+0B,EAAMvjC,OAAS,IAAMipC,GAAQ1F,IAAU6F,GAAQ7F,IAE1D,UAAMtqB,CAAKrV,EAAMu0B,EAAM0K,GACnB,MAAMx4B,EAAS8hC,GAAkB,CAACvoC,IAClC,IAAIyC,EACJ,IACIA,QAAe0nC,GAAwB1jC,EAAQw4B,EAAK,CAACj/B,GACzD,CACA,MAAOH,GAEH,OADAg6B,GAAOn6B,MAAMG,IACN,CACX,CACA,IAEI,aADM8oC,GAAqB3oC,EAAMyC,EAAOiiC,YAAajiC,EAAOgE,SACrD,CACX,CACA,MAAO/G,GACH,SAAIA,aAAiBgD,OAAWhD,EAAMqD,YAClC+2B,EAAAA,GAAAA,IAAUp6B,EAAMqD,SAET,KAGf,CACJ,EACA,eAAMwoC,CAAU5L,EAAOpL,EAAM0K,GACzB,MAAMx4B,EAAS8hC,GAAkB5I,GAC3Bl9B,QAAe0nC,GAAwB1jC,EAAQw4B,EAAKU,GACpD6L,EAAW7L,EAAM/1B,KAAIlD,UACvB,IAEI,aADMiiC,GAAqB3oC,EAAMyC,EAAOiiC,YAAajiC,EAAOgE,SACrD,CACX,CACA,MAAO/G,GAEH,OADAm6B,GAAOn6B,MAAM,aAAD3D,OAAc0G,EAAOgE,OAAM,SAAS,CAAEzG,OAAMN,WACjD,CACX,KAKJ,aAAa8H,QAAQi8B,IAAI+H,EAC7B,EACAxN,MAAO,qBC1QJ,MAAMyN,GAAyB/kC,UAIlC,MAAM4O,EAAUo2B,EACX/hC,QAAQ7B,GACS,SAAdA,EAAK6jC,OACL9R,GAAOwE,MAAM,wBAAyB,CAAEsN,KAAM7jC,EAAK6jC,KAAMjqC,KAAMoG,EAAKpG,QAC7D,KAGZkI,KAAK9B,IAAS,IAAAouB,EAAA0V,EAAAC,EAAAC,EAEb,OACiC,QADjC5V,EAA2B,QAA3B0V,EAAO9jC,SAAgB,QAAZ+jC,EAAJ/jC,EAAMikC,kBAAU,IAAAF,OAAA,EAAhBA,EAAAjwC,KAAAkM,UAAoB,IAAA8jC,EAAAA,EACpB9jC,SAAsB,QAAlBgkC,EAAJhkC,EAAMkkC,wBAAgB,IAAAF,OAAA,EAAtBA,EAAAlwC,KAAAkM,UAA0B,IAAAouB,EAAAA,EAC1BpuB,CAAI,IAEf,IAAImkC,GAAS,EACb,MAAMC,EAAW,IAAItJ,GAAU,QAE/B,IAAK,MAAMS,KAAS/tB,EAEhB,GAAI+tB,aAAiB8I,iBAArB,CACItS,GAAO32B,KAAK,+DACZ,MAAM2E,EAAOw7B,EAAM+I,YACnB,GAAa,OAATvkC,EAAe,CACfgyB,GAAO32B,KAAK,qCAAsC,CAAExB,KAAM2hC,EAAM3hC,KAAMiqC,KAAMtI,EAAMsI,QAClF7R,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,oDACrB,QACJ,CAGA,GAAkB,yBAAd7wB,EAAKnG,OAAoCmG,EAAKnG,KAAM,CAC/CuqC,IACDpS,GAAO32B,KAAK,8EACZmpC,EAAAA,GAAAA,KAAY3T,EAAAA,GAAAA,IAAE,QAAS,uFACvBuT,GAAS,GAEb,QACJ,CACAC,EAASpJ,SAAS5nC,KAAK2M,EAE3B,MAEA,IACIqkC,EAASpJ,SAAS5nC,WAAWooC,GAAaD,GAC9C,CACA,MAAO3jC,GAEHm6B,GAAOn6B,MAAM,mCAAoC,CAAEA,SACvD,CAEJ,OAAOwsC,CAAQ,EAENI,GAAsB5lC,MAAOm5B,EAAM6E,EAAa5B,KACzD,MAAMN,GAAWE,EAAAA,GAAAA,KAKjB,SAHUkH,EAAAA,GAAAA,GAAY/J,EAAKiD,SAAUA,KACjCjD,EAAKiD,eAAiB2B,GAAgB5E,EAAKiD,SAAU4B,EAAa5B,IAEzC,IAAzBjD,EAAKiD,SAAS1mC,OAGd,OAFAy9B,GAAOzsB,KAAK,qBAAsB,CAAEyyB,UACpCmF,EAAAA,GAAAA,KAAStM,EAAAA,GAAAA,IAAE,QAAS,uBACb,GAGXmB,GAAOwE,MAAM,sBAADtiC,OAAuB2oC,EAAYl6B,MAAQ,CAAEq1B,OAAMiD,SAAUjD,EAAKiD,WAC9E,MAAM9W,EAAQ,GACRugB,EAA0B7lC,MAAO08B,EAAW54B,KAC9C,IAAK,MAAM3C,KAAQu7B,EAAUN,SAAU,CAGnC,MAAM0J,GAAeh5B,EAAAA,GAAAA,MAAKhJ,EAAM3C,EAAKnM,MAGrC,GAAImM,aAAgB+6B,GAApB,CACI,MAAMja,GAAe8jB,EAAAA,GAAAA,IAAUxD,GAAAA,GAAavE,EAAYl6B,KAAMgiC,GAC9D,IACI/sC,GAAQ4+B,MAAM,uBAAwB,CAAEmO,uBAClCzI,GAA2Bpb,SAC3B4jB,EAAwB1kC,EAAM2kC,EACxC,CACA,MAAO9sC,IACHo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,6CAA8C,CAAE0K,UAAWv7B,EAAKnM,QACrFm+B,GAAOn6B,MAAM,GAAI,CAAEA,QAAOipB,eAAcya,UAAWv7B,GACvD,CAEJ,MAEAgyB,GAAOwE,MAAM,sBAAuB7qB,EAAAA,GAAAA,MAAKkxB,EAAYl6B,KAAMgiC,GAAe,CAAE3kC,SAE5EmkB,EAAM9wB,KAAKsnC,EAASkK,OAAOF,EAAc3kC,EAAM68B,EAAY7lB,QAC/D,GAIJ2jB,EAASmK,cAGHJ,EAAwB1M,EAAM,KACpC2C,EAASoK,QAET,MAEMC,SAFgBrlC,QAAQslC,WAAW9gB,IAElBriB,QAAOlH,GAA4B,aAAlBA,EAAO3C,SAC/C,OAAI+sC,EAAOzwC,OAAS,GAChBy9B,GAAOn6B,MAAM,8BAA+B,CAAEmtC,YAC9C/S,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,qCACd,KAEXmB,GAAOwE,MAAM,gCACbtB,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,gCAChBlxB,QAAQi8B,IAAIzX,GAAM,EAEhB+gB,GAAsBrmC,eAAOi5B,EAAO+E,EAAa5B,GAA6B,IAAnBkK,EAAMhwC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC1E,MAAMgvB,EAAQ,GAKd,SAHU4d,EAAAA,GAAAA,GAAYjK,EAAOmD,KACzBnD,QAAc8E,GAAgB9E,EAAO+E,EAAa5B,IAEjC,IAAjBnD,EAAMvjC,OAGN,OAFAy9B,GAAOzsB,KAAK,sBAAuB,CAAEuyB,eACrCqF,EAAAA,GAAAA,KAAStM,EAAAA,GAAAA,IAAE,QAAS,wBAGxB,IAAK,MAAM14B,KAAQ2/B,EACf5M,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAU6oC,GAAAA,GAAWC,SAEnC9c,EAAM9wB,KAAKytC,GAAqB3oC,EAAM0kC,EAAasI,EAAS5H,GAAesD,KAAOtD,GAAeqD,OAGrG,MAAM3E,QAAgBt8B,QAAQslC,WAAW9gB,GACzC2T,EAAM52B,SAAQ/I,GAAQ+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,KAE9C,MAAM2vC,EAAS/I,EAAQn6B,QAAOlH,GAA4B,aAAlBA,EAAO3C,SAC/C,GAAI+sC,EAAOzwC,OAAS,EAGhB,OAFAy9B,GAAOn6B,MAAM,sCAAuC,CAAEmtC,gBACtD/S,EAAAA,GAAAA,IAAUkT,GAAStU,EAAAA,GAAAA,IAAE,QAAS,mCAAoCA,EAAAA,GAAAA,IAAE,QAAS,kCAGjFmB,GAAOwE,MAAM,+BACbtB,EAAAA,GAAAA,IAAYiQ,GAAStU,EAAAA,GAAAA,IAAE,QAAS,8BAA+BA,EAAAA,GAAAA,IAAE,QAAS,4BAC9E,ECjKauU,GAAsBn7B,GAAY,WAAY,CACvDnO,MAAOA,KAAA,CACHupC,SAAU,KAEd1mC,QAAS,CAILkE,GAAAA,GAAoB,IAAhB23B,EAASrlC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,GACZ+1B,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY2nC,EAC9B,EAIAE,KAAAA,GACIxP,GAAAA,GAAAA,IAAQr4B,KAAM,WAAY,GAC9B,KCjBR,GAAeq4B,GAAAA,GAAIza,OAAO,CACtB1T,KAAIA,KACO,CACHuoC,eAAgB,OAGxBpU,OAAAA,GAAU,IAAAqU,EACN,MAAMC,EAAaltC,SAASoqB,cAAc,oBAC1C7vB,KAAKyyC,eAAwC,QAA1BC,EAAGC,aAAU,EAAVA,EAAYC,mBAAW,IAAAF,EAAAA,EAAI,KACjD1yC,KAAK6yC,gBAAkB,IAAIC,gBAAgBl4B,IACnCA,EAAQlZ,OAAS,GAAKkZ,EAAQ,GAAGnU,SAAWksC,IAC5C3yC,KAAKyyC,eAAiB73B,EAAQ,GAAGm4B,YAAYC,MACjD,IAEJhzC,KAAK6yC,gBAAgBI,QAAQN,EACjC,EACA5Q,aAAAA,GACI/hC,KAAK6yC,gBAAgBK,YACzB,ICxCuP,ICiB5OC,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,cACN2X,WAAY,CACRy6B,cAAa,KACbC,aAAY,KACZzQ,iBAAgBA,GAAAA,GAEpB0Q,OAAQ,CACJC,IAEJxyB,MAAO,CACHjR,KAAM,CACF9I,KAAME,OACN8Z,QAAS,MAGjB5M,MAAKA,KAMM,CACHo/B,cANkBjB,KAOlBkB,WANe/N,KAOfgB,WANeD,KAOfiN,eANmBnM,KAOnBoM,cANkB5L,OAS1BzK,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EACA4M,IAAAA,GAC4BzN,MAIxB,MAAO,CAAC,OAFM,KAAKr2B,KAAK8I,MAAM,KAAK3J,OAAOwN,SAASvN,KAF3Bi3B,EAE8C,IAFrC/8B,GAAW+8B,GAAG,GAAA9kC,OAAO+H,EAAK,OAIrC8F,KAAKY,GAASA,EAAK7H,QAAQ,WAAY,QACjE,EACA4rC,QAAAA,GACI,OAAO,KAAKD,KAAK1kC,KAAI,CAACq1B,EAAK1nB,KACvB,MAAM4oB,EAAS,KAAKqO,kBAAkBvP,GAChCzc,EAAK,IAAK,KAAKvG,OAAQnC,OAAQ,CAAEqmB,UAAU9pB,MAAO,CAAE4oB,QAC1D,MAAO,CACHA,MACArc,OAAO,EACPlnB,KAAM,KAAK+yC,kBAAkBxP,GAC7Bzc,KAEAksB,YAAan3B,IAAU,KAAK+2B,KAAKlyC,OAAS,EAC7C,GAET,EACAuyC,kBAAAA,GACI,OAA2C,IAApC,KAAKN,cAAcriB,MAAM5vB,MACpC,EAEAwyC,qBAAAA,GAGI,OAAO,KAAKD,oBAAsB,KAAKxB,eAAiB,GAC5D,EAEA0B,QAAAA,GAAW,IAAAC,EAAAC,EACP,OAA6B,QAA7BD,EAAuB,QAAvBC,EAAO,KAAKpR,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBzoC,YAAI,IAAAwoC,EAAAA,4IACjC,EACAE,aAAAA,GACI,OAAO,KAAKZ,eAAelM,QAC/B,EACA+M,aAAAA,GACI,OAAO,KAAKf,cAAchB,QAC9B,GAEJ9T,QAAS,CACL8V,aAAAA,CAAc5qC,GACV,OAAO,KAAK6pC,WAAW5N,QAAQj8B,EACnC,EACAkqC,iBAAAA,CAAkBhkC,GACd,OAAO,KAAK42B,WAAWE,QAAQ,KAAK3D,YAAYr5B,GAAIkG,EACxD,EACAikC,iBAAAA,CAAkBjkC,GAAM,IAAAk7B,EACFyJ,EAAlB,GAAa,MAAT3kC,EACA,OAAuB,QAAhB2kC,EAAA,KAAKrR,mBAAW,IAAAqR,GAAQ,QAARA,EAAhBA,EAAkBzN,cAAM,IAAAyN,OAAA,EAAxBA,EAA0BzzC,QAAQg9B,EAAAA,GAAAA,IAAE,QAAS,QAExD,MAAM0W,EAAS,KAAKZ,kBAAkBhkC,GAChCxK,EAAQovC,EAAU,KAAKF,cAAcE,QAAUlyC,EACrD,OAAO8C,SAAgB,QAAZ0lC,EAAJ1lC,EAAM2lC,kBAAU,IAAAD,OAAA,EAAhBA,EAAkBnG,eAAeqF,EAAAA,GAAAA,UAASp6B,EACrD,EACA6kC,OAAAA,CAAQ7sB,GAAI,IAAA8sB,GACJ9sB,SAAS,QAAP8sB,EAAF9sB,EAAInM,aAAK,IAAAi5B,OAAA,EAATA,EAAWrQ,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACrC,KAAKjK,MAAM,SAEnB,EACAua,UAAAA,CAAW10C,EAAO2P,GAEVA,IAAS,KAAK8jC,KAAK,KAAKA,KAAKlyC,OAAS,GAKtCvB,EAAMkqB,QACNlqB,EAAM20C,aAAaC,WAAa,OAGhC50C,EAAM20C,aAAaC,WAAa,OARhC50C,EAAM20C,aAAaC,WAAa,MAUxC,EACA,YAAMC,CAAO70C,EAAO2P,GAAM,IAAAmlC,EAAAC,EAAAC,EAEtB,KAAK,KAAKZ,eAAoC,QAAnBU,EAAC90C,EAAM20C,oBAAY,IAAAG,GAAO,QAAPA,EAAlBA,EAAoBjE,aAAK,IAAAiE,GAAzBA,EAA2BvzC,QACnD,OAKJvB,EAAMwqB,iBAEN,MAAMgd,EAAY,KAAK4M,cACjBvD,EAAQ,KAAsB,QAAlBkE,EAAA/0C,EAAM20C,oBAAY,IAAAI,OAAA,EAAlBA,EAAoBlE,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC5I,QAAiC,QAAtB+M,EAAM,KAAKlS,mBAAW,IAAAkS,OAAA,EAAhBA,EAAkBpI,YAAYj9B,IAC/C29B,EAASrF,aAAQ,EAARA,EAAUqF,OACzB,IAAKA,EAED,YADArO,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,0CAG9B,MAAMoX,KAAW3H,EAAOrI,YAAcC,GAAAA,GAAW0K,QAC3CuC,EAASnyC,EAAMkqB,QAGrB,IAAK+qB,GAA4B,IAAjBj1C,EAAMqqB,OAClB,OAIJ,GAFA2U,GAAOwE,MAAM,UAAW,CAAExjC,QAAOstC,SAAQ9F,YAAW6J,aAEhDA,EAASpJ,SAAS1mC,OAAS,EAE3B,kBADMkwC,GAAoBJ,EAAU/D,EAAQrF,EAASA,UAIzD,MAAMnD,EAAQ0C,EAAUz4B,KAAIu2B,GAAU,KAAKgO,WAAW5N,QAAQJ,WACxD4M,GAAoBpN,EAAOwI,EAAQrF,EAASA,SAAUkK,GAGxD3K,EAAUuD,MAAKzF,GAAU,KAAK6O,cAAcxrC,SAAS28B,OACrDtG,GAAOwE,MAAM,gDACb,KAAK+P,eAAe7L,QAE5B,EACAwN,eAAAA,CAAgBx4B,EAAOy4B,GAAS,IAAAC,EAC5B,OAAID,SAAW,QAAJC,EAAPD,EAASxtB,UAAE,IAAAytB,GAAO,QAAPA,EAAXA,EAAa55B,aAAK,IAAA45B,OAAA,EAAlBA,EAAoBhR,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACvCvG,EAAAA,GAAAA,IAAE,QAAS,4BAEH,IAAVnhB,GACEmhB,EAAAA,GAAAA,IAAE,QAAS,8BAA+BsX,GAE9C,IACX,EACAE,cAAAA,CAAeF,GAAS,IAAAG,EACpB,OAAIH,SAAW,QAAJG,EAAPH,EAASxtB,UAAE,IAAA2tB,GAAO,QAAPA,EAAXA,EAAa95B,aAAK,IAAA85B,OAAA,EAAlBA,EAAoBlR,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACvCvG,EAAAA,GAAAA,IAAE,QAAS,4BAEf,IACX,EACAA,EAACA,GAAAA,sBC/KL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,gBAAgB,CAACG,YAAY,0BAA0B/Q,MAAM,CAAE,yCAA0C2Q,EAAIka,uBAAwBhxB,MAAM,CAAC,oCAAoC,GAAG,aAAa8W,EAAIgE,EAAE,QAAS,2BAA2BuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,UAAUrJ,GAAG,WAAW,MAAO,CAACm6B,EAAI2b,GAAG,WAAW,EAAE3nC,OAAM,IAAO,MAAK,IAAOgsB,EAAIsI,GAAItI,EAAI6Z,UAAU,SAASyB,EAAQz4B,GAAO,OAAOod,EAAG,eAAeD,EAAIG,GAAG,CAACjxB,IAAIosC,EAAQ/Q,IAAIrhB,MAAM,CAAC,IAAM,OAAO,GAAKoyB,EAAQxtB,GAAG,kBAA4B,IAAVjL,GAAemd,EAAIyY,gBAAkB,IAAI,MAAQzY,EAAIqb,gBAAgBx4B,EAAOy4B,GAAS,mBAAmBtb,EAAIwb,eAAeF,IAAU3yC,GAAG,CAAC,KAAO,SAAS03B,GAAQ,OAAOL,EAAIgb,OAAO3a,EAAQib,EAAQ/Q,IAAI,GAAGqR,SAAS,CAAC,MAAQ,SAASvb,GAAQ,OAAOL,EAAI2a,QAAQW,EAAQxtB,GAAG,EAAE,SAAW,SAASuS,GAAQ,OAAOL,EAAI6a,WAAWxa,EAAQib,EAAQ/Q,IAAI,GAAGhC,YAAYvI,EAAIwI,GAAG,CAAY,IAAV3lB,EAAa,CAAC3T,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,GAAG,IAAM8W,EAAIma,YAAY,EAAEnmC,OAAM,GAAM,MAAM,MAAK,IAAO,eAAesnC,GAAQ,GAAO,IAAG,EACjmC,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,gBCsBO,MAAMO,GAAsBz+B,GAAY,cAAe,CAC1DnO,MAAOA,KAAA,CACH6sC,OAAQ,SCDHC,GAAmB,WAC5B,MAMMC,EANQ5+B,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHgtC,kBAAczzC,EACdqsC,QAAS,MAGKllC,IAAMrH,WAS5B,OAPK0zC,EAAc1a,gBACfC,EAAAA,GAAAA,IAAU,qBAAqB,SAAUj2B,GACrC0wC,EAAcC,aAAe3wC,EAC7B0wC,EAAcnH,QAAUvpC,EAAK4kC,QACjC,IACA8L,EAAc1a,cAAe,GAE1B0a,CACX,kBCpBA,MCpB+G,GDoB/G,CACEh1C,KAAM,mBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,0CAA0ClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gIAAgI,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAClpB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElByE,GCoBzG,CACEtV,KAAM,aACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,mCAAmClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,kGAAkG,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC7mB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QEbhC,GAAe+hB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,qBACN2X,WAAY,CACRu9B,iBAAgB,GAChBC,WAAUA,IAEdjsC,KAAIA,KACO,CACH+6B,MAAO,KAGf3H,SAAU,CACN8Y,YAAAA,GACI,OAA6B,IAAtB,KAAKnR,MAAMvjC,MACtB,EACA20C,cAAAA,GACI,OAAO,KAAKD,cACL,KAAKnR,MAAM,GAAGj+B,OAASigC,GAAAA,GAASC,MAC3C,EACAlmC,IAAAA,GACI,OAAK,KAAK0O,KAGV,GAAArO,OAAU,KAAKi1C,QAAO,OAAAj1C,OAAM,KAAKqO,MAFtB,KAAK4mC,OAGpB,EACA5mC,IAAAA,GACI,MAAM6mC,EAAY,KAAKtR,MAAMh7B,QAAO,CAACusC,EAAOlxC,IAASkxC,EAAQlxC,EAAKoK,MAAQ,GAAG,GACvEA,EAAO+mC,SAASF,EAAW,KAAO,EACxC,MAAoB,iBAAT7mC,GAAqBA,EAAO,EAC5B,MAEJkuB,EAAAA,GAAAA,IAAeluB,GAAM,EAChC,EACA4mC,OAAAA,GACI,GAAI,KAAKF,aAAc,KAAApL,EACnB,MAAM1lC,EAAO,KAAK2/B,MAAM,GACxB,OAAsB,QAAf+F,EAAA1lC,EAAK2lC,kBAAU,IAAAD,OAAA,EAAfA,EAAiBnG,cAAev/B,EAAK4kC,QAChD,CACA,OAAOwD,GAAc,KAAKzI,MAC9B,GAEJvG,QAAS,CACL5D,MAAAA,CAAOmK,GACH,KAAKA,MAAQA,EACb,KAAKyR,MAAMC,WAAWC,kBAEtB3R,EAAM9jC,MAAM,EAAG,GAAGkN,SAAQ/I,IACtB,MAAMuxC,EAAUpxC,SAASoqB,cAAa,mCAAAxuB,OAAoCiE,EAAKmgC,OAAM,iCACjFoR,GACoB,KAAKH,MAAMC,WACnB1W,YAAY4W,EAAQC,WAAWC,WAAU,GACzD,IAEJ,KAAKpoB,WAAU,KACX,KAAK2L,MAAM,SAAU,KAAK0F,IAAI,GAEtC,KC7D0P,sBCW9P,GAAU,CAAC,EAEf,GAAQV,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IHTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,MAAM,CAACG,YAAY,yBAAyB,CAACH,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACH,EAAG,OAAO,CAACra,IAAI,eAAeoa,EAAIQ,GAAG,KAAMR,EAAIqc,eAAgBpc,EAAG,cAAcA,EAAG,qBAAqB,GAAGD,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIh5B,UACvY,GACsB,IGUpB,EACA,KACA,KACA,MAI8B,QCjB1Bg2C,GAAU3e,GAAAA,GAAIza,OAAOq5B,IAC3B,IAAIJ,GC8BJxe,GAAAA,GAAI6e,UAAU,iBAAkBC,GAAAA,IAChC,UAAehE,EAAAA,GAAAA,IAAgB,CAC3BpyB,MAAO,CACHoD,OAAQ,CACJnd,KAAM,CAACkgC,GAAAA,GAAQkQ,GAAAA,GAAQC,GAAAA,IACvBtvB,UAAU,GAEdkd,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd0qB,eAAgB,CACZzrC,KAAMiU,OACN+F,QAAS,IAGjB9W,KAAIA,KACO,CACHotC,QAAS,GACTC,UAAU,EACVC,UAAU,IAGlBla,SAAU,CACN2F,WAAAA,GACI,OAAOjjC,KAAKojC,YAAY4D,MAC5B,EACAyQ,UAAAA,GAAa,IAAAzU,EAET,QAAmB,QAAXA,EAAAhjC,KAAKuhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,GAAK,QAALA,EAAlBA,EAAoBuB,WAAG,IAAAvB,OAAA,EAAvBA,EAAyBx/B,aAAc,KAAKyE,QAAQ,WAAY,KAC5E,EACAyvC,aAAAA,GAAgB,IAAAC,EAAAC,EACZ,OAAyB,QAAlBD,EAAA33C,KAAKuhB,OAAOnC,cAAM,IAAAu4B,OAAA,EAAlBA,EAAoBlS,UAA2B,QAArBmS,EAAI53C,KAAKuhB,OAAO5F,aAAK,IAAAi8B,OAAA,EAAjBA,EAAmBnS,SAAU,IACtE,EACAA,MAAAA,GAAS,IAAAoS,EACL,OAAkB,QAAlBA,EAAO73C,KAAKmkB,cAAM,IAAA0zB,OAAA,EAAXA,EAAapS,MACxB,EACAqS,QAAAA,GACI,OAAOvM,GAASvrC,KAAKmkB,OAAOA,OAChC,EACA4zB,SAAAA,GACI,OAAO/3C,KAAKmkB,OAAO/e,SAAW+oC,GAAAA,GAAWC,OAC7C,EACA4J,SAAAA,GAAY,IAAAC,EACR,OAA0B,QAA1BA,EAAIj4C,KAAKmkB,OAAO8mB,kBAAU,IAAAgN,GAAtBA,EAAwBpT,aACjBkK,EAAAA,GAAAA,SAAQ/uC,KAAKmkB,OAAO8mB,WAAWpG,aAEnC7kC,KAAKmkB,OAAO6zB,WAAa,EACpC,EACAnT,WAAAA,GACI,MAAMiK,EAAM9uC,KAAKg4C,UACXh3C,EAAQhB,KAAKmkB,OAAO8mB,WAAWpG,aAC9B7kC,KAAKmkB,OAAO+lB,SAEnB,OAAQ4E,EAAa9tC,EAAKG,MAAM,EAAG,EAAI2tC,EAAIptC,QAA7BV,CAClB,EACAuzC,aAAAA,GACI,OAAOv0C,KAAKwzC,cAAchB,QAC9B,EACA8B,aAAAA,GACI,OAAOt0C,KAAK0zC,eAAelM,QAC/B,EACA0Q,UAAAA,GACI,OAAOl4C,KAAKylC,QAAUzlC,KAAKs0C,cAAcxrC,SAAS9I,KAAKylC,OAC3D,EACA0S,UAAAA,GACI,OAAOn4C,KAAKg2C,cAAcC,eAAiBj2C,KAAKmkB,MACpD,EACAi0B,qBAAAA,GACI,OAAOp4C,KAAKm4C,YAAcn4C,KAAKyyC,eAAiB,GACpD,EACA/oB,QAAAA,GAAW,IAAA2uB,EAAAC,EAAAC,EAAAC,EACP,OAAkB,QAAXH,EAAAr4C,KAAKylC,cAAM,IAAA4S,GAAU,QAAVC,EAAXD,EAAa70C,gBAAQ,IAAA80C,OAAA,EAArBA,EAAAp3C,KAAAm3C,OAAgD,QAAvBE,EAAKv4C,KAAK03C,qBAAa,IAAAa,GAAU,QAAVC,EAAlBD,EAAoB/0C,gBAAQ,IAAAg1C,OAAA,EAA5BA,EAAAt3C,KAAAq3C,GACzC,EACAE,OAAAA,GACI,GAAIz4C,KAAKm4C,WACL,OAAO,EAEX,MAAMM,EAAWnzC,OACLA,aAAI,EAAJA,EAAM8/B,aAAcC,GAAAA,GAAWwF,QAG3C,OAAI7qC,KAAKs0C,cAAc5yC,OAAS,EACd1B,KAAKs0C,cAAcplC,KAAIu2B,GAAUzlC,KAAKyzC,WAAW5N,QAAQJ,KAC1DtlB,MAAMs4B,GAEhBA,EAAQz4C,KAAKmkB,OACxB,EACAixB,OAAAA,GACI,QAAIp1C,KAAKmkB,OAAOnd,OAASigC,GAAAA,GAASC,QAI9BlnC,KAAKylC,QAAUzlC,KAAKu0C,cAAczrC,SAAS9I,KAAKylC,WAG5CzlC,KAAKmkB,OAAOihB,YAAcC,GAAAA,GAAW0K,QACjD,EACA2I,WAAY,CACR/qC,GAAAA,GACI,OAAO3N,KAAK24C,iBAAiB7C,SAAW91C,KAAK83C,SAASt0C,UAC1D,EACAwM,GAAAA,CAAI8lC,GAEA,GAAIA,EAAQ,KAAA8C,EAGR,MAAMzT,EAAe,QAAXyT,EAAG54C,KAAKggC,WAAG,IAAA4Y,OAAA,EAARA,EAAUC,QAAQ,oBAC/B1T,EAAK/U,MAAM0oB,eAAe,iBAC1B3T,EAAK/U,MAAM0oB,eAAe,gBAC9B,CACA94C,KAAK24C,iBAAiB7C,OAASA,EAAS91C,KAAK83C,SAASt0C,WAAa,IACvE,IAGRggC,MAAO,CAKHrf,MAAAA,CAAOhe,EAAG6U,GACF7U,EAAEge,SAAWnJ,EAAEmJ,QACfnkB,KAAK+4C,YAEb,GAEJhX,aAAAA,GACI/hC,KAAK+4C,YACT,EACAra,QAAS,CACLqa,UAAAA,GAAa,IAAAC,EAAAC,EAETj5C,KAAKs3C,QAAU,GAEL,QAAV0B,EAAAh5C,KAAK02C,aAAK,IAAAsC,GAAS,QAATA,EAAVA,EAAYnC,eAAO,IAAAmC,GAAO,QAAPC,EAAnBD,EAAqBnR,aAAK,IAAAoR,GAA1BA,EAAA/3C,KAAA83C,GAEAh5C,KAAK04C,YAAa,CACtB,EAEAQ,YAAAA,CAAa/4C,GAET,GAAIH,KAAK04C,WACL,OAIJ,IAAK14C,KAAKw3C,SAAU,KAAA2B,EAEhB,MAAMhU,EAAe,QAAXgU,EAAGn5C,KAAKggC,WAAG,IAAAmZ,OAAA,EAARA,EAAUN,QAAQ,oBACzB9F,EAAc5N,EAAKnV,wBAGzBmV,EAAK/U,MAAMgpB,YAAY,gBAAiBvlB,KAAKD,IAAI,EAAGzzB,EAAMk5C,QAAUtG,EAAYh6B,KAAO,KAAO,MAC9FosB,EAAK/U,MAAMgpB,YAAY,gBAAiBvlB,KAAKD,IAAI,EAAGzzB,EAAMm5C,QAAUvG,EAAY7iB,KAAO,KAC3F,CAEA,MAAMqpB,EAAwBv5C,KAAKs0C,cAAc5yC,OAAS,EAC1D1B,KAAK24C,iBAAiB7C,OAAS91C,KAAKk4C,YAAcqB,EAAwB,SAAWv5C,KAAK83C,SAASt0C,WAEnGrD,EAAMwqB,iBACNxqB,EAAMy/B,iBACV,EACA4Z,iBAAAA,CAAkBr5C,GACd,GAAIA,EAAMkqB,SAAWlqB,EAAMgqB,QAGvB,OAFAhqB,EAAMwqB,iBACN/mB,OAAOa,MAAKm1B,EAAAA,GAAAA,IAAY,cAAe,CAAE8a,OAAQ10C,KAAKylC,WAC/C,EAEXzlC,KAAK02C,MAAM5qC,QAAQ0tC,kBAAkBr5C,EACzC,EACAs5C,sBAAAA,CAAuBt5C,GAAO,IAAAu5C,EAC1Bv5C,EAAMwqB,iBACNxqB,EAAMy/B,kBACF+Z,UAAsB,QAATD,EAAbC,GAAe3U,eAAO,IAAA0U,GAAtBA,EAAAx4C,KAAAy4C,GAAyB,CAAC35C,KAAKmkB,QAASnkB,KAAKijC,cAC7C0W,GAAch/B,KAAK3a,KAAKmkB,OAAQnkB,KAAKijC,YAAajjC,KAAKy3C,WAE/D,EACA5C,UAAAA,CAAW10C,GACPH,KAAKu3C,SAAWv3C,KAAKo1C,QAChBp1C,KAAKo1C,QAKNj1C,EAAMkqB,QACNlqB,EAAM20C,aAAaC,WAAa,OAGhC50C,EAAM20C,aAAaC,WAAa,OARhC50C,EAAM20C,aAAaC,WAAa,MAUxC,EACA6E,WAAAA,CAAYz5C,GAGR,MAAMsqB,EAAgBtqB,EAAMsqB,cACxBA,SAAAA,EAAeovB,SAAS15C,EAAM25C,iBAGlC95C,KAAKu3C,UAAW,EACpB,EACA,iBAAMwC,CAAY55C,GAAO,IAAA80C,EAAA+E,EAAA9E,EAErB,GADA/0C,EAAMy/B,mBACD5/B,KAAKy4C,UAAYz4C,KAAKylC,OAGvB,OAFAtlC,EAAMwqB,sBACNxqB,EAAMy/B,kBAGVT,GAAOwE,MAAM,eAAgB,CAAExjC,UAEb,QAAlB80C,EAAA90C,EAAM20C,oBAAY,IAAAG,GAAW,QAAX+E,EAAlB/E,EAAoBgF,iBAAS,IAAAD,GAA7BA,EAAA94C,KAAA+zC,GAEAj1C,KAAKg2C,cAAcpoC,SAGf5N,KAAKs0C,cAAcxrC,SAAS9I,KAAKylC,QACjCzlC,KAAKwzC,cAAcxjC,IAAIhQ,KAAKs0C,eAG5Bt0C,KAAKwzC,cAAcxjC,IAAI,CAAChQ,KAAKylC,SAEjC,MAAMR,EAAQjlC,KAAKwzC,cAAchB,SAC5BtjC,KAAIu2B,GAAUzlC,KAAKyzC,WAAW5N,QAAQJ,KACrCyU,OD3PmBluC,UAC1B,IAAIc,SAASC,IACX8pC,KACDA,IAAU,IAAIG,IAAUmD,SACxB10C,SAAS8B,KAAK04B,YAAY4W,GAAQ7W,MAEtC6W,GAAQ/b,OAAOmK,GACf4R,GAAQuD,IAAI,UAAU,KAClBrtC,EAAQ8pC,GAAQ7W,KAChB6W,GAAQwD,KAAK,SAAS,GACxB,ICiPsBC,CAAsBrV,GACxB,QAAlBiQ,EAAA/0C,EAAM20C,oBAAY,IAAAI,GAAlBA,EAAoBqF,aAAaL,GAAQ,IAAK,GAClD,EACAM,SAAAA,GACIx6C,KAAKwzC,cAAc3L,QACnB7nC,KAAKu3C,UAAW,EAChBpY,GAAOwE,MAAM,aACjB,EACA,YAAMqR,CAAO70C,GAAO,IAAAs6C,EAAAC,EAAArG,EAEhB,KAAKr0C,KAAKu0C,eAAoC,QAAnBkG,EAACt6C,EAAM20C,oBAAY,IAAA2F,GAAO,QAAPA,EAAlBA,EAAoBzJ,aAAK,IAAAyJ,GAAzBA,EAA2B/4C,QACnD,OAEJvB,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,MAAM+H,EAAY3nC,KAAKu0C,cACjBvD,EAAQ,KAAsB,QAAlB0J,EAAAv6C,EAAM20C,oBAAY,IAAA4F,OAAA,EAAlBA,EAAoB1J,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC5I,QAAiC,QAAtBiM,EAAMr0C,KAAKijC,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBtH,YAAY/sC,KAAKmkB,OAAOrU,OAC3D29B,EAASrF,aAAQ,EAARA,EAAUqF,OACzB,IAAKA,EAED,YADArO,EAAAA,GAAAA,IAAUp/B,KAAKg+B,EAAE,QAAS,0CAK9B,IAAKh+B,KAAKo1C,SAAWj1C,EAAMqqB,OACvB,OAEJ,MAAM8nB,EAASnyC,EAAMkqB,QAIrB,GAHArqB,KAAKu3C,UAAW,EAChBpY,GAAOwE,MAAM,UAAW,CAAExjC,QAAOstC,SAAQ9F,YAAW6J,aAEhDA,EAASpJ,SAAS1mC,OAAS,EAE3B,kBADMkwC,GAAoBJ,EAAU/D,EAAQrF,EAASA,UAIzD,MAAMnD,EAAQ0C,EAAUz4B,KAAIu2B,GAAUzlC,KAAKyzC,WAAW5N,QAAQJ,WACxD4M,GAAoBpN,EAAOwI,EAAQrF,EAASA,SAAUkK,GAGxD3K,EAAUuD,MAAKzF,GAAUzlC,KAAKs0C,cAAcxrC,SAAS28B,OACrDtG,GAAOwE,MAAM,gDACb3jC,KAAK0zC,eAAe7L,QAE5B,EACA7J,EAACA,GAAAA,qBC5ST,MCNmQ,GDMnQ,CACIh9B,KAAM,sBACN+f,MAAO,CACHoD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdkb,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,GAEd9G,OAAQ,CACJja,KAAM+4B,SACNhY,UAAU,IAGlByb,MAAO,CACHrf,MAAAA,GACI,KAAKw2B,mBACT,EACA1X,WAAAA,GACI,KAAK0X,mBACT,GAEJtc,OAAAA,GACI,KAAKsc,mBACT,EACAjc,QAAS,CACL,uBAAMic,GACF,MAAMC,QAAgB,KAAK35B,OAAO,KAAKkD,OAAQ,KAAK8e,aAChD2X,EACA,KAAK5a,IAAI4W,gBAAgBgE,GAGzB,KAAK5a,IAAI4W,iBAEjB,IExBR,IAXgB,QACd,IFRW,WAA+C,OAAO3c,EAA5Bj6B,KAAYk6B,MAAMD,IAAa,OACtE,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClB4E,GCoB5G,CACEj5B,KAAM,gBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,uCAAuClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,2EAA2E,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC1lB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,gDELhC,MAAMxK,IAAU+uC,EAAAA,GAAAA,MAChB,IAAe1H,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,mBACN2X,WAAY,CACRmiC,cAAa,GACbC,oBAAmB,GACnBC,eAAc,KACdC,UAAS,KACTC,kBAAiB,KACjBtY,iBAAgB,KAChBuY,cAAaA,GAAAA,GAEjBp6B,MAAO,CACH0xB,eAAgB,CACZzrC,KAAMiU,OACN8M,UAAU,GAEduvB,QAAS,CACLtwC,KAAME,OACN6gB,UAAU,GAEd+tB,OAAQ,CACJ9uC,KAAMyV,QACNuE,SAAS,GAEbmD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdyvB,SAAU,CACNxwC,KAAMyV,QACNuE,SAAS,IAGjB9W,KAAIA,KACO,CACHkxC,cAAe,OAGvB9d,SAAU,CACNma,UAAAA,GAAa,IAAAzU,EAET,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,GAAK,QAALA,EAAlBA,EAAoBuB,WAAG,IAAAvB,OAAA,EAAvBA,EAAyBx/B,aAAc,KAAKyE,QAAQ,WAAY,KAC5E,EACAg7B,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EACA+Q,SAAAA,GACI,OAAO,KAAK5zB,OAAO/e,SAAW+oC,GAAAA,GAAWC,OAC7C,EAEAiN,cAAAA,GACI,OAAI,KAAKl3B,OAAO8mB,WAAW6B,OAChB,GAEJhhC,GACFmD,QAAOlD,IAAWA,EAAOi5B,SAAWj5B,EAAOi5B,QAAQ,CAAC,KAAK7gB,QAAS,KAAK8e,eACvEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,IACrD,EAEAgY,oBAAAA,GACI,OAAI,KAAK7I,eAAiB,KAAO,KAAK+E,SAC3B,GAEJ,KAAK6D,eAAepsC,QAAOlD,IAAM,IAAAwvC,EAAA,OAAIxvC,SAAc,QAARwvC,EAANxvC,EAAQyvC,cAAM,IAAAD,OAAA,EAAdA,EAAAr6C,KAAA6K,EAAiB,KAAKoY,OAAQ,KAAK8e,YAAY,GAC/F,EAEAwY,oBAAAA,GACI,OAAI,KAAKjE,SACE,GAEJ,KAAK6D,eAAepsC,QAAOlD,GAAyC,mBAAxBA,EAAO2vC,cAC9D,EAEAC,qBAAAA,GACI,OAAO,KAAKN,eAAepsC,QAAOlD,KAAYA,UAAAA,EAAQiV,UAC1D,EAEA46B,kBAAAA,GAGI,GAAI,KAAKR,cACL,OAAO,KAAKE,qBAEhB,MAAMxvC,EAAU,IAET,KAAKwvC,wBAEL,KAAKD,eAAepsC,QAAOlD,GAAUA,EAAOiV,UAAY66B,GAAAA,GAAYC,QAAyC,mBAAxB/vC,EAAO2vC,gBACjGzsC,QAAO,CAAC7F,EAAOyT,EAAO7Y,IAEb6Y,IAAU7Y,EAAK+3C,WAAUhwC,GAAUA,EAAOnC,KAAOR,EAAMQ,OAG5DoyC,EAAgBlwC,EAAQmD,QAAOlD,IAAWA,EAAO4T,SAAQzQ,KAAInD,GAAUA,EAAOnC,KAEpF,OAAOkC,EAAQmD,QAAOlD,KAAYA,EAAO4T,QAAUq8B,EAAclzC,SAASiD,EAAO4T,UACrF,EACAs8B,qBAAAA,GACI,OAAO,KAAKZ,eACPpsC,QAAOlD,GAAUA,EAAO4T,SACxB1V,QAAO,CAAC8Z,EAAKhY,KACTgY,EAAIhY,EAAO4T,UACZoE,EAAIhY,EAAO4T,QAAU,IAEzBoE,EAAIhY,EAAO4T,QAAQnf,KAAKuL,GACjBgY,IACR,CAAC,EACR,EACA20B,WAAY,CACR/qC,GAAAA,GACI,OAAO,KAAKmoC,MAChB,EACA9lC,GAAAA,CAAI5G,GACA,KAAKkxB,MAAM,gBAAiBlxB,EAChC,GAOJ8yC,qBAAoBA,IACTz2C,SAASoqB,cAAc,8BAElCssB,SAAAA,GACI,OAAO,KAAKh4B,OAAOi4B,YAAY,aACnC,GAEJ1d,QAAS,CACL2d,iBAAAA,CAAkBtwC,GACd,IAAK,KAAKyrC,UAAa,KAAK/E,eAAiB,KAAO1mC,EAAOyvC,SAAoC,mBAAjBzvC,EAAOzE,MAAsB,CAGvG,MAAMA,EAAQyE,EAAOzE,MAAM,CAAC,KAAK6c,QAAS,KAAK8e,aAC/C,GAAI37B,EACA,OAAOA,CACf,CACA,OAAOyE,EAAO84B,YAAY,CAAC,KAAK1gB,QAAS,KAAK8e,YAClD,EACA,mBAAMqZ,CAAcvwC,GAA2B,IAAnBwwC,EAASj6C,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAEjC,GAAI,KAAKy1C,WAA8B,KAAjB,KAAKT,QACvB,OAGJ,GAAI,KAAK2E,sBAAsBlwC,EAAOnC,IAElC,YADA,KAAKwxC,cAAgBrvC,GAGzB,MAAM84B,EAAc94B,EAAO84B,YAAY,CAAC,KAAK1gB,QAAS,KAAK8e,aAC3D,IAEI,KAAK3I,MAAM,iBAAkBvuB,EAAOnC,IACpCyuB,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,SAAUgqB,GAAAA,GAAWC,SAC1C,MAAMoO,QAAgBzwC,EAAO4O,KAAK,KAAKwJ,OAAQ,KAAK8e,YAAa,KAAKwU,YAEtE,GAAI+E,QACA,OAEJ,GAAIA,EAEA,YADAna,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,+CAAgD,CAAE6G,kBAG7EzF,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAE6G,gBAC5D,CACA,MAAO1/B,GACHg6B,GAAOn6B,MAAM,+BAAgC,CAAE+G,SAAQ5G,KACvDi6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,CAAE6G,gBAC5D,CAAC,QAGG,KAAKvK,MAAM,iBAAkB,IAC7BjC,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,cAAU3hB,GAE3B+5C,IACA,KAAKnB,cAAgB,KAE7B,CACJ,EACA5B,iBAAAA,CAAkBr5C,GACV,KAAKw7C,sBAAsBj6C,OAAS,IACpCvB,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,KAAK+b,sBAAsB,GAAGhhC,KAAK,KAAKwJ,OAAQ,KAAK8e,YAAa,KAAKwU,YAE/E,EACAgF,MAAAA,CAAO7yC,GAAI,IAAA8yC,EACP,OAAqC,QAA9BA,EAAA,KAAKT,sBAAsBryC,UAAG,IAAA8yC,OAAA,EAA9BA,EAAgCh7C,QAAS,CACpD,EACA,uBAAMi7C,CAAkB5wC,GACpB,KAAKqvC,cAAgB,WAEf,KAAKzsB,YAEX,KAAKA,WAAU,KAAM,IAAAqqB,EAEjB,MAAM4D,EAA8C,QAApC5D,EAAG,KAAKtC,MAAK,UAAAr1C,OAAW0K,EAAOnC,YAAK,IAAAovC,OAAA,EAAjCA,EAAoC,GACvC,IAAA6D,EAAZD,IACsC,QAAtCC,EAAAD,EAAW5c,IAAInQ,cAAc,iBAAS,IAAAgtB,GAAtCA,EAAwCC,QAC5C,GAER,EACA9e,EAACA,GAAAA,MCzNgQ,sBCWrQ,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,sBCftD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCjB1D,IAAI,IAAY,QACd,IJVW,WAAiB,IAAAod,EAAAC,EAAKhjB,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,KAAK,CAACG,YAAY,0BAA0BlX,MAAM,CAAC,iCAAiC,KAAK,CAAC8W,EAAIsI,GAAItI,EAAIyhB,sBAAsB,SAAS1vC,GAAQ,OAAOkuB,EAAG,sBAAsB,CAAC/wB,IAAI6C,EAAOnC,GAAGwwB,YAAY,iCAAiC/Q,MAAM,0BAA4Btd,EAAOnC,GAAGsZ,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,OAASl3B,EAAO2vC,aAAa,OAAS1hB,EAAI7V,SAAS,IAAG6V,EAAIQ,GAAG,KAAKP,EAAG,YAAY,CAACra,IAAI,cAAcsD,MAAM,CAAC,qBAAqB8W,EAAIkiB,qBAAqB,UAAYliB,EAAIkiB,qBAAqB,cAAa,EAAK,KAAO,WAAW,aAAiD,IAApCliB,EAAIshB,qBAAqB55C,OAAuD,OAASs4B,EAAIshB,qBAAqB55C,OAAO,KAAOs4B,EAAI0e,YAAY/1C,GAAG,CAAC,cAAc,SAAS03B,GAAQL,EAAI0e,WAAWre,CAAM,EAAE,MAAQ,SAASA,GAAQL,EAAIohB,cAAgB,IAAI,IAAI,CAACphB,EAAIsI,GAAItI,EAAI4hB,oBAAoB,SAAS7vC,GAAO,IAAAkxC,EAAC,OAAOhjB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGgW,IAAG,UAAAve,OAAW0K,EAAOnC,IAAKszC,UAAS,EAAK7zB,MAAM,CAClhC,CAAC,0BAADhoB,OAA2B0K,EAAOnC,MAAO,EACzC,+BAAkCowB,EAAIyiB,OAAO1wC,EAAOnC,KACnDsZ,MAAM,CAAC,qBAAqB8W,EAAIyiB,OAAO1wC,EAAOnC,IAAI,gCAAgCmC,EAAOnC,GAAG,UAAUowB,EAAIyiB,OAAO1wC,EAAOnC,IAAI,MAAoB,QAAbqzC,EAAClxC,EAAOzE,aAAK,IAAA21C,OAAA,EAAZA,EAAA/7C,KAAA6K,EAAe,CAACiuB,EAAI7V,QAAS6V,EAAIiJ,cAActgC,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIsiB,cAAcvwC,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIsd,UAAYvrC,EAAOnC,GAAIqwB,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,MAAM+W,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAMnX,EAAO+4B,cAAc,CAAC9K,EAAI7V,QAAS6V,EAAIiJ,gBAAgB,EAAEj1B,OAAM,IAAO,MAAK,IAAO,CAACgsB,EAAIQ,GAAG,WAAWR,EAAItsB,GAAqB,WAAlBssB,EAAImiB,WAAwC,mBAAdpwC,EAAOnC,GAA0B,GAAKowB,EAAIqiB,kBAAkBtwC,IAAS,WAAW,IAAGiuB,EAAIQ,GAAG,KAAMR,EAAIohB,eAAiBphB,EAAIiiB,sBAAuC,QAAlBc,EAAC/iB,EAAIohB,qBAAa,IAAA2B,OAAA,EAAjBA,EAAmBnzC,IAAK,CAACqwB,EAAG,iBAAiB,CAACG,YAAY,8BAA8Bz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAI2iB,kBAAkB3iB,EAAIohB,cAAc,GAAG7Y,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,iBAAiB,EAAEjsB,OAAM,IAAO,MAAK,EAAM,aAAa,CAACgsB,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIqiB,kBAAkBriB,EAAIohB,gBAAgB,cAAcphB,EAAIQ,GAAG,KAAKP,EAAG,qBAAqBD,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIiiB,sBAAuC,QAAlBe,EAAChjB,EAAIohB,qBAAa,IAAA4B,OAAA,EAAjBA,EAAmBpzC,KAAK,SAASmC,GAAO,IAAAoxC,EAAC,OAAOljB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGwwB,YAAY,kCAAkC/Q,MAAK,0BAAAhoB,OAA2B0K,EAAOnC,IAAKsZ,MAAM,CAAC,qBAAoB,EAA8C,gCAAgCnX,EAAOnC,GAAG,MAAoB,QAAbuzC,EAACpxC,EAAOzE,aAAK,IAAA61C,OAAA,EAAZA,EAAAj8C,KAAA6K,EAAe,CAACiuB,EAAI7V,QAAS6V,EAAIiJ,cAActgC,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIsiB,cAAcvwC,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIsd,UAAYvrC,EAAOnC,GAAIqwB,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,MAAM+W,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAMnX,EAAO+4B,cAAc,CAAC9K,EAAI7V,QAAS6V,EAAIiJ,gBAAgB,EAAEj1B,OAAM,IAAO,MAAK,IAAO,CAACgsB,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIqiB,kBAAkBtwC,IAAS,aAAa,KAAIiuB,EAAI1jB,MAAM,IAAI,EAC90D,GACsB,IIQpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCpB0O,ICQ3P68B,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,oBACN2X,WAAY,CACRkoB,sBAAqB,KACrBsa,cAAaA,GAAAA,GAEjBp6B,MAAO,CACH0kB,OAAQ,CACJz+B,KAAMiU,OACN8M,UAAU,GAEdgwB,UAAW,CACP/wC,KAAMyV,QACNuE,SAAS,GAEbikB,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd5D,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,IAGlB3T,KAAAA,GACI,MAAMs/B,EAAiBnM,KACjB6V,ECNkB,WAC5B,MAmBMA,EAnBQhmC,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHmhB,QAAQ,EACRC,SAAS,EACTF,SAAS,EACTG,UAAU,IAEdxe,QAAS,CACLuxC,OAAAA,CAAQl9C,GACCA,IACDA,EAAQyD,OAAOzD,OAEnBk4B,GAAAA,GAAAA,IAAQr4B,KAAM,WAAYG,EAAMiqB,QAChCiO,GAAAA,GAAAA,IAAQr4B,KAAM,YAAaG,EAAMkqB,SACjCgO,GAAAA,GAAAA,IAAQr4B,KAAM,YAAaG,EAAMgqB,SACjCkO,GAAAA,GAAAA,IAAQr4B,KAAM,aAAcG,EAAMmqB,SACtC,IAGc3gB,IAAMrH,WAQ5B,OANK86C,EAAc9hB,eACf13B,OAAOwqB,iBAAiB,UAAWgvB,EAAcC,SACjDz5C,OAAOwqB,iBAAiB,QAASgvB,EAAcC,SAC/Cz5C,OAAOwqB,iBAAiB,YAAagvB,EAAcC,SACnDD,EAAc9hB,cAAe,GAE1B8hB,CACX,CDvB8BE,GACtB,MAAO,CACHF,gBACA1J,iBAER,EACApW,SAAU,CACNgX,aAAAA,GACI,OAAO,KAAKZ,eAAelM,QAC/B,EACA0Q,UAAAA,GACI,OAAO,KAAK5D,cAAcxrC,SAAS,KAAK28B,OAC5C,EACA5oB,KAAAA,GACI,OAAO,KAAKooB,MAAM8W,WAAWz2C,GAASA,EAAKmgC,SAAW,KAAKA,QAC/D,EACAoD,MAAAA,GACI,OAAO,KAAK1kB,OAAOnd,OAASigC,GAAAA,GAASkB,IACzC,EACAoV,SAAAA,GACI,OAAO,KAAK1U,QACN7K,EAAAA,GAAAA,IAAE,QAAS,4CAA6C,CAAE6G,YAAa,KAAK1gB,OAAO+lB,YACnFlM,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAE6G,YAAa,KAAK1gB,OAAO+lB,UAC/F,GAEJxL,QAAS,CACL8e,iBAAAA,CAAkBhW,GAAU,IAAAiW,EACxB,MAAMC,EAAmB,KAAK7gC,MACxB6qB,EAAoB,KAAKgM,eAAehM,kBAE9C,GAAsB,QAAlB+V,EAAA,KAAKL,qBAAa,IAAAK,GAAlBA,EAAoBnzB,UAAkC,OAAtBod,EAA4B,CAC5D,MAAMiW,EAAoB,KAAKrJ,cAAcxrC,SAAS,KAAK28B,QACrDyM,EAAQre,KAAKiM,IAAI4d,EAAkBhW,GACnCphB,EAAMuN,KAAKD,IAAI8T,EAAmBgW,GAClCjW,EAAgB,KAAKiM,eAAejM,cACpCmW,EAAgB,KAAK3Y,MACtB/1B,KAAI/B,GAAQA,EAAKs4B,SACjBtkC,MAAM+wC,EAAO5rB,EAAM,GACnBrX,OAAOwN,SAENkrB,EAAY,IAAIF,KAAkBmW,GACnC3uC,QAAOw2B,IAAWkY,GAAqBlY,IAAW,KAAKA,SAI5D,OAHAtG,GAAOwE,MAAM,oDAAqD,CAAEuO,QAAO5rB,MAAKs3B,gBAAeD,2BAE/F,KAAKjK,eAAe1jC,IAAI23B,EAE5B,CACA,MAAMA,EAAYH,EACZ,IAAI,KAAK8M,cAAe,KAAK7O,QAC7B,KAAK6O,cAAcrlC,QAAOw2B,GAAUA,IAAW,KAAKA,SAC1DtG,GAAOwE,MAAM,qBAAsB,CAAEgE,cACrC,KAAK+L,eAAe1jC,IAAI23B,GACxB,KAAK+L,eAAe9L,aAAa8V,EACrC,EACAG,cAAAA,GACI,KAAKnK,eAAe7L,OACxB,EACA7J,EAACA,GAAAA,MEzET,IAXgB,QACd,IFRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,KAAK,CAACG,YAAY,2BAA2Bz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAI8jB,GAAGzjB,EAAO0jB,QAAQ,MAAM,GAAG1jB,EAAOnxB,IAAI,CAAC,MAAM,YAA0BmxB,EAAOhQ,SAASgQ,EAAO/P,UAAU+P,EAAOjQ,QAAQiQ,EAAOlQ,QAA/D,KAA0F6P,EAAI6jB,eAAep7C,MAAM,KAAMH,UAAU,IAAI,CAAE03B,EAAI+d,UAAW9d,EAAG,iBAAiBA,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,aAAa8W,EAAIujB,UAAU,QAAUvjB,EAAIke,YAAYv1C,GAAG,CAAC,iBAAiBq3B,EAAIwjB,sBAAsB,EACnkB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAUA,MAAMQ,IAAsBtjB,EAAAA,GAAAA,GAAU,QAAS,sBAAuB,ICVgM,GDWvPrC,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,gBACN2X,WAAY,CACRslC,YAAWA,GAAAA,GAEfl9B,MAAO,CACH8jB,YAAa,CACT79B,KAAME,OACN6gB,UAAU,GAEdiwB,UAAW,CACPhxC,KAAME,OACN6gB,UAAU,GAEd0qB,eAAgB,CACZzrC,KAAMiU,OACN8M,UAAU,GAEdkd,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd5D,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdyvB,SAAU,CACNxwC,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAEM,CACH4hC,cAFkBD,OAK1BzY,SAAU,CACN6a,UAAAA,GACI,OAAO,KAAKnC,cAAcC,eAAiB,KAAK9xB,MACpD,EACAi0B,qBAAAA,GACI,OAAO,KAAKD,YAAc,KAAK1F,eAAiB,GACpD,EACA5D,QAAS,CACLlhC,GAAAA,GACI,OAAO,KAAKqoC,cAAcnH,OAC9B,EACA7+B,GAAAA,CAAI6+B,GACA,KAAKmH,cAAcnH,QAAUA,CACjC,GAEJqP,WAAAA,GAKI,MAJmB,CACf,CAACjX,GAAAA,GAASkB,OAAOnK,EAAAA,GAAAA,IAAE,QAAS,aAC5B,CAACiJ,GAAAA,GAASC,SAASlJ,EAAAA,GAAAA,IAAE,QAAS,gBAEhB,KAAK7Z,OAAOnd,KAClC,EACAm3C,MAAAA,GAAS,IAAAC,EAAAvG,EACL,GAAI,KAAK1zB,OAAO8mB,WAAW6B,OACvB,MAAO,CACHuR,GAAI,OACJj/B,OAAQ,CACJ9X,OAAO02B,EAAAA,GAAAA,IAAE,QAAS,8BAI9B,MAAM2d,EAAoC,QAAfyC,EAAG,KAAKl8B,eAAO,IAAAk8B,GAAO,QAAPA,EAAZA,EAAc1H,aAAK,IAAA0H,GAAS,QAATA,EAAnBA,EAAqBtyC,eAAO,IAAAsyC,OAAA,EAA5BA,EAA8BzC,sBAC5D,OAAIA,aAAqB,EAArBA,EAAuBj6C,QAAS,EAGzB,CACH28C,GAAI,IACJj/B,OAAQ,CACJ9X,MALOq0C,EAAsB,GACV9W,YAAY,CAAC,KAAK1gB,QAAS,KAAK8e,aAKnDqb,KAAM,SACNC,SAAU,OAIP,QAAX1G,EAAA,KAAK1zB,cAAM,IAAA0zB,OAAA,EAAXA,EAAazS,aAAcC,GAAAA,GAAWmZ,KAC/B,CACHH,GAAI,IACJj/B,OAAQ,CACJhb,SAAU,KAAK+f,OAAO+lB,SACtB5jC,KAAM,KAAK6d,OAAOA,OAClB7c,OAAO02B,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,CAAEh9B,KAAM,KAAK6jC,cACvD0Z,SAAU,MAIf,CACHF,GAAI,OAEZ,GAEJ7a,MAAO,CAMH2U,WAAY,CACRsG,WAAW,EACXt1B,OAAAA,CAAQu1B,GACAA,GACA,KAAKC,eAEb,IAGRjgB,QAAS,CAMLkgB,kBAAAA,CAAmBz+C,GAAO,IAAA0+C,EAAAC,EACtB,MAAM5lC,EAAQ/Y,EAAMsG,OACdooC,GAA2B,QAAjBgQ,GAAAC,EAAA,KAAKjQ,SAAQtzB,YAAI,IAAAsjC,OAAA,EAAjBA,EAAA39C,KAAA49C,KAAyB,GACzC3f,GAAOwE,MAAM,0BAA2B,CAAEkL,YAC1C,IACI,KAAKkQ,gBAAgBlQ,GACrB31B,EAAM8lC,kBAAkB,IACxB9lC,EAAM5R,MAAQ,EAClB,CACA,MAAOnC,GACH+T,EAAM8lC,kBAAkB75C,EAAEkD,SAC1B6Q,EAAM5R,MAAQnC,EAAEkD,OACpB,CAAC,QAEG6Q,EAAM+lC,gBACV,CACJ,EACAF,eAAAA,CAAgB/9C,GACZ,MAAMk+C,EAAcl+C,EAAKua,OACzB,GAAoB,MAAhB2jC,GAAuC,OAAhBA,EACvB,MAAM,IAAIl3C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,oCAAqC,CAAEh9B,UAEjE,GAA2B,IAAvBk+C,EAAYx9C,OACjB,MAAM,IAAIsG,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,+BAE1B,IAAkC,IAA9BkhB,EAAY7rC,QAAQ,KACzB,MAAM,IAAIrL,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,2CAE1B,GAAIkhB,EAAY9lC,MAAM+lC,GAAGnnC,OAAOonC,uBACjC,MAAM,IAAIp3C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,uCAAwC,CAAEh9B,UAEpE,GAAI,KAAKq+C,kBAAkBr+C,GAC5B,MAAM,IAAIgH,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,4BAA6B,CAAE6Q,QAAS7tC,KAQvE,OANgBk+C,EAAYtmC,MAAM,IAC1BvK,SAAQixC,IACZ,IAA2C,IAAvCtB,GAAoB3qC,QAAQisC,GAC5B,MAAM,IAAIt3C,MAAM,KAAKg2B,EAAE,QAAS,8CAA+C,CAAEshB,SACrF,KAEG,CACX,EACAD,iBAAAA,CAAkBr+C,GACd,OAAO,KAAKikC,MAAM9B,MAAK79B,GAAQA,EAAK4kC,WAAalpC,GAAQsE,IAAS,KAAK6e,QAC3E,EACAw6B,aAAAA,GACI,KAAKhwB,WAAU,KAAM,IAAA4wB,EAEjB,MAAMC,GAAa,KAAKr7B,OAAO6zB,WAAa,IAAIp/B,MAAM,IAAIlX,OACpDA,EAAS,KAAKyiB,OAAO+lB,SAAStxB,MAAM,IAAIlX,OAAS89C,EACjDtmC,EAA8B,QAAzBqmC,EAAG,KAAK7I,MAAM+I,mBAAW,IAAAF,GAAO,QAAPA,EAAtBA,EAAwB7I,aAAK,IAAA6I,GAAY,QAAZA,EAA7BA,EAA+BG,kBAAU,IAAAH,GAAO,QAAPA,EAAzCA,EAA2C7I,aAAK,IAAA6I,OAAA,EAAhDA,EAAkDrmC,MAC3DA,GAILA,EAAMymC,kBAAkB,EAAGj+C,GAC3BwX,EAAM4jC,QAEN5jC,EAAM3T,cAAc,IAAIq6C,MAAM,WAN1BzgB,GAAOn6B,MAAM,kCAMsB,GAE/C,EACA66C,YAAAA,GACS,KAAK1H,YAIV,KAAKnC,cAAcpoC,QACvB,EAEA,cAAMkyC,GAAW,IAAAC,EAAAC,EACb,MAAMC,EAAU,KAAK97B,OAAO+lB,SACtBgW,EAAmB,KAAK/7B,OAAOg8B,cAC/BtR,GAA2B,QAAjBkR,GAAAC,EAAA,KAAKnR,SAAQtzB,YAAI,IAAAwkC,OAAA,EAAjBA,EAAA7+C,KAAA8+C,KAAyB,GACzC,GAAgB,KAAZnR,EAIJ,GAAIoR,IAAYpR,EAKhB,GAAI,KAAKwQ,kBAAkBxQ,IACvBzP,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,wDADzB,CAKA,KAAKsZ,QAAU,WACfjf,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,SAAUgqB,GAAAA,GAAWC,SAE1C,KAAKjqB,OAAOi8B,OAAOvR,GACnB1P,GAAOwE,MAAM,iBAAkB,CAAEqG,YAAa,KAAK7lB,OAAOg8B,cAAeD,qBACzE,UACUnlB,EAAAA,GAAAA,GAAM,CACRkR,OAAQ,OACR5nC,IAAK67C,EACLvU,QAAS,CACL0U,YAAa,KAAKl8B,OAAOg8B,cACzBG,UAAW,QAInBx+C,EAAAA,GAAAA,IAAK,qBAAsB,KAAKqiB,SAChCriB,EAAAA,GAAAA,IAAK,qBAAsB,KAAKqiB,SAChCke,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,qCAAsC,CAAEiiB,UAASpR,aAExE,KAAKgR,eACL,KAAKlxB,WAAU,KACX,KAAK+nB,MAAMxM,SAAS4S,OAAO,GAEnC,CACA,MAAO93C,GAAO,IAAAsqC,EAAAC,EAKV,GAJApQ,GAAOn6B,MAAM,4BAA6B,CAAEA,UAC5C,KAAKmf,OAAOi8B,OAAOH,GACnB,KAAKvJ,MAAM+I,YAAY3C,QAES,OAA5B93C,SAAe,QAAVsqC,EAALtqC,EAAOH,gBAAQ,IAAAyqC,OAAA,EAAfA,EAAiBlqC,QAEjB,YADAg6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,2DAA4D,CAAEiiB,aAGlF,GAAgC,OAA5Bj7C,SAAe,QAAVuqC,EAALvqC,EAAOH,gBAAQ,IAAA0qC,OAAA,EAAfA,EAAiBnqC,QAEtB,YADAg6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,8FAA+F,CAAE6Q,UAAStK,IAAK,KAAKkT,eAI7IrY,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,+BAAgC,CAAEiiB,YAC3D,CAAC,QAEG,KAAK3I,SAAU,EACfjf,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,cAAU3hB,EACnC,CA7CA,MAPI,KAAKq9C,oBAJLzgB,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,wBAyD7B,EACAA,EAACA,GAAAA,MEnPT,IAXgB,QACd,IFRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAoB1b,EAAIme,WAAYle,EAAG,OAAO,CAACsmB,WAAW,CAAC,CAACv/C,KAAK,mBAAmBw/C,QAAQ,qBAAqBp3C,MAAO4wB,EAAI6lB,aAAcY,WAAW,iBAAiBrmB,YAAY,yBAAyBlX,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,gBAAgBr7B,GAAG,CAAC,OAAS,SAAS03B,GAAyD,OAAjDA,EAAO1P,iBAAiB0P,EAAOuF,kBAAyB5F,EAAI8lB,SAASr9C,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,cAAc,CAACra,IAAI,cAAcsD,MAAM,CAAC,MAAQ8W,EAAIkkB,YAAY,WAAY,EAAK,UAAY,EAAE,UAAW,EAAK,MAAQlkB,EAAI6U,QAAQ,aAAe,QAAQlsC,GAAG,CAAC,eAAe,SAAS03B,GAAQL,EAAI6U,QAAQxU,CAAM,EAAE,MAAQ,CAACL,EAAI4kB,mBAAmB,SAASvkB,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAI8jB,GAAGzjB,EAAO0jB,QAAQ,MAAM,GAAG1jB,EAAOnxB,IAAI,CAAC,MAAM,WAAkB,KAAY8wB,EAAI6lB,aAAap9C,MAAM,KAAMH,UAAU,OAAO,GAAG23B,EAAGD,EAAImkB,OAAOE,GAAGrkB,EAAIG,GAAG,CAACva,IAAI,WAAWoI,IAAI,YAAYoS,YAAY,4BAA4BlX,MAAM,CAAC,cAAc8W,EAAIme,WAAW,mCAAmC,IAAIx1C,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,YAAYL,EAAImkB,OAAO/+B,QAAO,GAAO,CAAC6a,EAAG,OAAO,CAACG,YAAY,6BAA6B,CAACH,EAAG,OAAO,CAACG,YAAY,wBAAwBsmB,SAAS,CAAC,YAAc1mB,EAAItsB,GAAGssB,EAAI6K,gBAAgB7K,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,2BAA2BsmB,SAAS,CAAC,YAAc1mB,EAAItsB,GAAGssB,EAAIge,iBAC13C,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBCoBA,MCpBuG,GDoBvG,CACEh3C,KAAM,WACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MEff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,iCAAiClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,0FAA0F,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACnmB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6E,GCoB7G,CACEtV,KAAM,iBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,6IAA6I,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC7pB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBsE,GCoBtG,CACEtV,KAAM,UACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,0KAA0K,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAClrB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB0E,GCoB1G,CACEtV,KAAM,cACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,oCAAoClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,uLAAuL,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACnsB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBsE,GCoBtG,CACEtV,KAAM,UACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,gCAAgClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gVAAgV,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACx1B,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElB6E,GCoB7G,CACEtV,KAAM,iBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,mGAAmG,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UACnnB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBiK,GCuBjM,CACAtV,KAAA,kBACA+f,MAAA,CACAzZ,MAAA,CACAN,KAAAE,OACA8Z,QAAA,IAEA+Y,UAAA,CACA/yB,KAAAE,OACA8Z,QAAA,gBAEAtR,KAAA,CACA1I,KAAAiU,OACA+F,QAAA,MClBA,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,wCAAwClX,MAAM,CAAC,eAAe8W,EAAI1yB,MAAM,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gGAAgG8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,8FAA8F8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gFAAgF8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,gGAAgG8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,kFAAkF8W,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,4SACpjC,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBqO,ICetPiwB,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,eACN2X,WAAY,CACRiqB,iBAAgBA,GAAAA,GAEpB14B,KAAIA,KACO,CACHy2C,8MAGR,aAAMtiB,GAAU,IAAAuiB,QACN,KAAKjyB,YAEX,MAAMgB,EAAK,KAAKqQ,IAAInQ,cAAc,OAClCF,SAAgB,QAAdixB,EAAFjxB,EAAIkxB,oBAAY,IAAAD,GAAhBA,EAAA1/C,KAAAyuB,EAAmB,UAAW,cAClC,EACA+O,QAAS,CACLV,EAACA,GAAAA,sBCrBL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,mBAAmB,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,IAAMhE,EAAI2mB,UAC7M,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnByO,GjCmB1PtoB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,mBACN2X,WAAY,CACRmoC,iBAAgB,KAChBC,gBAAe,GACfC,gBAAe,GACfC,aAAY,GACZC,SAAQ,GACR/K,WAAU,GACVgL,eAAc,GACdC,QAAO,GACPC,SAAQ,KACRC,YAAW,GACXC,QAAOA,IAEXxgC,MAAO,CACHoD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdwvB,SAAU,CACNvwC,KAAMyV,QACNuE,SAAS,GAEbw2B,SAAU,CACNxwC,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAEM,CACHqsB,gBAFoBD,OAK5Bt2B,KAAIA,KACO,CACHs3C,sBAAkBh/C,IAG1B86B,SAAU,CACNmI,MAAAA,GAAS,IAAAoS,EAAA4J,EACL,OAAkB,QAAlB5J,EAAO,KAAK1zB,cAAM,IAAA0zB,GAAQ,QAARA,EAAXA,EAAapS,cAAM,IAAAoS,GAAU,QAAV4J,EAAnB5J,EAAqBr0C,gBAAQ,IAAAi+C,OAAA,EAA7BA,EAAAvgD,KAAA22C,EACX,EACA6J,UAAAA,GACI,OAA2C,IAApC,KAAKv9B,OAAO8mB,WAAW0W,QAClC,EACAzhB,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACA0hB,YAAAA,GACI,OAA+C,IAAxC,KAAK1hB,WAAWE,mBAC3B,EACAyhB,UAAAA,GACI,GAAI,KAAK19B,OAAOnd,OAASigC,GAAAA,GAASC,OAC9B,OAAO,KAEX,IAA8B,IAA1B,KAAKsa,iBACL,OAAO,KAEX,IACI,MAAMK,EAAa,KAAK19B,OAAO8mB,WAAW4W,aACnCjoB,EAAAA,GAAAA,IAAY,gCAAiC,CAC5C6L,OAAQ,KAAKA,SAEfphC,EAAM,IAAIqC,IAAI9C,OAAO4C,SAASD,OAASs7C,GAO7C,OALAx9C,EAAIy9C,aAAa9xC,IAAI,IAAK,KAAKwnC,SAAW,MAAQ,MAClDnzC,EAAIy9C,aAAa9xC,IAAI,IAAK,KAAKwnC,SAAW,MAAQ,MAClDnzC,EAAIy9C,aAAa9xC,IAAI,eAAgB,QAErC3L,EAAIy9C,aAAa9xC,IAAI,KAA2B,IAAtB,KAAK4xC,aAAwB,IAAM,KACtDv9C,EAAIiC,IACf,CACA,MAAOnB,GACH,OAAO,IACX,CACJ,EACA48C,WAAAA,GACI,YkCrEgDv/C,IlCqEhC,KAAK2hB,OkCrEjB8mB,WAAW,6BlCsEJ+W,GAEJ,IACX,EACAC,aAAAA,GAAgB,IAAAC,EAAAC,EAAAC,EAAAC,EACZ,GAAI,KAAKl+B,OAAOnd,OAASigC,GAAAA,GAASC,OAC9B,OAAO,KAGX,GAAkD,KAAnC,QAAXgb,EAAA,KAAK/9B,cAAM,IAAA+9B,GAAY,QAAZA,EAAXA,EAAajX,kBAAU,IAAAiX,OAAA,EAAvBA,EAA0B,iBAC1B,OAAOd,GAGX,GAAe,QAAfe,EAAI,KAAKh+B,cAAM,IAAAg+B,GAAY,QAAZA,EAAXA,EAAalX,kBAAU,IAAAkX,GAAvBA,EAA0B,UAC1B,OAAOZ,GAGX,MAAMe,EAAa/iD,OAAO6O,QAAkB,QAAXg0C,EAAA,KAAKj+B,cAAM,IAAAi+B,GAAY,QAAZA,EAAXA,EAAanX,kBAAU,IAAAmX,OAAA,EAAvBA,EAA0B,iBAAkB,CAAC,GAAGlmC,OACjF,GAAIomC,EAAWpX,MAAKlkC,GAAQA,IAASu7C,GAAAA,EAAUC,iBAAmBx7C,IAASu7C,GAAAA,EAAUE,mBACjF,OAAOpB,GAAAA,EAGX,GAAIiB,EAAW5gD,OAAS,EACpB,OAAOq/C,GAEX,OAAmB,QAAnBsB,EAAQ,KAAKl+B,cAAM,IAAAk+B,GAAY,QAAZA,EAAXA,EAAapX,kBAAU,IAAAoX,OAAA,EAAvBA,EAA0B,eAC9B,IAAK,WACL,IAAK,mBACD,OAAOf,GACX,IAAK,QACD,OAAOR,GAAAA,EACX,IAAK,aACD,OAAOE,GAEf,OAAO,IACX,GAEJtiB,QAAS,CAELmJ,KAAAA,GAEI,KAAK2Z,sBAAmBh/C,EACpB,KAAKk0C,MAAMC,aACX,KAAKD,MAAMC,WAAW+L,IAAM,GAEpC,EACAC,iBAAAA,CAAkBxiD,GAAO,IAAAyiD,EAEK,MAAV,QAAZA,EAAAziD,EAAMsG,cAAM,IAAAm8C,OAAA,EAAZA,EAAcF,OAGlB,KAAKlB,kBAAmB,EAC5B,EACAxjB,EAACA,GAAAA,MmCtIT,IAXgB,QACd,InCRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,OAAO,CAACG,YAAY,wBAAwB,CAAsB,WAApBJ,EAAI7V,OAAOnd,KAAmB,CAAEgzB,EAAIud,SAAUvd,EAAI6oB,GAAG,GAAG,CAAC7oB,EAAI6oB,GAAG,GAAG7oB,EAAIQ,GAAG,KAAMR,EAAIioB,cAAehoB,EAAGD,EAAIioB,cAAc,CAACj6B,IAAI,cAAcoS,YAAY,iCAAiCJ,EAAI1jB,OAAQ0jB,EAAI6nB,aAAuC,IAAzB7nB,EAAIwnB,iBAA2BvnB,EAAG,MAAM,CAACra,IAAI,aAAawa,YAAY,+BAA+B/Q,MAAM,CAAC,wCAAiE,IAAzB2Q,EAAIwnB,kBAA4Bt+B,MAAM,CAAC,IAAM,GAAG,QAAU,OAAO,IAAM8W,EAAI6nB,YAAYl/C,GAAG,CAAC,MAAQq3B,EAAI2oB,kBAAkB,KAAO,SAAStoB,GAAQL,EAAIwnB,kBAAmB,CAAK,KAAKxnB,EAAI6oB,GAAG,GAAG7oB,EAAIQ,GAAG,KAAMR,EAAI0nB,WAAYznB,EAAG,OAAO,CAACG,YAAY,iCAAiC,CAACJ,EAAI6oB,GAAG,IAAI,GAAG7oB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAI+nB,YAAa9nB,EAAGD,EAAI+nB,YAAY,CAAC/5B,IAAI,cAAcoS,YAAY,oEAAoEJ,EAAI1jB,MAAM,EACl8B,GACsB,CAAC,WAAY,IAAa2jB,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMwb,YAAmBzb,EAAG,iBACvG,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMwb,YAAmBzb,EAAG,aAClF,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMwb,YAAmBzb,EAAG,WAClF,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMwb,YAAmBzb,EAAG,eAClF,ImCKE,EACA,KACA,KACA,MAI8B,QClByN,ICe1OkZ,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,YACN2X,WAAY,CACRoiC,oBAAmB,GACnB+H,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgB,GAChBC,WAAUA,GAAAA,GAEd5P,OAAQ,CACJ6P,IAEJpiC,MAAO,CACHqiC,iBAAkB,CACdp8C,KAAMyV,QACNuE,SAAS,GAEbqiC,gBAAiB,CACbr8C,KAAMyV,QACNuE,SAAS,GAEbsiC,QAAS,CACLt8C,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAMM,CACHukC,iBANqB9C,KAOrBrC,cANkBjB,KAOlBkB,WANe/N,KAOfsQ,cANkBD,KAOlBrC,eANmBnM,OAS3BjK,SAAU,CAKNimB,YAAAA,GAOI,MAAO,IANc,KAAKpL,WACpB,CAAC,EACD,CACEqL,UAAW,KAAKzJ,YAChBxC,SAAU,KAAK1C,YAInB4O,YAAa,KAAKvK,aAClBwK,UAAW,KAAK9J,YAChB+J,QAAS,KAAKnJ,UACdoJ,KAAM,KAAK5O,OAEnB,EACA6O,OAAAA,GAAU,IAAAxP,EAEN,OAAI,KAAK5B,eAAiB,KAAO,KAAK6Q,QAC3B,IAEY,QAAhBjP,EAAA,KAAKpR,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBwP,UAAW,EACxC,EACAn0C,IAAAA,GACI,MAAMA,EAAO+mC,SAAS,KAAKtyB,OAAOzU,KAAM,KAAO,EAC/C,MAAoB,iBAATA,GAAqBA,EAAO,EAC5B,KAAKsuB,EAAE,QAAS,YAEpBJ,EAAAA,GAAAA,IAAeluB,GAAM,EAChC,EACAo0C,WAAAA,GACI,MACMp0C,EAAO+mC,SAAS,KAAKtyB,OAAOzU,KAAM,KAAO,EAC/C,IAAKA,GAAQA,EAAO,EAChB,MAAO,CAAC,EAEZ,MAAMq0C,EAAQlwB,KAAKmwB,MAAMnwB,KAAKiM,IAAI,IAAK,IAAMjM,KAAKowB,IAAK,KAAK9/B,OAAOzU,KAL5C,SAKoE,KAC3F,MAAO,CACHhE,MAAK,6CAAArK,OAA+C0iD,EAAK,qCAEjE,EACAG,YAAAA,GAAe,IAAAC,EAAAC,EACX,MAAMC,EAAiB,QACjB3X,EAAyB,QAApByX,EAAG,KAAKhgC,OAAOuoB,aAAK,IAAAyX,GAAS,QAATC,EAAjBD,EAAmBG,eAAO,IAAAF,OAAA,EAA1BA,EAAAljD,KAAAijD,GACd,IAAKzX,EACD,MAAO,CAAC,EAGZ,MAAMqX,EAAQlwB,KAAKmwB,MAAMnwB,KAAKiM,IAAI,IAAK,KAAOukB,GAAkB5yC,KAAKjG,MAAQkhC,IAAU2X,IACvF,OAAIN,EAAQ,EACD,CAAC,EAEL,CACHr4C,MAAK,6CAAArK,OAA+C0iD,EAAK,qCAEjE,EACAQ,UAAAA,GACI,OAAI,KAAKpgC,OAAOuoB,OACL8X,EAAAA,GAAAA,GAAO,KAAKrgC,OAAOuoB,OAAO+X,OAAO,OAErC,EACX,EAIA/6B,QAAAA,GAAW,IAAA6uB,EAAAC,EACP,OAAO,KAAK/S,UAA6B,QAAvB8S,EAAK,KAAKb,qBAAa,IAAAa,GAAU,QAAVC,EAAlBD,EAAoB/0C,gBAAQ,IAAAg1C,OAAA,EAA5BA,EAAAt3C,KAAAq3C,GAC3B,GAEJ7Z,QAAS,CACLd,eAAcA,GAAAA,MChHtB,IAXgB,QACd,IDRW,WAAkB,IAAI5D,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,KAAKD,EAAI0qB,GAAG,CAACtqB,YAAY,kBAAkB/Q,MAAM,CAClJ,4BAA6B2Q,EAAIud,SACjC,2BAA4Bvd,EAAI+d,UAChC,0BAA2B/d,EAAItQ,UAC9BxG,MAAM,CAAC,yBAAyB,GAAG,gCAAgC8W,EAAIyL,OAAO,8BAA8BzL,EAAI7V,OAAO+lB,SAAS,UAAYlQ,EAAIye,UAAUze,EAAIupB,cAAc,CAAEvpB,EAAI7V,OAAO8mB,WAAW6B,OAAQ7S,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,OAAS8W,EAAIyL,OAAO,aAAazL,EAAI+d,UAAU,MAAQ/d,EAAIiL,MAAM,OAASjL,EAAI7V,UAAU6V,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,8BAA8B,KAAK,CAAC+W,EAAG,mBAAmB,CAACra,IAAI,UAAUsD,MAAM,CAAC,OAAS8W,EAAI7V,OAAO,SAAW6V,EAAIud,UAAU3B,SAAS,CAAC,MAAQ,SAASvb,GAAQ,OAAOL,EAAIwf,kBAAkB/2C,MAAM,KAAMH,UAAU,KAAK03B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACra,IAAI,OAAOsD,MAAM,CAAC,eAAe8W,EAAI6K,YAAY,UAAY7K,EAAIge,UAAU,mBAAmBhe,EAAIyY,eAAe,MAAQzY,EAAIiL,MAAM,OAASjL,EAAI7V,QAAQxhB,GAAG,CAAC,MAAQq3B,EAAIwf,sBAAsB,GAAGxf,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACsmB,WAAW,CAAC,CAACv/C,KAAK,OAAOw/C,QAAQ,SAASp3C,OAAQ4wB,EAAIoe,sBAAuBqI,WAAW,2BAA2B7gC,IAAI,UAAUyJ,MAAK,2BAAAhoB,OAA4B24B,EAAI8d,UAAW50B,MAAM,CAAC,mBAAmB8W,EAAIyY,eAAe,QAAUzY,EAAIsd,QAAQ,OAAStd,EAAI0e,WAAW,OAAS1e,EAAI7V,QAAQxhB,GAAG,CAAC,iBAAiB,SAAS03B,GAAQL,EAAIsd,QAAQjd,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAI0e,WAAWre,CAAM,KAAKL,EAAIQ,GAAG,MAAOR,EAAIspB,SAAWtpB,EAAIqpB,gBAAiBppB,EAAG,KAAK,CAACG,YAAY,uBAAuBhK,MAAO4J,EAAI8pB,YAAa5gC,MAAM,CAAC,8BAA8B,IAAIvgB,GAAG,CAAC,MAAQq3B,EAAIyf,yBAAyB,CAACxf,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAItqB,WAAWsqB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,MAAOR,EAAIspB,SAAWtpB,EAAIopB,iBAAkBnpB,EAAG,KAAK,CAACG,YAAY,wBAAwBhK,MAAO4J,EAAIkqB,aAAchhC,MAAM,CAAC,+BAA+B,IAAIvgB,GAAG,CAAC,MAAQq3B,EAAIyf,yBAAyB,CAACxf,EAAG,aAAa,CAAC/W,MAAM,CAAC,UAAY8W,EAAI7V,OAAOuoB,MAAM,kBAAiB,MAAS,GAAG1S,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAI6pB,SAAS,SAASc,GAAO,IAAAC,EAAC,OAAO3qB,EAAG,KAAK,CAAC/wB,IAAIy7C,EAAO/6C,GAAGwwB,YAAY,gCAAgC/Q,MAAK,mBAAAhoB,OAAmC,QAAnCujD,EAAoB5qB,EAAIiJ,mBAAW,IAAA2hB,OAAA,EAAfA,EAAiBh7C,GAAE,KAAAvI,OAAIsjD,EAAO/6C,IAAKsZ,MAAM,CAAC,uCAAuCyhC,EAAO/6C,IAAIjH,GAAG,CAAC,MAAQq3B,EAAIyf,yBAAyB,CAACxf,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,OAAS0hB,EAAO1jC,OAAO,OAAS+Y,EAAI7V,WAAW,EAAE,KAAI,EACjvE,GACsB,ICKpB,EACA,KACA,KACA,MAI8B,QClB6N,ICW9OgvB,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,gBACN2X,WAAY,CACRmqC,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgBA,IAEpB3P,OAAQ,CACJ6P,IAEJ0B,cAAc,EACdzwC,MAAKA,KAMM,CACHukC,iBANqB9C,KAOrBrC,cANkBjB,KAOlBkB,WANe/N,KAOfsQ,cANkBD,KAOlBrC,eANmBnM,OAS3Br9B,KAAIA,KACO,CACHstC,UAAU,MCrBtB,IAXgB,QACd,IDRW,WAAkB,IAAIxd,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,KAAK,CAACG,YAAY,kBAAkB/Q,MAAM,CAAC,0BAA2B2Q,EAAItQ,SAAU,4BAA6BsQ,EAAIud,SAAU,2BAA4Bvd,EAAI+d,WAAW70B,MAAM,CAAC,yBAAyB,GAAG,gCAAgC8W,EAAIyL,OAAO,8BAA8BzL,EAAI7V,OAAO+lB,SAAS,UAAYlQ,EAAIye,SAAS91C,GAAG,CAAC,YAAcq3B,EAAIkf,aAAa,SAAWlf,EAAI6a,WAAW,UAAY7a,EAAI4f,YAAY,UAAY5f,EAAI+f,YAAY,QAAU/f,EAAIwgB,UAAU,KAAOxgB,EAAIgb,SAAS,CAAEhb,EAAI7V,OAAO8mB,WAAW6B,OAAQ7S,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,OAAS8W,EAAIyL,OAAO,aAAazL,EAAI+d,UAAU,MAAQ/d,EAAIiL,MAAM,OAASjL,EAAI7V,UAAU6V,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,8BAA8B,KAAK,CAAC+W,EAAG,mBAAmB,CAACra,IAAI,UAAUsD,MAAM,CAAC,SAAW8W,EAAIud,SAAS,aAAY,EAAK,OAASvd,EAAI7V,QAAQyxB,SAAS,CAAC,MAAQ,SAASvb,GAAQ,OAAOL,EAAIwf,kBAAkB/2C,MAAM,KAAMH,UAAU,KAAK03B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACra,IAAI,OAAOsD,MAAM,CAAC,eAAe8W,EAAI6K,YAAY,UAAY7K,EAAIge,UAAU,mBAAmBhe,EAAIyY,eAAe,aAAY,EAAK,MAAQzY,EAAIiL,MAAM,OAASjL,EAAI7V,QAAQxhB,GAAG,CAAC,MAAQq3B,EAAIwf,sBAAsB,GAAGxf,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACra,IAAI,UAAUyJ,MAAK,2BAAAhoB,OAA4B24B,EAAI8d,UAAW50B,MAAM,CAAC,mBAAmB8W,EAAIyY,eAAe,aAAY,EAAK,QAAUzY,EAAIsd,QAAQ,OAAStd,EAAI0e,WAAW,OAAS1e,EAAI7V,QAAQxhB,GAAG,CAAC,iBAAiB,SAAS03B,GAAQL,EAAIsd,QAAQjd,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAI0e,WAAWre,CAAM,MAAM,EACxpD,GACsB,ICSpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAMA,MCN+P,GDM/P,CACIr5B,KAAM,kBACN+f,MAAO,CACH+jC,OAAQ,CACJ99C,KAAMzH,OACNwoB,UAAU,GAEdg9B,cAAe,CACX/9C,KAAMzH,OACNwoB,UAAU,GAEdkb,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,IAGlBuV,SAAU,CACN0H,OAAAA,GACI,OAAO,KAAK8f,OAAO9f,QAAQ,KAAK+f,cAAe,KAAK9hB,YACxD,GAEJO,MAAO,CACHwB,OAAAA,CAAQA,GACCA,GAGL,KAAK8f,OAAOhxB,QAAQ,KAAKixB,cAAe,KAAK9hB,YACjD,EACA8hB,aAAAA,GACI,KAAKD,OAAOhxB,QAAQ,KAAKixB,cAAe,KAAK9hB,YACjD,GAEJ5E,OAAAA,GACIt5B,GAAQ4+B,MAAM,UAAW,KAAKmhB,OAAOl7C,IACrC,KAAKk7C,OAAO7jC,OAAO,KAAKy1B,MAAMsO,MAAO,KAAKD,cAAe,KAAK9hB,YAClE,GEvBJ,IAXgB,QACd,IFRW,WAAkB,IAAIjJ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,MAAM,CAACsmB,WAAW,CAAC,CAACv/C,KAAK,OAAOw/C,QAAQ,SAASp3C,MAAO4wB,EAAIgL,QAASyb,WAAW,YAAYp3B,MAAK,sBAAAhoB,OAAuB24B,EAAI8qB,OAAOl7C,KAAM,CAACqwB,EAAG,OAAO,CAACra,IAAI,WAC/N,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBoO,GCKrPyY,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,uBACN2X,WAAY,CAAC,EACboI,MAAO,CACHqiC,iBAAkB,CACdp8C,KAAMyV,QACNuE,SAAS,GAEbqiC,gBAAiB,CACbr8C,KAAMyV,QACNuE,SAAS,GAEbikB,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEduuB,QAAS,CACLtvC,KAAME,OACN8Z,QAAS,IAEbyxB,eAAgB,CACZzrC,KAAMiU,OACN+F,QAAS,IAGjB5M,KAAAA,GACI,MAAMsyB,EAAaD,KAEnB,MAAO,CACHgN,WAFe/N,KAGfgB,aAER,EACApJ,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EACAzC,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACA88C,aAAAA,GAAgB,IAAA1Q,EACZ,GAAqB,QAAjBA,EAAC,KAAKpR,mBAAW,IAAAoR,IAAhBA,EAAkBzqC,GACnB,OAEJ,GAAiB,MAAb,KAAK26B,IACL,OAAO,KAAKkP,WAAWzN,QAAQ,KAAK/C,YAAYr5B,IAEpD,MAAM8qC,EAAS,KAAKhO,WAAWE,QAAQ,KAAK3D,YAAYr5B,GAAI,KAAK26B,KACjE,OAAO,KAAKkP,WAAW5N,QAAQ6O,EACnC,EACAmP,OAAAA,GAAU,IAAA1O,EAEN,OAAI,KAAK1C,eAAiB,IACf,IAEY,QAAhB0C,EAAA,KAAKlS,mBAAW,IAAAkS,OAAA,EAAhBA,EAAkB0O,UAAW,EACxC,EACAtN,SAAAA,GAAY,IAAA0O,EAER,OAAsB,QAAtBA,EAAI,KAAKF,qBAAa,IAAAE,GAAlBA,EAAoBv1C,MACbkuB,EAAAA,GAAAA,IAAe,KAAKmnB,cAAcr1C,MAAM,IAG5CkuB,EAAAA,GAAAA,IAAe,KAAKqH,MAAMh7B,QAAO,CAACusC,EAAOlxC,IAASkxC,EAAQlxC,EAAKoK,MAAQ,GAAG,IAAI,EACzF,GAEJgvB,QAAS,CACLwmB,cAAAA,CAAeP,GACX,MAAO,CACH,iCAAiC,EACjC,oBAAAtjD,OAAoB,KAAK4hC,YAAYr5B,GAAE,KAAAvI,OAAIsjD,EAAO/6C,MAAO,EAEjE,EACAo0B,EAAGqB,GAAAA,sBCpEP,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,KAAK,CAACA,EAAG,KAAK,CAACG,YAAY,4BAA4B,CAACH,EAAG,OAAO,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,4BAA4BhE,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,OAAO,CAACG,YAAY,yBAAyBJ,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIsc,cAActc,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAIqpB,gBAAiBppB,EAAG,KAAK,CAACG,YAAY,2CAA2C,CAACH,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIuc,gBAAgBvc,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIopB,iBAAkBnpB,EAAG,KAAK,CAACG,YAAY,6CAA6CJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAI6pB,SAAS,SAASc,GAAO,IAAAQ,EAAC,OAAOlrB,EAAG,KAAK,CAAC/wB,IAAIy7C,EAAO/6C,GAAGyf,MAAM2Q,EAAIkrB,eAAeP,IAAS,CAAC1qB,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAiB,QAAfy3C,EAACR,EAAOrO,eAAO,IAAA6O,OAAA,EAAdA,EAAAjkD,KAAAyjD,EAAiB3qB,EAAIiL,MAAOjL,EAAIiJ,kBAAkB,KAAI,EACt6B,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,2BCyBA,SAAe5K,GAAAA,GAAIza,OAAO,CACtB0f,SAAU,KpK+vDI9lB,GoK9vDEmjB,GpK8vDQyqB,GoK9vDY,CAAC,YAAa,eAAgB,0BpK+vD3DxjD,MAAMoI,QAAQo7C,IACfA,GAAan7C,QAAO,CAACo7C,EAASn8C,KAC5Bm8C,EAAQn8C,GAAO,WACX,OAAOsO,GAASxX,KAAKkY,QAAQhP,EACjC,EACOm8C,IACR,CAAC,GACF9lD,OAAO4K,KAAKi7C,IAAcn7C,QAAO,CAACo7C,EAASn8C,KAEzCm8C,EAAQn8C,GAAO,WACX,MAAMS,EAAQ6N,GAASxX,KAAKkY,QACtBotC,EAAWF,GAAal8C,GAG9B,MAA2B,mBAAbo8C,EACRA,EAASpkD,KAAKlB,KAAM2J,GACpBA,EAAM27C,EAChB,EACOD,IACR,CAAC,IoKjxDJpiB,WAAAA,GACI,OAAOjjC,KAAKojC,YAAY4D,MAC5B,EAIAue,WAAAA,GAAc,IAAAC,EAAAnR,EACV,OAA0C,QAAnCmR,EAAAxlD,KAAK46B,UAAU56B,KAAKijC,YAAYr5B,WAAG,IAAA47C,OAAA,EAAnCA,EAAqCC,gBACrB,QADiCpR,EACjDr0C,KAAKijC,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBqR,iBAClB,UACX,EAIAC,YAAAA,GAAe,IAAAC,EAEX,MAA4B,UADgC,QAAtCA,EAAG5lD,KAAK46B,UAAU56B,KAAKijC,YAAYr5B,WAAG,IAAAg8C,OAAA,EAAnCA,EAAqCxqB,kBAElE,GAEJsD,QAAS,CACLmnB,YAAAA,CAAa38C,GAELlJ,KAAKulD,cAAgBr8C,EAKzBlJ,KAAKi7B,aAAa/xB,EAAKlJ,KAAKijC,YAAYr5B,IAJpC5J,KAAKk7B,uBAAuBl7B,KAAKijC,YAAYr5B,GAKrD,KCxDkQ,ICM3PupC,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,6BACN2X,WAAY,CACRmtC,SAAQ,KACRC,OAAM,KACNC,SAAQA,GAAAA,GAEZ1S,OAAQ,CACJ2S,IAEJllC,MAAO,CACH/f,KAAM,CACFgG,KAAME,OACN6gB,UAAU,GAEdoP,KAAM,CACFnwB,KAAME,OACN6gB,UAAU,IAGlB2W,QAAS,CACLV,EAAGqB,GAAAA,MtK8vDX,IAAkB7nB,GAAU4tC,euK9wDxB,GAAU,CAAC,EAEf,GAAQ9lB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,WAAW,CAAC5Q,MAAM,CAAC,iCAAkC,CACtJ,yCAA0C2Q,EAAIurB,cAAgBvrB,EAAI7C,KAClE,uCAA4D,SAApB6C,EAAIurB,cAC1CriC,MAAM,CAAC,UAAyB,SAAb8W,EAAI7C,KAAkB,MAAQ,gBAAgB,KAAO,YAAYx0B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAI6rB,aAAa7rB,EAAI7C,KAAK,GAAGoL,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIurB,cAAgBvrB,EAAI7C,MAAQ6C,EAAI2rB,aAAc1rB,EAAG,SAAS,CAACG,YAAY,wCAAwCH,EAAG,WAAW,CAACG,YAAY,wCAAwC,EAAEpsB,OAAM,MAAS,CAACgsB,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,uCAAuC,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIh5B,UACrf,GACsB,IEOpB,EACA,KACA,WACA,MAI8B,QCnBoO,INQrPmyC,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,uBACN2X,WAAY,CACRutC,2BAA0B,GAC1BrlB,sBAAqBA,GAAAA,GAEzByS,OAAQ,CACJ2S,IAEJllC,MAAO,CACHqiC,iBAAkB,CACdp8C,KAAMyV,QACNuE,SAAS,GAEbqiC,gBAAiB,CACbr8C,KAAMyV,QACNuE,SAAS,GAEbikB,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd0qB,eAAgB,CACZzrC,KAAMiU,OACN+F,QAAS,IAGjB5M,MAAKA,KAGM,CACHq/B,WAHe/N,KAIfgO,eAHmBnM,OAM3BjK,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EACA6c,OAAAA,GAAU,IAAAxP,EAEN,OAAI,KAAK5B,eAAiB,IACf,IAEY,QAAhB4B,EAAA,KAAKpR,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBwP,UAAW,EACxC,EACAtf,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACAk+C,aAAAA,GACI,MAAMt8C,GAAQm0B,EAAAA,GAAAA,IAAE,QAAS,8CACzB,MAAO,CACH,aAAcn0B,EACdu8C,QAAS,KAAKC,cACdC,cAAe,KAAKC,eACpBj/C,MAAOuC,EAEf,EACA28C,aAAAA,GACI,OAAO,KAAK9S,eAAelM,QAC/B,EACA6e,aAAAA,GACI,OAAO,KAAKG,cAAc9kD,SAAW,KAAKujC,MAAMvjC,MACpD,EACA+kD,cAAAA,GACI,OAAqC,IAA9B,KAAKD,cAAc9kD,MAC9B,EACA6kD,cAAAA,GACI,OAAQ,KAAKF,gBAAkB,KAAKI,cACxC,GAEJ/nB,QAAS,CACLgoB,eAAAA,CAAgBvvB,GACZ,OAAI,KAAKouB,cAAgBpuB,EACd,KAAKwuB,aAAe,YAAc,aAEtC,IACX,EACAT,cAAAA,CAAeP,GAAQ,IAAAxP,EACnB,MAAO,CACH,sBAAsB,EACtB,iCAAkCwP,EAAO5pC,KACzC,iCAAiC,EACjC,oBAAA1Z,OAAoC,QAApC8zC,EAAoB,KAAKlS,mBAAW,IAAAkS,OAAA,EAAhBA,EAAkBvrC,GAAE,KAAAvI,OAAIsjD,EAAO/6C,MAAO,EAElE,EACA+8C,WAAAA,CAAYnf,GACR,GAAIA,EAAU,CACV,MAAMG,EAAY,KAAK1C,MAAM/1B,KAAI5J,GAAQA,EAAKmgC,SAAQx2B,OAAOwN,SAC7D0iB,GAAOwE,MAAM,+BAAgC,CAAEgE,cAC/C,KAAK+L,eAAe9L,aAAa,MACjC,KAAK8L,eAAe1jC,IAAI23B,EAC5B,MAEIxI,GAAOwE,MAAM,qBACb,KAAK+P,eAAe7L,OAE5B,EACAgW,cAAAA,GACI,KAAKnK,eAAe7L,OACxB,EACA7J,EAACA,GAAAA,sBOnGL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IRTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,KAAK,CAACG,YAAY,8CAA8Cz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAI8jB,GAAGzjB,EAAO0jB,QAAQ,MAAM,GAAG1jB,EAAOnxB,IAAI,CAAC,MAAM,YAA0BmxB,EAAOhQ,SAASgQ,EAAO/P,UAAU+P,EAAOjQ,QAAQiQ,EAAOlQ,QAA/D,KAA0F6P,EAAI6jB,eAAep7C,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,wBAAwBD,EAAIG,GAAG,CAACx3B,GAAG,CAAC,iBAAiBq3B,EAAI2sB,cAAc,wBAAwB3sB,EAAImsB,eAAc,KAAS,GAAGnsB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uEAAuElX,MAAM,CAAC,YAAY8W,EAAI0sB,gBAAgB,cAAc,CAACzsB,EAAG,OAAO,CAACG,YAAY,yBAAyBJ,EAAIQ,GAAG,KAAKP,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,QAAQ,KAAO,eAAe,GAAGhE,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAIqpB,gBAAiBppB,EAAG,KAAK,CAACG,YAAY,0CAA0C/Q,MAAM,CAAE,+BAAgC2Q,EAAIqpB,iBAAkBngC,MAAM,CAAC,YAAY8W,EAAI0sB,gBAAgB,UAAU,CAACzsB,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,QAAQ,KAAO,WAAW,GAAGhE,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIopB,iBAAkBnpB,EAAG,KAAK,CAACG,YAAY,2CAA2C/Q,MAAM,CAAE,+BAAgC2Q,EAAIopB,kBAAmBlgC,MAAM,CAAC,YAAY8W,EAAI0sB,gBAAgB,WAAW,CAACzsB,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,KAAO,YAAY,GAAGhE,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAI6pB,SAAS,SAASc,GAAQ,OAAO1qB,EAAG,KAAK,CAAC/wB,IAAIy7C,EAAO/6C,GAAGyf,MAAM2Q,EAAIkrB,eAAeP,GAAQzhC,MAAM,CAAC,YAAY8W,EAAI0sB,gBAAgB/B,EAAO/6C,MAAM,CAAI+6C,EAAO5pC,KAAMkf,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAOyhC,EAAOr9C,MAAM,KAAOq9C,EAAO/6C,MAAMqwB,EAAG,OAAO,CAACD,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGi3C,EAAOr9C,OAAO,aAAa,EAAE,KAAI,EAC74D,GACsB,IQUpB,EACA,KACA,WACA,MAI8B,QCnBhC,uCAIA,MCJ2P,GDI5O+wB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,cACNsyC,OAAQ,CAACC,IACTxyB,MAAO,CACH6lC,cAAe,CACX5/C,KAAM,CAACzH,OAAQwgC,UACfhY,UAAU,GAEd8+B,QAAS,CACL7/C,KAAME,OACN6gB,UAAU,GAEd++B,YAAa,CACT9/C,KAAMpF,MACNmmB,UAAU,GAEdg/B,WAAY,CACR//C,KAAMzH,OACNyhB,QAASA,KAAA,CAAS,IAEtBgmC,cAAe,CACXhgD,KAAMiU,OACN+F,QAAS,GAEbw2B,SAAU,CACNxwC,KAAMyV,QACNuE,SAAS,GAKbimC,QAAS,CACLjgD,KAAME,OACN8Z,QAAS,KAGjB9W,IAAAA,GACI,MAAO,CACH2S,MAAO,KAAKmqC,cACZE,aAAc,EACdC,aAAc,EACdC,YAAa,EACbC,eAAgB,KAExB,EACA/pB,SAAU,CAENgqB,OAAAA,GACI,OAAO,KAAKF,YAAc,CAC9B,EAEAG,WAAAA,GACI,OAAI,KAAK/P,SACE,KAAKgQ,YAET,CACX,EACAC,UAAAA,GAGI,OAAO,KAAKjQ,SAAY,IAAiB,EAC7C,EAEAkQ,UAASA,IAEE,IAEXC,QAAAA,GACI,OAAO9zB,KAAK+zB,MAAM,KAAKR,YAAc,KAAKD,cAAgB,KAAKM,YAAe,KAAKF,YAAc,KAAKC,YAAe,EAAI,CAC7H,EACAA,WAAAA,GACI,OAAK,KAAKhQ,SAGH3jB,KAAKg0B,MAAM,KAAKpV,eAAiB,KAAKiV,WAFlC,CAGf,EACAI,UAAAA,GACI,OAAOj0B,KAAKD,IAAI,EAAG,KAAK/W,MAAQ,KAAK0qC,YACzC,EACAQ,UAAAA,GAEI,OAAI,KAAKvQ,SACE,KAAKmQ,SAAW,KAAKH,YAEzB,KAAKG,QAChB,EACAK,aAAAA,GACI,IAAK,KAAKV,QACN,MAAO,GAEX,MAAMtW,EAAQ,KAAK8V,YAAY3lD,MAAM,KAAK2mD,WAAY,KAAKA,WAAa,KAAKC,YAEvEE,EADWjX,EAAM/hC,QAAO7B,GAAQ7N,OAAO6O,OAAO,KAAK85C,gBAAgBp/C,SAASsE,EAAK,KAAKy5C,YAC9D33C,KAAI9B,GAAQA,EAAK,KAAKy5C,WAC9CsB,EAAa5oD,OAAO4K,KAAK,KAAK+9C,gBAAgBj5C,QAAO/F,IAAQ++C,EAAan/C,SAAS,KAAKo/C,eAAeh/C,MAC7G,OAAO8nC,EAAM9hC,KAAI9B,IACb,MAAMyP,EAAQtd,OAAO6O,OAAO,KAAK85C,gBAAgB70C,QAAQjG,EAAK,KAAKy5C,UAEnE,IAAe,IAAXhqC,EACA,MAAO,CACH3T,IAAK3J,OAAO4K,KAAK,KAAK+9C,gBAAgBrrC,GACtCzP,QAIR,MAAMlE,EAAMi/C,EAAWzkC,OAASmQ,KAAKu0B,SAAS5kD,SAAS,IAAIuiB,OAAO,GAElE,OADA,KAAKmiC,eAAeh/C,GAAOkE,EAAK,KAAKy5C,SAC9B,CAAE39C,MAAKkE,OAAM,GAE5B,EACAi7C,UAAAA,GACI,MAAMC,EAAiB,KAAKR,WAAa,KAAKH,SAAW,KAAKb,YAAYplD,OACpE6mD,EAAY,KAAKzB,YAAYplD,OAAS,KAAKomD,WAAa,KAAKC,WAC7DS,EAAmB30B,KAAKg0B,MAAMh0B,KAAKiM,IAAI,KAAKgnB,YAAYplD,OAAS,KAAKomD,WAAYS,GAAa,KAAKf,aAC1G,MAAO,CACHiB,WAAU,GAAApnD,OAAKwyB,KAAKg0B,MAAM,KAAKC,WAAa,KAAKN,aAAe,KAAKC,WAAU,MAC/EiB,cAAeJ,EAAiB,EAAC,GAAAjnD,OAAMmnD,EAAmB,KAAKf,WAAU,MAEjF,GAEJjkB,MAAO,CACHwjB,aAAAA,CAAcnqC,GACV,KAAKwT,SAASxT,EAClB,EACA2qC,WAAAA,CAAYA,EAAamB,GACE,IAAnBA,EAQJ,KAAKt4B,SAAS,KAAKxT,OALf9X,GAAQ4+B,MAAM,iDAMtB,GAEJtF,OAAAA,GAAU,IAAA2a,EAAA4P,EACN,MAAMC,EAAmB,QAAb7P,EAAG,KAAKtC,aAAK,IAAAsC,OAAA,EAAVA,EAAY6P,OACrB1jB,EAAO,KAAKnF,IACZ8oB,EAAkB,QAAbF,EAAG,KAAKlS,aAAK,IAAAkS,OAAA,EAAVA,EAAYE,MAC1B,KAAKzB,eAAiB,IAAIvU,gBAAeiW,EAAAA,GAAAA,WAAS,KAAM,IAAAC,EAAAC,EAAAC,EACpD,KAAKhC,aAAmC,QAAvB8B,EAAGH,aAAM,EAANA,EAAQM,oBAAY,IAAAH,EAAAA,EAAI,EAC5C,KAAK7B,aAAkC,QAAtB8B,EAAGH,aAAK,EAALA,EAAOK,oBAAY,IAAAF,EAAAA,EAAI,EAC3C,KAAK7B,YAAgC,QAArB8B,EAAG/jB,aAAI,EAAJA,EAAMgkB,oBAAY,IAAAD,EAAAA,EAAI,EACzC/pB,GAAOwE,MAAM,uCACb,KAAKylB,UAAU,GAChB,KAAK,IACR,KAAK/B,eAAepU,QAAQ4V,GAC5B,KAAKxB,eAAepU,QAAQ9N,GAC5B,KAAKkiB,eAAepU,QAAQ6V,GACxB,KAAK9B,eACL,KAAK32B,SAAS,KAAK22B,eAGvB,KAAKhnB,IAAI5R,iBAAiB,SAAU,KAAKg7B,SAAU,CAAEC,SAAS,IAC9D,KAAKnB,eAAiB,CAAC,CAC3B,EACAnmB,aAAAA,GACQ,KAAKslB,gBACL,KAAKA,eAAenU,YAE5B,EACAxU,QAAS,CACLrO,QAAAA,CAASxT,GACL,MAAMysC,EAAYz1B,KAAK+zB,KAAK,KAAKd,YAAYplD,OAAS,KAAK8lD,aAC3D,GAAI8B,EAAY,KAAK3B,SAEjB,YADAxoB,GAAOwE,MAAM,iDAAkD,CAAE9mB,QAAOysC,YAAW3B,SAAU,KAAKA,WAGtG,KAAK9qC,MAAQA,EAEb,MAAM0sC,GAAa11B,KAAKg0B,MAAMhrC,EAAQ,KAAK2qC,aAAe,IAAO,KAAKC,WAAa,KAAKP,aACxF/nB,GAAOwE,MAAM,mCAAqC9mB,EAAO,CAAE0sC,YAAW/B,YAAa,KAAKA,cACxF,KAAKxnB,IAAIupB,UAAYA,CACzB,EACAH,QAAAA,GAAW,IAAAI,EACa,QAApBA,EAAA,KAAKC,uBAAe,IAAAD,IAApB,KAAKC,gBAAoBC,uBAAsB,KAC3C,KAAKD,gBAAkB,KACvB,MAAME,EAAY,KAAK3pB,IAAIupB,UAAY,KAAKrC,aACtCrqC,EAAQgX,KAAKg0B,MAAM8B,EAAY,KAAKlC,YAAc,KAAKD,YAE7D,KAAK3qC,MAAQgX,KAAKD,IAAI,EAAG/W,GACzB,KAAKyd,MAAM,SAAS,IAE5B,KEzKR,IAXgB,QACd,IFRW,WAAkB,IAAIN,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,MAAM,CAACG,YAAY,aAAalX,MAAM,CAAC,qBAAqB,KAAK,CAAC+W,EAAG,MAAM,CAACra,IAAI,SAASwa,YAAY,sBAAsB,CAACJ,EAAI2b,GAAG,WAAW,GAAG3b,EAAIQ,GAAG,KAAQR,EAAIzQ,aAAa,kBAAmB0Q,EAAG,MAAM,CAACG,YAAY,6BAA6B,CAACJ,EAAI2b,GAAG,mBAAmB,GAAG3b,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoB/Q,MAAM,CAAE,0CAA2C2Q,EAAIzQ,aAAa,oBAAqB,CAAEyQ,EAAIitB,QAAShtB,EAAG,UAAU,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAIitB,SAAS,YAAYjtB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACra,IAAI,QAAQwa,YAAY,oBAAoBlX,MAAM,CAAC,2BAA2B,KAAK,CAAC8W,EAAI2b,GAAG,WAAW,GAAG3b,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoB/Q,MAAM2Q,EAAIwd,SAAW,0BAA4B,0BAA0BpnB,MAAO4J,EAAIquB,WAAYnlC,MAAM,CAAC,2BAA2B,KAAK8W,EAAIsI,GAAItI,EAAIguB,eAAe,SAAAxsB,EAAqBh6B,GAAE,IAAd,IAAC0H,EAAG,KAAEkE,GAAKouB,EAAI,OAAOvB,EAAGD,EAAI4sB,cAAc5sB,EAAIG,GAAG,CAACjxB,IAAIA,EAAI8e,IAAI,YAAY9E,MAAM,CAAC,OAAS9V,EAAK,MAAQ5L,IAAI,YAAYw4B,EAAI+sB,YAAW,GAAO,IAAG,GAAG/sB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACsmB,WAAW,CAAC,CAACv/C,KAAK,OAAOw/C,QAAQ,SAASp3C,MAAO4wB,EAAIstB,QAAS7G,WAAW,YAAYrmB,YAAY,oBAAoBlX,MAAM,CAAC,2BAA2B,KAAK,CAAC8W,EAAI2b,GAAG,WAAW,MAC30C,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QCJ1B7pC,IAAU+uC,EAAAA,GAAAA,MAChB,IAAe1H,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,8BACN2X,WAAY,CACRsiC,UAAS,KACTD,eAAc,KACdpY,iBAAgB,KAChBuY,cAAaA,GAAAA,GAEjB7H,OAAQ,CACJC,IAEJxyB,MAAO,CACHkiB,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,GAEdy+B,cAAe,CACXx/C,KAAMpF,MACNof,QAASA,IAAO,KAGxB5M,MAAKA,KAIM,CACHukC,iBAJqB9C,KAKrBpC,WAJe/N,KAKfgO,eAJmBnM,OAO3Br9B,KAAIA,KACO,CACHotC,QAAS,OAGjBha,SAAU,CACNiH,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACAozC,cAAAA,GACI,OAAOvvC,GACFmD,QAAOlD,GAAUA,EAAO8kC,YACxB5hC,QAAOlD,IAAWA,EAAOi5B,SAAWj5B,EAAOi5B,QAAQ,KAAKC,MAAO,KAAKhC,eACpEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,IACrD,EACA2B,KAAAA,GACI,OAAO,KAAKuhB,cACPt3C,KAAIu2B,GAAU,KAAKI,QAAQJ,KAC3Bx2B,OAAOwN,QAChB,EACAmtC,mBAAAA,GACI,OAAO,KAAK3kB,MAAMiG,MAAK5lC,GAAQA,EAAKF,SAAW+oC,GAAAA,GAAWC,SAC9D,EACAsK,WAAY,CACR/qC,GAAAA,GACI,MAAwC,WAAjC,KAAKgrC,iBAAiB7C,MACjC,EACA9lC,GAAAA,CAAI8lC,GACA,KAAK6C,iBAAiB7C,OAASA,EAAS,SAAW,IACvD,GAEJ+T,aAAAA,GACI,OAAI,KAAKpX,eAAiB,IACf,EAEP,KAAKA,eAAiB,IACf,EAEP,KAAKA,eAAiB,KACf,EAEJ,CACX,GAEJ/T,QAAS,CAOLmH,OAAAA,CAAQ6O,GACJ,OAAO,KAAKjB,WAAW5N,QAAQ6O,EACnC,EACA,mBAAM4H,CAAcvwC,GAChB,MAAM84B,EAAc94B,EAAO84B,YAAY,KAAKI,MAAO,KAAKhC,aAClD6mB,EAAe,KAAKtD,cAC1B,IAEI,KAAKlP,QAAUvrC,EAAOnC,GACtB,KAAKq7B,MAAM52B,SAAQ/I,IACf+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAU6oC,GAAAA,GAAWC,QAAQ,IAG/C,MAAMhF,QAAgBr9B,EAAO8kC,UAAU,KAAK5L,MAAO,KAAKhC,YAAa,KAAKsB,KAE1E,IAAK6E,EAAQ8B,MAAKnjC,GAAqB,OAAXA,IAGxB,YADA,KAAK2rC,eAAe7L,QAIxB,GAAIuB,EAAQ8B,MAAKnjC,IAAqB,IAAXA,IAAmB,CAE1C,MAAMgiD,EAAYD,EACb76C,QAAO,CAACw2B,EAAQ5oB,KAA6B,IAAnBusB,EAAQvsB,KAEvC,GADA,KAAK62B,eAAe1jC,IAAI+5C,GACpB3gB,EAAQ8B,MAAKnjC,GAAqB,OAAXA,IAGvB,OAGJ,YADAq3B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,2CAA4C,CAAE6G,gBAE5E,EAEAxC,EAAAA,GAAAA,IAAY,KAAKrE,EAAE,QAAS,qDAAsD,CAAE6G,iBACpF,KAAK6O,eAAe7L,OACxB,CACA,MAAO1iC,GACHg6B,GAAOn6B,MAAM,+BAAgC,CAAE+G,SAAQ5G,OACvDi6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,gCAAiC,CAAE6G,gBACjE,CAAC,QAGG,KAAKyS,QAAU,KACf,KAAKrS,MAAM52B,SAAQ/I,IACf+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,EAAU,GAE1C,CACJ,EACAw7B,EAAGqB,GAAAA,MCpJgQ,sBCWvQ,GAAU,CAAC,EAEf,GAAQC,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OClB1D,IAAI,IAAY,QACd,IHTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,MAAM,CAACG,YAAY,oDAAoD,CAACH,EAAG,YAAY,CAACra,IAAI,cAAcsD,MAAM,CAAC,WAAa8W,EAAIsd,SAAWtd,EAAI4vB,oBAAoB,cAAa,EAAK,OAAS5vB,EAAI6vB,cAAc,YAAY7vB,EAAI6vB,eAAiB,EAAI7vB,EAAIgE,EAAE,QAAS,WAAa,KAAK,KAAOhE,EAAI0e,YAAY/1C,GAAG,CAAC,cAAc,SAAS03B,GAAQL,EAAI0e,WAAWre,CAAM,IAAIL,EAAIsI,GAAItI,EAAIqhB,gBAAgB,SAAStvC,GAAQ,OAAOkuB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGyf,MAAM,iCAAmCtd,EAAOnC,GAAGjH,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIsiB,cAAcvwC,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIsd,UAAYvrC,EAAOnC,GAAIqwB,EAAG,gBAAgB,CAAC/W,MAAM,CAAC,KAAO,MAAM+W,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAMnX,EAAO+4B,cAAc9K,EAAIiL,MAAOjL,EAAIiJ,gBAAgB,EAAEj1B,OAAM,IAAO,MAAK,IAAO,CAACgsB,EAAIQ,GAAG,WAAWR,EAAItsB,GAAG3B,EAAO84B,YAAY7K,EAAIiL,MAAOjL,EAAIiJ,cAAc,WAAW,IAAG,IAAI,EACj+B,GACsB,IGUpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCnBgO,IrGkBjPkQ,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,mBACN2X,WAAY,CACRqxC,gBAAe,GACfC,qBAAoB,GACpBC,qBAAoB,GACpBC,YAAW,GACXC,4BAA2BA,IAE/B9W,OAAQ,CACJC,IAEJxyB,MAAO,CACHkiB,YAAa,CACTj8B,KAAM6Z,GAAAA,GACNkH,UAAU,GAEdg9B,cAAe,CACX/9C,KAAMkgC,GAAAA,GACNnf,UAAU,GAEdkd,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,IAGlB3T,MAAKA,KAGM,CACHqsB,gBAHoBD,KAIpBkT,eAHmBnM,OAM3Br9B,KAAIA,KACO,CACHmgD,UAAS,GACTC,cAAa,GACb3e,SAAS4e,EAAAA,GAAAA,MACTvD,cAAe,EACfwD,WAAY,OAGpBltB,SAAU,CACN4C,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACAwU,MAAAA,GACI,OAAO+B,SAAS,KAAKl1B,OAAOnC,OAAOqmB,SAAW,IAClD,EAKAglB,QAAAA,GACI,QAAS,KAAKlpC,OAAO5F,MAAM+uC,QAC/B,EACApU,OAAAA,GACI,OAAO5I,GAAc,KAAKzI,MAC9B,EACAme,gBAAAA,GAEI,QAAI,KAAK3Q,eAAiB,MAGnB,KAAKxN,MAAMiG,MAAK5lC,QAAuB9C,IAAf8C,EAAKonC,OACxC,EACA2W,eAAAA,GAEI,QAAI,KAAK5Q,eAAiB,MAGnB,KAAKxN,MAAMiG,MAAK5lC,QAAiC9C,IAAzB8C,EAAK2lC,WAAWv7B,MACnD,EACAi7C,aAAAA,GACI,OAAK,KAAK5F,eAAkB,KAAK9hB,YAG1B,IAAI,KAAK0I,SAAS5wB,MAAK,CAAC5U,EAAG6U,IAAM7U,EAAEm9B,MAAQtoB,EAAEsoB,QAFzC,EAGf,EACA2jB,OAAAA,GACI,MAAM2D,GAAiB5sB,EAAAA,GAAAA,IAAE,QAAS,8BAC5B6sB,EAAc,KAAK5nB,YAAYgkB,SAAW2D,EAC1CE,GAAkB9sB,EAAAA,GAAAA,IAAE,QAAS,6CAC7B+sB,GAAkB/sB,EAAAA,GAAAA,IAAE,QAAS,yHACnC,SAAA38B,OAAUwpD,EAAW,MAAAxpD,OAAKypD,EAAe,MAAAzpD,OAAK0pD,EAClD,EACAvE,aAAAA,GACI,OAAO,KAAK9S,eAAelM,QAC/B,EACAif,cAAAA,GACI,OAAqC,IAA9B,KAAKD,cAAc9kD,MAC9B,GAEJ8hC,MAAO,CACHkR,MAAAA,CAAOA,GACH,KAAKsW,aAAatW,GAAQ,EAC9B,EACA+V,QAAAA,CAAShmD,GACDA,GACA,KAAKkqB,WAAU,IAAM,KAAKs8B,eAAe,KAAKvW,SAEtD,GAEJrW,OAAAA,GAEwBz6B,OAAO6B,SAASoqB,cAAc,oBACtCzB,iBAAiB,WAAY,KAAKymB,YAE9C,MAAM,GAAEjrC,IAAO8wB,EAAAA,GAAAA,GAAU,QAAS,eAAgB,CAAC,GACnD,KAAKswB,aAAaphD,QAAAA,EAAM,KAAK8qC,QAC7B,KAAKwW,mBAAmBthD,QAAAA,EAAM,KAAK8qC,QACnC,KAAKuW,eAAerhD,QAAAA,EAAM,KAC9B,EACAm4B,aAAAA,GACwBn+B,OAAO6B,SAASoqB,cAAc,oBACtCvB,oBAAoB,WAAY,KAAKumB,WACrD,EACAnW,QAAS,CAGLwsB,kBAAAA,CAAmBxW,GACf,GAAIjvC,SAASsqB,gBAAgB6iB,YAAc,MAAQ,KAAKmS,cAActf,SAAWiP,EAAQ,KAAAgF,EAGrF,MAAMp0C,EAAO,KAAK2/B,MAAM9B,MAAKpN,GAAKA,EAAE0P,SAAWiP,IAC3CpvC,SAAQq0C,IAAsB,QAATD,EAAbC,GAAe3U,eAAO,IAAA0U,GAAtBA,EAAAx4C,KAAAy4C,GAAyB,CAACr0C,GAAO,KAAK29B,eAC9C9D,GAAOwE,MAAM,2BAA6Br+B,EAAKwK,KAAM,CAAExK,SACvDq0C,GAAch/B,KAAKrV,EAAM,KAAK29B,YAAa,KAAK8hB,cAAcj1C,MAEtE,CACJ,EACAk7C,YAAAA,CAAatW,GAAqB,IAAblsC,IAAIlG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,KAAAA,UAAA,GACrB,GAAIoyC,EAAQ,CACR,MAAM73B,EAAQ,KAAKooB,MAAM8W,WAAUz2C,GAAQA,EAAKmgC,SAAWiP,IACvDlsC,IAAmB,IAAXqU,GAAgB63B,IAAW,KAAKqQ,cAActf,SACtDrG,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,mBAE9B,KAAKgpB,cAAgBnzB,KAAKD,IAAI,EAAG/W,EACrC,CACJ,EAKAouC,cAAAA,CAAevW,GACX,GAAe,OAAXA,GAAmB,KAAK8V,aAAe9V,EACvC,OAEJ,MAAMpvC,EAAO,KAAK2/B,MAAM9B,MAAKpN,GAAKA,EAAE0P,SAAWiP,SAClClyC,IAAT8C,GAAsBA,EAAK0B,OAASigC,GAAAA,GAASC,SAGjD/H,GAAOwE,MAAM,gBAAkBr+B,EAAKwK,KAAM,CAAExK,SAC5C,KAAKklD,WAAa9V,GAClBmG,EAAAA,GAAAA,MACK5rC,QAAOlD,IAAWA,EAAOi5B,SAAWj5B,EAAOi5B,QAAQ,CAAC1/B,GAAO,KAAK29B,eAChEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,KAC5Cr0B,QAAOlD,KAAYA,UAAAA,EAAQiV,WAAS,GAAGrG,KAAKrV,EAAM,KAAK29B,YAAa,KAAK8hB,cAAcj1C,MAChG,EACAq7C,UAAU7lD,GACCA,EAAKmgC,OAEhBoP,UAAAA,CAAW10C,GAAO,IAAA80C,EAGd,GADwC,QAArBA,EAAG90C,EAAM20C,oBAAY,IAAAG,OAAA,EAAlBA,EAAoBmW,MAAMtiD,SAAS,SAIrD,OAEJ3I,EAAMwqB,iBACNxqB,EAAMy/B,kBACN,MAAMyrB,EAAW,KAAK3U,MAAM4U,MAAMtrB,IAAIhQ,wBAAwBE,IACxDq7B,EAAcF,EAAW,KAAK3U,MAAM4U,MAAMtrB,IAAIhQ,wBAAwBw7B,OAExErrD,EAAMm5C,QAAU+R,EAAW,IAC3B,KAAK3U,MAAM4U,MAAMtrB,IAAIupB,UAAY,KAAK7S,MAAM4U,MAAMtrB,IAAIupB,UAAY,GAIlEppD,EAAMm5C,QAAUiS,EAAc,KAC9B,KAAK7U,MAAM4U,MAAMtrB,IAAIupB,UAAY,KAAK7S,MAAM4U,MAAMtrB,IAAIupB,UAAY,GAE1E,EACAvrB,EAACA,GAAAA,qBsGhML,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,uBCftD,GAAU,CAAC,EAEf,GAAQL,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCN1D,UAXgB,QACd,IxGVW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,cAAc,CAACra,IAAI,QAAQsD,MAAM,CAAC,iBAAiB8W,EAAIkG,WAAWK,UAAYvG,EAAIswB,cAAgBtwB,EAAIqwB,UAAU,WAAW,SAAS,eAAerwB,EAAIiL,MAAM,YAAYjL,EAAIkG,WAAWK,UAAU,cAAc,CACjT6iB,iBAAkBppB,EAAIopB,iBACtBC,gBAAiBrpB,EAAIqpB,gBACrBpe,MAAOjL,EAAIiL,MACXwN,eAAgBzY,EAAIyY,gBACnB,kBAAkBzY,EAAIgtB,cAAc,QAAUhtB,EAAIitB,SAAS1kB,YAAYvI,EAAIwI,GAAG,CAAGxI,EAAIysB,eAAwL,KAAxK,CAACv9C,IAAI,iBAAiBrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,8BAA8B,CAAC/W,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,iBAAiBjJ,EAAIwsB,iBAAiB,EAAEx4C,OAAM,GAAW,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,OAAOm6B,EAAIsI,GAAItI,EAAI2wB,eAAe,SAAS7F,GAAQ,OAAO7qB,EAAG,kBAAkB,CAAC/wB,IAAI47C,EAAOl7C,GAAGsZ,MAAM,CAAC,iBAAiB8W,EAAI+qB,cAAc,eAAe/qB,EAAIiJ,YAAY,OAAS6hB,IAAS,GAAE,EAAE92C,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,uBAAuB,CAACra,IAAI,QAAQsD,MAAM,CAAC,mBAAmB8W,EAAIyY,eAAe,qBAAqBzY,EAAIopB,iBAAiB,oBAAoBppB,EAAIqpB,gBAAgB,MAAQrpB,EAAIiL,SAAS,EAAEj3B,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,mBAAmB8W,EAAIyY,eAAe,qBAAqBzY,EAAIopB,iBAAiB,oBAAoBppB,EAAIqpB,gBAAgB,MAAQrpB,EAAIiL,MAAM,QAAUjL,EAAIsc,WAAW,EAAEtoC,OAAM,IAAO,MAAK,IACp+B,GACsB,IwGMpB,EACA,KACA,WACA,MAI8B,QCpBgF,GCoBhH,CACEhN,KAAM,oBACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,MCff,IAXgB,QACd,ICRW,WAAkB,IAAIgZ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,OAAOD,EAAIG,GAAG,CAACC,YAAY,4CAA4ClX,MAAM,CAAC,eAAc8W,EAAI1yB,OAAQ,KAAY,aAAa0yB,EAAI1yB,MAAM,KAAO,OAAO3E,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIM,MAAM,QAASD,EAAO,IAAI,OAAOL,EAAIO,QAAO,GAAO,CAACN,EAAG,MAAM,CAACG,YAAY,4BAA4BlX,MAAM,CAAC,KAAO8W,EAAID,UAAU,MAAQC,EAAItqB,KAAK,OAASsqB,EAAItqB,KAAK,QAAU,cAAc,CAACuqB,EAAG,OAAO,CAAC/W,MAAM,CAAC,EAAI,uJAAuJ,CAAE8W,EAAS,MAAEC,EAAG,QAAQ,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAI1yB,UAAU0yB,EAAI1jB,UAC3qB,GACsB,IDSpB,EACA,KACA,KACA,MAI8B,QElBiO,ICQlP68B,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,oBACN2X,WAAY,CACR8yC,kBAAiBA,IAErB1qC,MAAO,CACHgkC,cAAe,CACX/9C,KAAMkgC,GAAAA,GACNnf,UAAU,IAGlB7d,KAAIA,KACO,CACHqtC,UAAU,IAGlBja,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EAIA0kB,SAAAA,GACI,OAAO,KAAK3G,kBAAkB,KAAKA,cAAc3f,YAAcC,GAAAA,GAAW0K,OAC9E,EACA4b,eAAAA,GAAkB,IAAA1G,EACd,OAAqE,KAA5C,QAAlBA,EAAA,KAAKF,qBAAa,IAAAE,GAAY,QAAZA,EAAlBA,EAAoBha,kBAAU,IAAAga,OAAA,EAA9BA,EAAiC,yBAC5C,EACA2G,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAK3tB,EAAE,QAAS,mEAEjB,KAAK0tB,UAGR,KAFI,KAAK1tB,EAAE,QAAS,2DAG/B,GAEJK,OAAAA,GAEI,MAAMwtB,EAAcjoD,OAAO6B,SAASoqB,cAAc,oBAClDg8B,EAAYz9B,iBAAiB,WAAY,KAAKymB,YAC9CgX,EAAYz9B,iBAAiB,YAAa,KAAKwrB,aAC/CiS,EAAYz9B,iBAAiB,OAAQ,KAAK09B,cAC9C,EACA/pB,aAAAA,GACI,MAAM8pB,EAAcjoD,OAAO6B,SAASoqB,cAAc,oBAClDg8B,EAAYv9B,oBAAoB,WAAY,KAAKumB,YACjDgX,EAAYv9B,oBAAoB,YAAa,KAAKsrB,aAClDiS,EAAYv9B,oBAAoB,OAAQ,KAAKw9B,cACjD,EACAptB,QAAS,CACLmW,UAAAA,CAAW10C,GAAO,IAAA80C,EAEd90C,EAAMwqB,kBACkC,QAArBsqB,EAAG90C,EAAM20C,oBAAY,IAAAG,OAAA,EAAlBA,EAAoBmW,MAAMtiD,SAAS,YAGrD,KAAKyuC,UAAW,EAExB,EACAqC,WAAAA,CAAYz5C,GAAO,IAAA4rD,EAIf,MAAMthC,EAAgBtqB,EAAMsqB,cACxBA,SAAAA,EAAeovB,SAA6B,QAArBkS,EAAE5rD,EAAM25C,qBAAa,IAAAiS,EAAAA,EAAI5rD,EAAMsG,SAGtD,KAAK8wC,WACL,KAAKA,UAAW,EAExB,EACAuU,aAAAA,CAAc3rD,GACVg/B,GAAOwE,MAAM,kDAAmD,CAAExjC,UAClEA,EAAMwqB,iBACF,KAAK4sB,WACL,KAAKA,UAAW,EAExB,EACA,YAAMvC,CAAO70C,GAAO,IAAA6rD,EAAA9W,EAAAb,EAEhB,GAAI,KAAKuX,gBAEL,YADAxsB,EAAAA,GAAAA,IAAU,KAAKwsB,iBAGnB,GAAmC,QAAnCI,EAAI,KAAKhsB,IAAInQ,cAAc,gBAAQ,IAAAm8B,GAA/BA,EAAiCnS,SAAS15C,EAAMsG,QAChD,OAEJtG,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,MAAMoR,EAAQ,KAAsB,QAAlBkE,EAAA/0C,EAAM20C,oBAAY,IAAAI,OAAA,EAAlBA,EAAoBlE,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC5I,QAAiC,QAAtBiM,EAAM,KAAKpR,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBtH,YAAY,KAAKgY,cAAcj1C,OAClE29B,EAASrF,aAAQ,EAARA,EAAUqF,OACzB,IAAKA,EAED,YADArO,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,0CAK9B,GAAI79B,EAAMqqB,OACN,OAEJ2U,GAAOwE,MAAM,UAAW,CAAExjC,QAAOstC,SAAQ+D,aAEzC,MAEMya,SAFgBra,GAAoBJ,EAAU/D,EAAQrF,EAASA,WAE1C8jB,UAAUla,IAAM,IAAAma,EAAA,OAAKna,EAAO5sC,SAAWgnD,GAAAA,EAAaC,SACvEra,EAAO7kC,KAAKm/C,mBAAmBxjD,SAAS,OAC1B,QAD8BqjD,EAC7Cna,EAAOntC,gBAAQ,IAAAsnD,GAAS,QAATA,EAAfA,EAAiBxgB,eAAO,IAAAwgB,OAAA,EAAxBA,EAA2B,eAEoC,IAA/Dna,EAAO7tB,OAAOlc,QAAQwlC,EAAOtpB,OAAQ,IAAIvL,MAAM,KAAKlX,MAAY,IACzC,IAAA6qD,EAAA5U,OAAXn1C,IAAfypD,IACA9sB,GAAOwE,MAAM,6CAA8C,CAAEsoB,eAC7D,KAAKzjC,QAAQhoB,KAAK,IACX,KAAK+gB,OACRnC,OAAQ,CACJya,KAA8B,QAA1B0yB,EAAoB,QAApB5U,EAAE,KAAKp2B,OAAOnC,cAAM,IAAAu4B,OAAA,EAAlBA,EAAoB9d,YAAI,IAAA0yB,EAAAA,EAAI,QAClC9mB,OAAQgR,SAASwV,EAAWpnD,SAAS8mC,QAAQ,kBAIzD,KAAK4L,UAAW,CACpB,EACAvZ,EAACA,GAAAA,sBC/HL,GAAU,CAAC,EAEf,GAAQsB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IFTW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,MAAM,CAACsmB,WAAW,CAAC,CAACv/C,KAAK,OAAOw/C,QAAQ,SAASp3C,MAAO4wB,EAAIud,SAAUkJ,WAAW,aAAarmB,YAAY,+BAA+BlX,MAAM,CAAC,+BAA+B,IAAIvgB,GAAG,CAAC,KAAOq3B,EAAIgb,SAAS,CAAC/a,EAAG,MAAM,CAACG,YAAY,wCAAwC,CAAEJ,EAAI0xB,YAAc1xB,EAAI2xB,gBAAiB,CAAC1xB,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,KAAO,MAAM8W,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,sCAAsC,CAACJ,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,uCAAuC,eAAe,CAAC/D,EAAG,KAAK,CAACG,YAAY,sCAAsC,CAACJ,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAI4xB,iBAAiB,gBAAgB,IACxuB,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,2BlJiBhC,MAAMY,QAAwDhqD,KAApB,QAAjBiqD,IAAAC,EAAAA,GAAAA,YAAiB,IAAAD,QAAA,EAAjBA,GAAmBE,emJpC6M,InJqC1OxZ,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,YACN2X,WAAY,CACRi0C,YAAW,GACXC,kBAAiB,GACjBC,iBAAgB,GAChBzL,SAAQ,KACR0L,aAAY,GACZC,aAAY,KACZhH,SAAQ,KACRiH,eAAc,KACdrqB,iBAAgB,KAChBuY,cAAa,KACb+R,SAAQ,KACRnM,gBAAe,GACfoM,aAAY,KACZC,aAAYA,IAEhB9Z,OAAQ,CACJC,GACA0S,IAEJ7xC,KAAAA,GAAQ,IAAA8sB,EAQJ,MAAO,CACHuS,WARe/N,KASfgB,WAReD,KASfiN,eARmBnM,KASnBoM,cARkB5L,KASlBtH,gBARoBD,KASpBnF,gBARoBV,KASpBkH,eARqF,QAArEX,GAAIxG,EAAAA,GAAAA,GAAU,OAAQ,SAAU,IAAI,yCAAiC,IAAAwG,GAAAA,EAU7F,EACAh3B,KAAIA,KACO,CACHmjD,WAAY,GACZ/V,SAAS,EACTgW,QAAS,KACTC,KAAI,KACJC,kBAAmBA,SAG3BlwB,SAAU,CACN4C,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACA+C,WAAAA,GACI,OAAO,KAAKG,YAAY4D,QAAU,KAAK5D,YAAYF,MAAMC,MAAMtJ,IAAI,IAAA0yB,EAAA5U,EAAA,OAAK9d,EAAKjwB,MAAgC,QAA9B2iD,EAAwB,QAAxB5U,EAAM,KAAKp2B,OAAOnC,cAAM,IAAAu4B,OAAA,EAAlBA,EAAoB9d,YAAI,IAAA0yB,EAAAA,EAAI,QAAQ,GAC7H,EACAkB,WAAAA,GAAc,IAAAC,EAAArZ,EACV,OAA6B,QAA7BqZ,EAAuB,QAAvBrZ,EAAO,KAAKpR,mBAAW,IAAAoR,OAAA,EAAhBA,EAAkBrzC,YAAI,IAAA0sD,EAAAA,EAAI,KAAK1vB,EAAE,QAAS,QACrD,EAIAuG,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,GAAK,QAALA,EAAlBA,EAAoBuB,WAAG,IAAAvB,OAAA,EAAvBA,EAAyBx/B,aAAc,KAAKyE,QAAQ,WAAY,KAC5E,EAIA88C,aAAAA,GAAgB,IAAA5P,EACZ,GAAqB,QAAjBA,EAAC,KAAKlS,mBAAW,IAAAkS,IAAhBA,EAAkBvrC,GACnB,OAEJ,GAAiB,MAAb,KAAK26B,IACL,OAAO,KAAKkP,WAAWzN,QAAQ,KAAK/C,YAAYr5B,IAEpD,MAAM8qC,EAAS,KAAKhO,WAAWE,QAAQ,KAAK3D,YAAYr5B,GAAI,KAAK26B,KACjE,OAAO,KAAKkP,WAAW5N,QAAQ6O,EACnC,EAKAiZ,iBAAAA,GA2BI,MAAO,CA1Ba,IAEZ,KAAKztB,WAAWG,qBAAuB,CAAC9Q,IAAC,IAAAq+B,EAAA,OAA+B,KAAf,QAAZA,EAAAr+B,EAAE0b,kBAAU,IAAA2iB,OAAA,EAAZA,EAAcjM,SAAc,GAAI,MAE7E,KAAKzhB,WAAWI,mBAAqB,CAAC/Q,GAAgB,WAAXA,EAAEvoB,MAAqB,MAE7C,aAArB,KAAKu+C,YAA6B,CAACh2B,GAAKA,EAAE,KAAKg2B,cAAgB,GAEnEh2B,IAAC,IAAAs+B,EAAA,OAAgB,QAAZA,EAAAt+B,EAAE0b,kBAAU,IAAA4iB,OAAA,EAAZA,EAAchpB,cAAetV,EAAE2a,QAAQ,EAE5C3a,GAAKA,EAAE2a,UAEI,IAEP,KAAKhK,WAAWG,qBAAuB,CAAC,OAAS,MAEjD,KAAKH,WAAWI,mBAAqB,CAAC,OAAS,MAE1B,UAArB,KAAKilB,YAA0B,CAAC,KAAKI,aAAe,OAAS,OAAS,MAEjD,UAArB,KAAKJ,aAAgD,aAArB,KAAKA,YAA6B,CAAC,KAAKI,aAAe,MAAQ,QAAU,GAE7G,KAAKA,aAAe,MAAQ,OAE5B,KAAKA,aAAe,MAAQ,QAGpC,EAIAmI,iBAAAA,GAAoB,IAAAC,EAChB,IAAK,KAAK9qB,YACN,MAAO,GAEX,IAAI+qB,EAAqB,IAAI,KAAKC,aAE9B,KAAKZ,aACLW,EAAqBA,EAAmB/+C,QAAO3J,GACpCA,EAAK2lC,WAAWf,SAASrhC,cAAcC,SAAS,KAAKukD,WAAWxkD,iBAE3E9D,GAAQ4+B,MAAM,sBAAuBqqB,IAEzC,MAAME,IAAgC,QAAhBH,EAAA,KAAK9qB,mBAAW,IAAA8qB,OAAA,EAAhBA,EAAkBlK,UAAW,IAC9C1gB,MAAKwhB,GAAUA,EAAO/6C,KAAO,KAAK27C,cAEvC,GAAI2I,SAAAA,EAAcnzC,MAAqC,mBAAtBmzC,EAAanzC,KAAqB,CAC/D,MAAMquB,EAAU,IAAI,KAAK6kB,aAAalzC,KAAKmzC,EAAanzC,MACxD,OAAO,KAAK4qC,aAAevc,EAAUA,EAAQ5W,SACjD,CACA,OkBnJL,SAAiB27B,EAAYC,EAAaC,GAAQ,IAAAC,EAAAC,EAErDH,EAAyB,QAAdE,EAAGF,SAAW,IAAAE,EAAAA,EAAI,CAAEllD,GAAUA,GAEzCilD,EAAe,QAATE,EAAGF,SAAM,IAAAE,EAAAA,EAAI,GACnB,MAAMC,EAAUJ,EAAYl/C,KAAI,CAACgS,EAAGrE,KAAK,IAAA4xC,EAAA,MAAkC,SAAf,QAAdA,EAACJ,EAAOxxC,UAAM,IAAA4xC,EAAAA,EAAI,OAAmB,GAAK,CAAC,IACnFC,EAAWC,KAAKC,SAAS,EAACC,EAAAA,GAAAA,OAAeC,EAAAA,GAAAA,OAAuB,CAElEC,SAAS,EACTC,MAAO,SAEX,MAAO,IAAIb,GAAYpzC,MAAK,CAAC5U,EAAG6U,KAC5B,IAAK,MAAO6B,EAAOoyC,KAAeb,EAAYxzC,UAAW,CAErD,MAAMxR,EAAQslD,EAASQ,QAAQ9iD,GAAU6iD,EAAW9oD,IAAKiG,GAAU6iD,EAAWj0C,KAE9E,GAAc,IAAV5R,EACA,OAAOA,EAAQolD,EAAQ3xC,EAG/B,CAEA,OAAO,CAAC,GAEhB,ClB2HmBsyC,CAAQnB,KAAuB,KAAKL,kBAC/C,EACAM,WAAAA,GAAc,IAAAmB,EAAAnK,EACV,MAAMoK,EAAiC,QAAvBD,EAAG,KAAK3uB,uBAAe,IAAA2uB,OAAA,EAApBA,EAAsBlvB,WAAWC,YACpD,QAA0B,QAAlB8kB,EAAA,KAAKF,qBAAa,IAAAE,OAAA,EAAlBA,EAAoB7d,YAAa,IACpCl4B,IAAI,KAAK22B,SACT52B,QAAO9B,IACS,IAAAmiD,EAAjB,OAAKD,IAGIliD,EAFEA,IAAqC,KAA7BA,SAAgB,QAAZmiD,EAAJniD,EAAM89B,kBAAU,IAAAqkB,OAAA,EAAhBA,EAAkBC,WAAoBpiD,SAAAA,EAAM+8B,SAASh6B,WAAW,KAEtE,GAErB,EAIAs/C,UAAAA,GACI,OAAmC,IAA5B,KAAKvB,YAAYvsD,MAC5B,EAMA+tD,YAAAA,GACI,YAA8BjtD,IAAvB,KAAKuiD,gBACJ,KAAKyK,YACN,KAAKlY,OAChB,EAIAoY,aAAAA,GACI,MAAMnrB,EAAM,KAAKA,IAAI3rB,MAAM,KAAKzX,MAAM,GAAI,GAAG2X,KAAK,MAAQ,IAC1D,MAAO,IAAK,KAAKyI,OAAQ5F,MAAO,CAAE4oB,OACtC,EACAorB,eAAAA,GAAkB,IAAAC,EAAAC,EACd,GAAuB,QAAnBD,EAAC,KAAK7K,qBAAa,IAAA6K,GAAY,QAAZA,EAAlBA,EAAoB3kB,kBAAU,IAAA2kB,GAA9BA,EAAiC,eAGtC,OAAOrwD,OAAO6O,QAAyB,QAAlByhD,EAAA,KAAK9K,qBAAa,IAAA8K,GAAY,QAAZA,EAAlBA,EAAoB5kB,kBAAU,IAAA4kB,OAAA,EAA9BA,EAAiC,iBAAkB,CAAC,GAAG3zC,MAChF,EACA4zC,gBAAAA,GACI,OAAK,KAAKH,gBAGN,KAAKI,kBAAoBxC,GAAAA,EAAK/K,gBACvB,KAAKxkB,EAAE,QAAS,kBAEpB,KAAKA,EAAE,QAAS,UALZ,KAAKA,EAAE,QAAS,QAM/B,EACA+xB,eAAAA,GACI,OAAK,KAAKJ,gBAIN,KAAKA,gBAAgBzkB,MAAKlkC,GAAQA,IAASumD,GAAAA,EAAK/K,kBACzC+K,GAAAA,EAAK/K,gBAET+K,GAAAA,EAAKyC,gBAND,IAOf,EACAC,mBAAAA,GACI,OAAO,KAAK/vB,WAAWK,UACjB,KAAKvC,EAAE,QAAS,uBAChB,KAAKA,EAAE,QAAS,sBAC1B,EAIA0tB,SAAAA,GACI,OAAO,KAAK3G,kBAAkB,KAAKA,cAAc3f,YAAcC,GAAAA,GAAW0K,OAC9E,EACA4b,eAAAA,GAAkB,IAAAuE,EACd,OAAqE,KAA5C,QAAlBA,EAAA,KAAKnL,qBAAa,IAAAmL,GAAY,QAAZA,EAAlBA,EAAoBjlB,kBAAU,IAAAilB,OAAA,EAA9BA,EAAiC,yBAC5C,EACAtE,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAK3tB,EAAE,QAAS,mEAEpB,KAAKA,EAAE,QAAS,2DAC3B,EAIAmyB,QAAAA,GACI,OAAO3D,IACA,KAAKzH,kBAAkB,KAAKA,cAAc3f,YAAcC,GAAAA,GAAW+qB,MAC9E,GAEJ5sB,MAAO,CACHP,WAAAA,CAAYotB,EAAS5sB,IACb4sB,aAAO,EAAPA,EAASzmD,OAAO65B,aAAO,EAAPA,EAAS75B,MAG7Bu1B,GAAOwE,MAAM,eAAgB,CAAE0sB,UAAS5sB,YACxC,KAAKiQ,eAAe7L,QACpB,KAAKyoB,cACL,KAAKC,eACT,EACAhsB,GAAAA,CAAIisB,EAAQC,GAAQ,IAAAzX,EAChB7Z,GAAOwE,MAAM,oBAAqB,CAAE6sB,SAAQC,WAE5C,KAAK/c,eAAe7L,QACpB,KAAKyoB,cACL,KAAKC,eAES,QAAdvX,EAAI,KAAKtC,aAAK,IAAAsC,GAAkB,QAAlBA,EAAVA,EAAY0X,wBAAgB,IAAA1X,GAA5BA,EAA8BhZ,MAC9B,KAAK0W,MAAMga,iBAAiB1wB,IAAIupB,UAAY,EAEpD,EACA0E,WAAAA,CAAY7lB,GACRjJ,GAAOwE,MAAM,6BAA8B,CAAE9J,KAAM,KAAKoJ,YAAawK,OAAQ,KAAKsX,cAAe3c,cACjGtmC,EAAAA,GAAAA,IAAK,qBAAsB,CAAE+3B,KAAM,KAAKoJ,YAAawK,OAAQ,KAAKsX,cAAe3c,YACrF,GAEJ/J,OAAAA,GACI,KAAKkyB,gBACLh1B,EAAAA,GAAAA,IAAU,qBAAsB,KAAKiL,gBACrCjL,EAAAA,GAAAA,IAAU,kCAAmC,KAAKo1B,WAClDp1B,EAAAA,GAAAA,IAAU,iCAAkC,KAAKo1B,UAEjD,KAAKnD,kBAAoB,KAAK/sB,gBAAgBpuB,YAAW,IAAM,KAAKk+C,gBAAgB,CAAEn+C,MAAM,GAChG,EACAw+C,SAAAA,IACIC,EAAAA,GAAAA,IAAY,qBAAsB,KAAKrqB,gBACvCqqB,EAAAA,GAAAA,IAAY,kCAAmC,KAAKF,WACpDE,EAAAA,GAAAA,IAAY,iCAAkC,KAAKF,UACnD,KAAKnD,mBACT,EACA9uB,QAAS,CACL,kBAAM6xB,GAAe,IAAAO,EACjB,KAAKxZ,SAAU,EACf,MAAM/S,EAAM,KAAKA,IACXtB,EAAc,KAAKA,YACzB,GAAKA,EAAL,CAKoC,mBAAb,QAAnB6tB,EAAO,KAAKxD,eAAO,IAAAwD,OAAA,EAAZA,EAAch0B,UACrB,KAAKwwB,QAAQxwB,SACbqC,GAAOwE,MAAM,qCAGjB,KAAK2pB,QAAUrqB,EAAY8J,YAAYxI,GACvC,IACI,MAAM,OAAEkJ,EAAM,SAAErF,SAAmB,KAAKklB,QACxCnuB,GAAOwE,MAAM,mBAAoB,CAAEY,MAAKkJ,SAAQrF,aAEhD,KAAKqL,WAAWvN,YAAYkC,GAG5B,KAAK2oB,KAAKtjB,EAAQ,YAAarF,EAASl5B,KAAI5J,GAAQA,EAAKmgC,UAE7C,MAARlB,EACA,KAAKkP,WAAWpN,QAAQ,CAAEJ,QAAShD,EAAYr5B,GAAIu7B,KAAMsI,IAIrDA,EAAOhI,QACP,KAAKgO,WAAWvN,YAAY,CAACuH,IAC7B,KAAK/G,WAAWG,QAAQ,CAAEZ,QAAShD,EAAYr5B,GAAI67B,OAAQgI,EAAOhI,OAAQ31B,KAAMy0B,KAIhFpF,GAAOn6B,MAAM,+BAAgC,CAAEu/B,MAAKkJ,SAAQxK,gBAIpDmF,EAASn5B,QAAO3J,GAAsB,WAAdA,EAAK0B,OACrCqH,SAAQ/I,IACZ,KAAKohC,WAAWG,QAAQ,CAAEZ,QAAShD,EAAYr5B,GAAI67B,OAAQngC,EAAKmgC,OAAQ31B,MAAMgJ,EAAAA,GAAAA,MAAKyrB,EAAKj/B,EAAK4kC,WAAY,GAEjH,CACA,MAAOllC,GACHm6B,GAAOn6B,MAAM,+BAAgC,CAAEA,SACnD,CAAC,QAEG,KAAKsyC,SAAU,CACnB,CA1CA,MAFInY,GAAOwE,MAAM,mDAAqD,CAAEV,eA6C5E,EAOA4C,OAAAA,CAAQ6O,GACJ,OAAO,KAAKjB,WAAW5N,QAAQ6O,EACnC,EAKAsc,QAAAA,CAAShf,GAAQ,IAAAif,GAGa9pB,EAAAA,GAAAA,SAAQ6K,EAAO7tB,WACoB,QAAvB8sC,EAAK,KAAKlM,qBAAa,IAAAkM,OAAA,EAAlBA,EAAoB9sC,SAK3D,KAAKosC,cAEb,EACA,kBAAMW,CAAalf,GAAQ,IAAAma,EACvB,MAAM/mD,GAAwB,QAAf+mD,EAAAna,EAAOntC,gBAAQ,IAAAsnD,OAAA,EAAfA,EAAiB/mD,SAAU,EAE1C,GAAe,MAAXA,EAIC,GAAe,MAAXA,GAA6B,MAAXA,EAItB,GAAe,MAAXA,EAAJ,CAKL,IAAI,IAAA+rD,EACA,MAAMC,EAAS,IAAIC,GAAAA,OAAO,CAAE91C,MAAM,EAAM+1C,cAAc,IAEhDjpD,SADiB+oD,EAAOG,mBAAkC,QAAhBJ,EAACnf,EAAOntC,gBAAQ,IAAAssD,OAAA,EAAfA,EAAiBjnD,OACzC,aAAa,GACtC,GAAuB,iBAAZ7B,GAA2C,KAAnBA,EAAQkT,OAGvC,YADA6jB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,iCAAkC,CAAE31B,YAGtE,CACA,MAAOrD,GACHm6B,GAAOn6B,MAAM,sBAAuB,CAAEA,SAC1C,CAEe,IAAXI,GAIJg6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,iCAHtBoB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,4CAA6C,CAAE54B,WAjB7E,MAFIg6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,gDAJ1BoB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,+CAJ1BoB,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,yBA+BlC,EAMAwI,aAAAA,CAAclhC,GAAM,IAAAksD,GACZlsD,aAAI,EAAJA,EAAMmgC,WAA6B,QAAvB+rB,EAAK,KAAKzM,qBAAa,IAAAyM,OAAA,EAAlBA,EAAoB/rB,SACrC,KAAK8qB,cAEb,EAMAI,SAAU5H,MAAS,SAAU0I,GACzB1sD,GAAQ4+B,MAAM,yDAA0D8tB,GACxE,KAAKpE,WAAaoE,EAAY91C,KAClC,GAAG,KAIH20C,WAAAA,GACI,KAAKjD,WAAa,EACtB,EACAqE,kBAAAA,GAAqB,IAAA3tB,EACZ,KAAKghB,eAIA,QAAVhhB,EAAIngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,GAAS,QAATA,EAAlBA,EAAoBE,eAAO,IAAAF,GAA3BA,EAA6B4tB,cAC7B/tD,OAAOu9B,IAAIC,MAAM6C,QAAQ0tB,aAAa,WAE1ChY,GAAch/B,KAAK,KAAKoqC,cAAe,KAAK9hB,YAAa,KAAK8hB,cAAcj1C,OANxEqvB,GAAOwE,MAAM,sDAOrB,EACAiuB,cAAAA,GACI,KAAKnxB,gBAAgB3F,OAAO,aAAc,KAAKoF,WAAWK,UAC9D,EACAvC,EAAGqB,GAAAA,GACHtJ,EAAG87B,GAAAA,sBoJzbP,GAAU,CAAC,EAEf,GAAQvyB,kBAAoB,KAC5B,GAAQC,cAAgB,KAElB,GAAQC,OAAS,UAAc,KAAM,QAE3C,GAAQC,OAAS,KACjB,GAAQC,mBAAqB,KAEhB,KAAI,KAAS,IAKJ,MAAW,KAAQC,QAAS,KAAQA,OCP1D,UAXgB,QACd,IrJTW,WAAiB,IAAAilB,EAAAkN,EAAK93B,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,eAAe,CAAC/W,MAAM,CAAC,eAAe8W,EAAIyzB,YAAY,wBAAwB,KAAK,CAACxzB,EAAG,MAAM,CAACG,YAAY,sBAAsB,CAACH,EAAG,cAAc,CAAC/W,MAAM,CAAC,KAAO8W,EAAIuK,KAAK5hC,GAAG,CAAC,OAASq3B,EAAIu2B,cAAchuB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,UAAUrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIm2B,UAAYn2B,EAAIyY,gBAAkB,IAAKxY,EAAG,WAAW,CAACG,YAAY,kCAAkC/Q,MAAM,CAAE,0CAA2C2Q,EAAI+1B,iBAAkB7sC,MAAM,CAAC,aAAa8W,EAAI81B,iBAAiB,MAAQ91B,EAAI81B,iBAAiB,KAAO,YAAYntD,GAAG,CAAC,MAAQq3B,EAAI03B,oBAAoBnvB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAI+1B,kBAAoB/1B,EAAIuzB,KAAK/K,gBAAiBvoB,EAAG,YAAYA,EAAG,kBAAkB,CAAC/W,MAAM,CAAC,KAAO,MAAM,EAAElV,OAAM,IAAO,MAAK,EAAM,cAAcgsB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,MAAOR,EAAI0xB,WAAa1xB,EAAI2xB,gBAAiB1xB,EAAG,WAAW,CAACG,YAAY,6CAA6ClX,MAAM,CAAC,aAAa8W,EAAI4xB,gBAAgB,MAAQ5xB,EAAI4xB,gBAAgB,UAAW,EAAK,KAAO,aAAarpB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,WAAW,CAAC/W,MAAM,CAAC,KAAO,MAAM,EAAElV,OAAM,IAAO,MAAK,EAAM,aAAa,CAACgsB,EAAIQ,GAAG,eAAeR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,QAAQ,gBAAiBhE,EAAI+qB,cAAe9qB,EAAG,eAAe,CAACG,YAAY,mCAAmClX,MAAM,CAAC,QAAU8W,EAAIi0B,YAAY,YAAcj0B,EAAI+qB,cAAc,UAAW,GAAMpiD,GAAG,CAAC,OAASq3B,EAAIk3B,aAAa,SAAWl3B,EAAIg3B,YAAYh3B,EAAI1jB,KAAK,EAAEtI,OAAM,OAAUgsB,EAAIQ,GAAG,KAAMR,EAAIyY,gBAAkB,KAAOzY,EAAI6H,eAAgB5H,EAAG,WAAW,CAACG,YAAY,iCAAiClX,MAAM,CAAC,aAAa8W,EAAIi2B,oBAAoB,MAAQj2B,EAAIi2B,oBAAoB,KAAO,YAAYttD,GAAG,CAAC,MAAQq3B,EAAI43B,gBAAgBrvB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIkG,WAAWK,UAAWtG,EAAG,gBAAgBA,EAAG,gBAAgB,EAAEjsB,OAAM,IAAO,MAAK,EAAM,cAAcgsB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIy1B,aAAcx1B,EAAG,gBAAgB,CAACG,YAAY,6BAA6BJ,EAAI1jB,MAAM,GAAG0jB,EAAIQ,GAAG,MAAOR,EAAIsd,SAAWtd,EAAI0xB,UAAWzxB,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,iBAAiB8W,EAAI+qB,iBAAiB/qB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIsd,UAAYtd,EAAIy1B,aAAcx1B,EAAG,gBAAgB,CAACG,YAAY,2BAA2BlX,MAAM,CAAC,KAAO,GAAG,KAAO8W,EAAIgE,EAAE,QAAS,8BAA+BhE,EAAIsd,SAAWtd,EAAIw1B,WAAYv1B,EAAG,iBAAiB,CAAC/W,MAAM,CAAC,MAAsB,QAAf0hC,EAAA5qB,EAAIiJ,mBAAW,IAAA2hB,OAAA,EAAfA,EAAiBmN,aAAc/3B,EAAIgE,EAAE,QAAS,oBAAoB,aAA6B,QAAf8zB,EAAA93B,EAAIiJ,mBAAW,IAAA6uB,OAAA,EAAfA,EAAiBE,eAAgBh4B,EAAIgE,EAAE,QAAS,kDAAkD,8BAA8B,IAAIuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAAc,MAAZm6B,EAAIuK,IAAatK,EAAG,WAAW,CAAC/W,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,6BAA6B,KAAO,UAAU,GAAKhE,EAAI01B,gBAAgB,CAAC11B,EAAIQ,GAAG,aAAaR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,YAAY,cAAchE,EAAI1jB,KAAK,EAAEtI,OAAM,GAAM,CAAC9E,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,IAAM8W,EAAIiJ,YAAYr3B,QAAQ,EAAEoC,OAAM,OAAUisB,EAAG,mBAAmB,CAACra,IAAI,mBAAmBsD,MAAM,CAAC,iBAAiB8W,EAAI+qB,cAAc,eAAe/qB,EAAIiJ,YAAY,MAAQjJ,EAAI8zB,sBAAsB,EAC9nG,GACsB,IqJUpB,EACA,KACA,WACA,MAI8B,QCnB+M,IzLIhO3a,EAAAA,GAAAA,IAAgB,CAC3BnyC,KAAM,WACN2X,WAAY,CACRs5C,UAAS,KACTC,UAAS,GACTC,WAAUA,M0LSlB,IAXgB,QACd,I1LRW,WAAkB,IAAIn4B,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMwb,YAAmBzb,EAAG,YAAY,CAAC/W,MAAM,CAAC,WAAW,UAAU,CAAC+W,EAAG,cAAcD,EAAIQ,GAAG,KAAKP,EAAG,cAAc,EAC3L,GACsB,I0LSpB,EACA,KACA,KACA,MAI8B,kBCPhCm4B,EAAAA,GAAoBC,MAAKxmB,EAAAA,GAAAA,OAEzBjoC,OAAOu9B,IAAIC,MAAwB,QAAnBkxB,GAAG1uD,OAAOu9B,IAAIC,aAAK,IAAAkxB,GAAAA,GAAI,CAAC,EACxC1uD,OAAO2hC,IAAInE,MAAwB,QAAnBmxB,GAAG3uD,OAAO2hC,IAAInE,aAAK,IAAAmxB,GAAAA,GAAI,CAAC,EAExC,MAAM74B,GAAS,IChBA,MAEXhE,WAAAA,CAAY1W,eAAQ,yZAChBhf,KAAK84B,QAAU9Z,CACnB,CACA,QAAIhe,GACA,OAAOhB,KAAK84B,QAAQxM,aAAatrB,IACrC,CACA,SAAI2a,GACA,OAAO3b,KAAK84B,QAAQxM,aAAa3Q,OAAS,CAAC,CAC/C,CACA,UAAIyD,GACA,OAAOpf,KAAK84B,QAAQxM,aAAalN,QAAU,CAAC,CAChD,CAQAozC,IAAAA,CAAK1iD,GAAuB,IAAjB7H,EAAO3F,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GACd,OAAOtC,KAAK84B,QAAQt4B,KAAK,CACrBsP,OACA7H,WAER,CAUAu9B,SAAAA,CAAUxkC,EAAMoe,EAAQzD,EAAO1T,GAC3B,OAAOjI,KAAK84B,QAAQt4B,KAAK,CACrBQ,OACA2a,QACAyD,SACAnX,WAER,GD3B6B+W,IACjCzf,OAAO2I,OAAOtE,OAAO2hC,IAAInE,MAAO,CAAE1H,YAElCrB,GAAAA,GAAIjgB,KpMq5DmB,SAAUwP,GAG7BA,EAAKgR,MAAM,CACP,YAAAC,GACI,MAAM7nB,EAAUhR,KAAK04B,SACrB,GAAI1nB,EAAQ7N,MAAO,CACf,MAAMA,EAAQ6N,EAAQ7N,MAGtB,IAAKnD,KAAKyyD,UAAW,CACjB,MAAMC,EAAe,CAAC,EACtBnzD,OAAOoX,eAAe3W,KAAM,YAAa,CACrC2N,IAAK,IAAM+kD,EACX1iD,IAAMuf,GAAMhwB,OAAO2I,OAAOwqD,EAAcnjC,IAEhD,CACAvvB,KAAKyyD,UAAUrvD,GAAeD,EAIzBnD,KAAKkY,SACNlY,KAAKkY,OAAS/U,GAElBA,EAAMiT,GAAKpW,KACP2D,GAGAT,EAAeC,GAEfU,GACAqH,EAAsB/H,EAAMiT,GAAIjT,EAExC,MACUnD,KAAKkY,QAAUlH,EAAQ2O,QAAU3O,EAAQ2O,OAAOzH,SACtDlY,KAAKkY,OAASlH,EAAQ2O,OAAOzH,OAErC,EACA,SAAA+gB,UACWj5B,KAAKkO,QAChB,GAER,IoM57DA,MAAMikD,GAAa95B,GAAAA,GAAIs6B,YAAW5rB,EAAAA,GAAAA,OAClC1O,GAAAA,GAAI74B,UAAU4jC,YAAc+uB,GAE5B,MAAM9wB,GAAW,IEHF,MAId3L,WAAAA,eAAc,2ZACb11B,KAAK4yD,UAAY,GACjB7tD,GAAQ4+B,MAAM,iCACf,CASAkvB,QAAAA,CAASh5B,GACR,OAAI75B,KAAK4yD,UAAU3jD,QAAO9J,GAAKA,EAAEnE,OAAS64B,EAAK74B,OAAMU,OAAS,GAC7DqD,GAAQC,MAAM,uDACP,IAERhF,KAAK4yD,UAAUpyD,KAAKq5B,IACb,EACR,CAOA,YAAIxoB,GACH,OAAOrR,KAAK4yD,SACb,GF5BDrzD,OAAO2I,OAAOtE,OAAOu9B,IAAIC,MAAO,CAAEC,SAAQA,KAC1C9hC,OAAO2I,OAAOtE,OAAOu9B,IAAIC,MAAMC,SAAU,CAAEN,QGJ5B,MAiBdrL,WAAAA,CAAY10B,EAAIw6B,GAAuB,IAArB,GAAE7L,EAAE,KAAElrB,EAAI,MAAEu9B,GAAOxG,EAAAs3B,GAAA,sBAAAA,GAAA,mBAAAA,GAAA,qBAAAA,GAAA,qBACpC9yD,KAAK+yD,MAAQ/xD,EACbhB,KAAKgzD,IAAMrjC,EACX3vB,KAAKizD,MAAQxuD,EACbzE,KAAKkzD,OAASlxB,EAEY,mBAAfhiC,KAAKizD,QACfjzD,KAAKizD,MAAQ,QAGa,mBAAhBjzD,KAAKkzD,SACflzD,KAAKkzD,OAAS,OAEhB,CAEA,QAAIlyD,GACH,OAAOhB,KAAK+yD,KACb,CAEA,MAAIpjC,GACH,OAAO3vB,KAAKgzD,GACb,CAEA,QAAIvuD,GACH,OAAOzE,KAAKizD,KACb,CAEA,SAAIjxB,GACH,OAAOhiC,KAAKkzD,MACb,KHxCD,IADoB76B,GAAAA,GAAIza,OAAOu1C,IAC/B,CAAgB,CACZn0C,OAAM,GACN7b,MAAKA,KACNg3C,OAAO,uCIhCV,6BAAmD,OAAOiZ,EAAU,mBAAqB/vD,QAAU,iBAAmBA,OAAOwxB,SAAW,SAAUpe,GAAO,cAAcA,CAAK,EAAI,SAAUA,GAAO,OAAOA,GAAO,mBAAqBpT,QAAUoT,EAAIif,cAAgBryB,QAAUoT,IAAQpT,OAAO7D,UAAY,gBAAkBiX,CAAK,EAAG28C,EAAQ38C,EAAM,CActT,oBAAfvS,WAA6BA,WAA6B,oBAATF,MAAuBA,KAV1D,EAUuE,SAAUqvD,GACvG,aAYA,SAASC,EAAgB/vD,EAAGyT,GAA6I,OAAxIs8C,EAAkB/zD,OAAOg0D,eAAiBh0D,OAAOg0D,eAAe/hD,OAAS,SAAyBjO,EAAGyT,GAAsB,OAAjBzT,EAAE1C,UAAYmW,EAAUzT,CAAG,EAAU+vD,EAAgB/vD,EAAGyT,EAAI,CAEvM,SAASw8C,EAAaC,GAAW,IAAIC,EAMrC,WAAuC,GAAuB,oBAAZ7iD,UAA4BA,QAAQ8iD,UAAW,OAAO,EAAO,GAAI9iD,QAAQ8iD,UAAUC,KAAM,OAAO,EAAO,GAAqB,mBAAVhjD,MAAsB,OAAO,EAAM,IAAsF,OAAhF6L,QAAQjd,UAAUq0D,QAAQ3yD,KAAK2P,QAAQ8iD,UAAUl3C,QAAS,IAAI,WAAa,MAAY,CAAM,CAAE,MAAOtX,GAAK,OAAO,CAAO,CAAE,CANvQ2uD,GAA6B,OAAO,WAAkC,IAAsC/rD,EAAlCgsD,EAAQC,EAAgBP,GAAkB,GAAIC,EAA2B,CAAE,IAAIO,EAAYD,EAAgBh0D,MAAM01B,YAAa3tB,EAAS8I,QAAQ8iD,UAAUI,EAAOzxD,UAAW2xD,EAAY,MAASlsD,EAASgsD,EAAMtxD,MAAMzC,KAAMsC,WAAc,OAEpX,SAAoC0B,EAAM9C,GAAQ,GAAIA,IAA2B,WAAlBkyD,EAAQlyD,IAAsC,mBAATA,GAAwB,OAAOA,EAAa,QAAa,IAATA,EAAmB,MAAM,IAAId,UAAU,4DAA+D,OAE1P,SAAgC4D,GAAQ,QAAa,IAATA,EAAmB,MAAM,IAAIkwD,eAAe,6DAAgE,OAAOlwD,CAAM,CAF4FmwD,CAAuBnwD,EAAO,CAF4FowD,CAA2Bp0D,KAAM+H,EAAS,CAAG,CAQxa,SAASisD,EAAgBzwD,GAA+J,OAA1JywD,EAAkBz0D,OAAOg0D,eAAiBh0D,OAAO80D,eAAe7iD,OAAS,SAAyBjO,GAAK,OAAOA,EAAE1C,WAAatB,OAAO80D,eAAe9wD,EAAI,EAAUywD,EAAgBzwD,EAAI,CAEnN,SAAS+wD,EAA2B/wD,EAAGgxD,GAAkB,IAAIC,EAAuB,oBAAXnxD,QAA0BE,EAAEF,OAAOwxB,WAAatxB,EAAE,cAAe,IAAKixD,EAAI,CAAE,GAAI5yD,MAAMoI,QAAQzG,KAAOixD,EAE9K,SAAqCjxD,EAAGkxD,GAAU,GAAKlxD,EAAL,CAAgB,GAAiB,iBAANA,EAAgB,OAAOmxD,EAAkBnxD,EAAGkxD,GAAS,IAAI1+B,EAAIx2B,OAAOC,UAAUgE,SAAStC,KAAKqC,GAAGpC,MAAM,GAAI,GAAiE,MAAnD,WAAN40B,GAAkBxyB,EAAEmyB,cAAaK,EAAIxyB,EAAEmyB,YAAY10B,MAAgB,QAAN+0B,GAAqB,QAANA,EAAoBn0B,MAAMmN,KAAKxL,GAAc,cAANwyB,GAAqB,2CAA2C/vB,KAAK+vB,GAAW2+B,EAAkBnxD,EAAGkxD,QAAzG,CAA7O,CAA+V,CAF5OE,CAA4BpxD,KAAOgxD,GAAkBhxD,GAAyB,iBAAbA,EAAE7B,OAAqB,CAAM8yD,IAAIjxD,EAAIixD,GAAI,IAAIhzD,EAAI,EAAOozD,EAAI,WAAc,EAAG,MAAO,CAAEC,EAAGD,EAAG7+B,EAAG,WAAe,OAAIv0B,GAAK+B,EAAE7B,OAAe,CAAEozD,MAAM,GAAe,CAAEA,MAAM,EAAO1rD,MAAO7F,EAAE/B,KAAQ,EAAG2D,EAAG,SAAWmR,GAAM,MAAMA,CAAI,EAAGy+C,EAAGH,EAAK,CAAE,MAAM,IAAIx0D,UAAU,wIAA0I,CAAE,IAA6C8d,EAAzC82C,GAAmB,EAAMC,GAAS,EAAY,MAAO,CAAEJ,EAAG,WAAeL,EAAKA,EAAGtzD,KAAKqC,EAAI,EAAGwyB,EAAG,WAAe,IAAIvE,EAAOgjC,EAAG/uC,OAAsC,OAA9BuvC,EAAmBxjC,EAAKsjC,KAAatjC,CAAM,EAAGrsB,EAAG,SAAW+vD,GAAOD,GAAS,EAAM/2C,EAAMg3C,CAAK,EAAGH,EAAG,WAAe,IAAWC,GAAiC,MAAbR,EAAGW,QAAgBX,EAAGW,QAAU,CAAE,QAAU,GAAIF,EAAQ,MAAM/2C,CAAK,CAAE,EAAK,CAIr+B,SAASw2C,EAAkB3wC,EAAK1hB,IAAkB,MAAPA,GAAeA,EAAM0hB,EAAIriB,UAAQW,EAAM0hB,EAAIriB,QAAQ,IAAK,IAAIF,EAAI,EAAG4zD,EAAO,IAAIxzD,MAAMS,GAAMb,EAAIa,EAAKb,IAAO4zD,EAAK5zD,GAAKuiB,EAAIviB,GAAM,OAAO4zD,CAAM,CAEtL,SAASC,EAAgB70C,EAAU80C,GAAe,KAAM90C,aAAoB80C,GAAgB,MAAM,IAAIl1D,UAAU,oCAAwC,CAExJ,SAASm1D,EAAkB9uD,EAAQsa,GAAS,IAAK,IAAIvf,EAAI,EAAGA,EAAIuf,EAAMrf,OAAQF,IAAK,CAAE,IAAIoY,EAAamH,EAAMvf,GAAIoY,EAAW7C,WAAa6C,EAAW7C,aAAc,EAAO6C,EAAW9C,cAAe,EAAU,UAAW8C,IAAYA,EAAW/C,UAAW,GAAMtX,OAAOoX,eAAelQ,EAAQmT,EAAW1Q,IAAK0Q,EAAa,CAAE,CAE5T,SAAS47C,EAAaF,EAAaG,EAAYC,GAAyN,OAAtMD,GAAYF,EAAkBD,EAAY91D,UAAWi2D,GAAiBC,GAAaH,EAAkBD,EAAaI,GAAcn2D,OAAOoX,eAAe2+C,EAAa,YAAa,CAAEz+C,UAAU,IAAiBy+C,CAAa,CAE5R,SAASxC,EAAgBr8C,EAAKvN,EAAKE,GAAiK,OAApJF,KAAOuN,EAAOlX,OAAOoX,eAAeF,EAAKvN,EAAK,CAAEE,MAAOA,EAAO2N,YAAY,EAAMD,cAAc,EAAMD,UAAU,IAAkBJ,EAAIvN,GAAOE,EAAgBqN,CAAK,CAEhN,SAASk/C,EAA2Bl/C,EAAKm/C,EAAYxsD,IAErD,SAAoCqN,EAAKo/C,GAAqB,GAAIA,EAAkBv2D,IAAImX,GAAQ,MAAM,IAAIrW,UAAU,iEAAqE,EAF3H01D,CAA2Br/C,EAAKm/C,GAAaA,EAAW5lD,IAAIyG,EAAKrN,EAAQ,CAIvI,SAAS2sD,EAAsBC,EAAUJ,GAA0F,OAEnI,SAAkCI,EAAUp8C,GAAc,OAAIA,EAAWjM,IAAciM,EAAWjM,IAAIzM,KAAK80D,GAAoBp8C,EAAWxQ,KAAO,CAFP6sD,CAAyBD,EAA3FE,EAA6BF,EAAUJ,EAAY,OAA+D,CAI1L,SAASO,EAAsBH,EAAUJ,EAAYxsD,GAA4I,OAIjM,SAAkC4sD,EAAUp8C,EAAYxQ,GAAS,GAAIwQ,EAAW5J,IAAO4J,EAAW5J,IAAI9O,KAAK80D,EAAU5sD,OAAe,CAAE,IAAKwQ,EAAW/C,SAAY,MAAM,IAAIzW,UAAU,4CAA+CwZ,EAAWxQ,MAAQA,CAAO,CAAE,CAJvHgtD,CAAyBJ,EAApFE,EAA6BF,EAAUJ,EAAY,OAAuDxsD,GAAeA,CAAO,CAE/M,SAAS8sD,EAA6BF,EAAUJ,EAAY7pD,GAAU,IAAK6pD,EAAWt2D,IAAI02D,GAAa,MAAM,IAAI51D,UAAU,gBAAkB2L,EAAS,kCAAqC,OAAO6pD,EAAWjoD,IAAIqoD,EAAW,CA9C5Nz2D,OAAOoX,eAAe08C,EAAU,aAAc,CAC5CjqD,OAAO,IAETiqD,EAASlmB,uBAAoB,EAC7BkmB,EAASgD,WAAaA,EACtBhD,EAASryC,aAAU,EACnBqyC,EAASiD,oBAAsBA,EA4C/B,IAAI1kC,EAAgC,oBAAXvuB,OAAyBA,OAAOuuB,YAAc,gBAEnE2kC,EAA0B,IAAIriD,QAE9BsiD,EAAwB,IAAItiD,QAE5BuiD,EAAyC,WAC3C,SAASA,EAA0Bj7B,GACjC,IAAIk7B,EAAgBl7B,EAAKm7B,SACrBA,OAA6B,IAAlBD,EAA2B,WAAa,EAAIA,EACvDE,EAAiBp7B,EAAKq7B,UACtBA,OAA+B,IAAnBD,EAmNX,CACLE,YAAY,EACZC,aAAc,IArNmDH,EAC7DI,EAAex7B,EAAK8xB,QACpBA,OAA2B,IAAjB0J,EAA0B,IAAIlqD,SAAQ,SAAUC,EAASC,GACrE,OAAO2pD,EAAS5pD,EAASC,GAAQ,SAAUogC,GACzCypB,EAAUE,aAAav2D,KAAK4sC,EAC9B,GACF,IAAK4pB,EAEL3B,EAAgBr1D,KAAMy2D,GAEtBd,EAA2B31D,KAAMu2D,EAAY,CAC3C1/C,UAAU,EACVzN,WAAO,IAGTusD,EAA2B31D,KAAMw2D,EAAU,CACzC3/C,UAAU,EACVzN,WAAO,IAGT0pD,EAAgB9yD,KAAM4xB,EAAa,qBAEnC5xB,KAAK88B,OAAS98B,KAAK88B,OAAOtrB,KAAKxR,MAE/Bm2D,EAAsBn2D,KAAMu2D,EAAYM,GAExCV,EAAsBn2D,KAAMw2D,EAAUlJ,GAAW,IAAIxgD,SAAQ,SAAUC,EAASC,GAC9E,OAAO2pD,EAAS5pD,EAASC,GAAQ,SAAUogC,GACzCypB,EAAUE,aAAav2D,KAAK4sC,EAC9B,GACF,IACF,CAsEA,OApEAooB,EAAaiB,EAA2B,CAAC,CACvCvtD,IAAK,OACLE,MAAO,SAAc6tD,EAAaC,GAChC,OAAOC,EAAepB,EAAsB/1D,KAAMw2D,GAAUnhD,KAAK+hD,EAAeH,EAAalB,EAAsB/1D,KAAMu2D,IAAca,EAAeF,EAAYnB,EAAsB/1D,KAAMu2D,KAAeR,EAAsB/1D,KAAMu2D,GAC3O,GACC,CACDrtD,IAAK,QACLE,MAAO,SAAgB8tD,GACrB,OAAOC,EAAepB,EAAsB/1D,KAAMw2D,GAAU7gD,MAAMyhD,EAAeF,EAAYnB,EAAsB/1D,KAAMu2D,KAAeR,EAAsB/1D,KAAMu2D,GACtK,GACC,CACDrtD,IAAK,UACLE,MAAO,SAAkBiuD,EAAWC,GAClC,IAAIC,EAAQv3D,KAMZ,OAJIs3D,GACFvB,EAAsB/1D,KAAMu2D,GAAYQ,aAAav2D,KAAK62D,GAGrDF,EAAepB,EAAsB/1D,KAAMw2D,GAAUgB,QAAQJ,GAAe,WACjF,GAAIC,EAOF,OANIC,IACFvB,EAAsBwB,EAAOhB,GAAYQ,aAAehB,EAAsBwB,EAAOhB,GAAYQ,aAAa9nD,QAAO,SAAUgE,GAC7H,OAAOA,IAAaokD,CACtB,KAGKA,GAEX,GAAGtB,EAAsB/1D,KAAMu2D,KAAeR,EAAsB/1D,KAAMu2D,GAC5E,GACC,CACDrtD,IAAK,SACLE,MAAO,WACL2sD,EAAsB/1D,KAAMu2D,GAAYO,YAAa,EAErD,IAAIW,EAAY1B,EAAsB/1D,KAAMu2D,GAAYQ,aAExDhB,EAAsB/1D,KAAMu2D,GAAYQ,aAAe,GAEvD,IACIW,EADAC,EAAYrD,EAA2BmD,GAG3C,IACE,IAAKE,EAAU9C,MAAO6C,EAAQC,EAAU5hC,KAAK++B,MAAO,CAClD,IAAI7hD,EAAWykD,EAAMtuD,MAErB,GAAwB,mBAAb6J,EACT,IACEA,GACF,CAAE,MAAOiL,GACPnZ,EAAQC,MAAMkZ,EAChB,CAEJ,CACF,CAAE,MAAOA,GACPy5C,EAAUxyD,EAAE+Y,EACd,CAAE,QACAy5C,EAAU5C,GACZ,CACF,GACC,CACD7rD,IAAK,aACLE,MAAO,WACL,OAA8D,IAAvD2sD,EAAsB/1D,KAAMu2D,GAAYO,UACjD,KAGKL,CACT,CA3G6C,GA6GzCtpB,EAAiC,SAAUyqB,IA7J/C,SAAmBC,EAAUC,GAAc,GAA0B,mBAAfA,GAA4C,OAAfA,EAAuB,MAAM,IAAI13D,UAAU,sDAAyDy3D,EAASr4D,UAAYD,OAAOqB,OAAOk3D,GAAcA,EAAWt4D,UAAW,CAAEk2B,YAAa,CAAEtsB,MAAOyuD,EAAUhhD,UAAU,EAAMC,cAAc,KAAWvX,OAAOoX,eAAekhD,EAAU,YAAa,CAAEhhD,UAAU,IAAcihD,GAAYxE,EAAgBuE,EAAUC,EAAa,CA8JjcC,CAAU5qB,EAAmByqB,GAE7B,IAAII,EAASxE,EAAarmB,GAE1B,SAASA,EAAkBwpB,GAGzB,OAFAtB,EAAgBr1D,KAAMmtC,GAEf6qB,EAAO92D,KAAKlB,KAAM,CACvB22D,SAAUA,GAEd,CAEA,OAAOnB,EAAaroB,EACtB,CAdqC,CAcnCspB,GAEFpD,EAASlmB,kBAAoBA,EAE7B2lB,EAAgB3lB,EAAmB,OAAO,SAAa8qB,GACrD,OAAOC,EAAkBD,EAAUnrD,QAAQi8B,IAAIkvB,GACjD,IAEAnF,EAAgB3lB,EAAmB,cAAc,SAAoB8qB,GACnE,OAAOC,EAAkBD,EAAUnrD,QAAQslC,WAAW6lB,GACxD,IAEAnF,EAAgB3lB,EAAmB,OAAO,SAAa8qB,GACrD,OAAOC,EAAkBD,EAAUnrD,QAAQqrD,IAAIF,GACjD,IAEAnF,EAAgB3lB,EAAmB,QAAQ,SAAc8qB,GACvD,OAAOC,EAAkBD,EAAUnrD,QAAQsrD,KAAKH,GAClD,IAEAnF,EAAgB3lB,EAAmB,WAAW,SAAiB/jC,GAC7D,OAAOitD,EAAWvpD,QAAQC,QAAQ3D,GACpC,IAEA0pD,EAAgB3lB,EAAmB,UAAU,SAAgBzY,GAC3D,OAAO2hC,EAAWvpD,QAAQE,OAAO0nB,GACnC,IAEAo+B,EAAgB3lB,EAAmB,eAAgBmpB,GAEnD,IAAI+B,EAAWlrB,EAGf,SAASkpB,EAAW/I,GAClB,OAAO6J,EAAe7J,EA2Df,CACLwJ,YAAY,EACZC,aAAc,IA5DlB,CAEA,SAAST,EAAoBhJ,GAC3B,OAAOA,aAAmBngB,GAAqBmgB,aAAmBmJ,CACpE,CAEA,SAASW,EAAekB,EAAUzB,GAChC,GAAIyB,EACF,OAAO,SAAUC,GACf,IAAK1B,EAAUC,WAAY,CACzB,IAAI/uD,EAASuwD,EAASC,GAMtB,OAJIjC,EAAoBvuD,IACtB8uD,EAAUE,aAAav2D,KAAKuH,EAAO+0B,QAG9B/0B,CACT,CAEA,OAAOwwD,CACT,CAEJ,CAEA,SAASpB,EAAe7J,EAASuJ,GAC/B,OAAO,IAAIJ,EAA0B,CACnCI,UAAWA,EACXvJ,QAASA,GAEb,CAEA,SAAS4K,EAAkBD,EAAU3K,GACnC,IAAIuJ,EA0BG,CACLC,YAAY,EACZC,aAAc,IAThB,OAlBAF,EAAUE,aAAav2D,MAAK,WAC1B,IACIg4D,EADAC,EAAanE,EAA2B2D,GAG5C,IACE,IAAKQ,EAAW5D,MAAO2D,EAASC,EAAW1iC,KAAK++B,MAAO,CACrD,IAAI4D,EAAaF,EAAOpvD,MAEpBktD,EAAoBoC,IACtBA,EAAW57B,QAEf,CACF,CAAE,MAAO5e,GACPu6C,EAAWtzD,EAAE+Y,EACf,CAAE,QACAu6C,EAAW1D,GACb,CACF,IACO,IAAI0B,EAA0B,CACnCI,UAAWA,EACXvJ,QAASA,GAEb,CA3DA+F,EAASryC,QAAUq3C,CAmErB,OAlS+B,iBAApB,CAAC,OAAmB,2HCA3BM,EAAgC,IAAIjyD,IAAI,cACxCkyD,EAAgC,IAAIlyD,IAAI,cACxCmyD,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,0hEAiEfkvD,+oCAyCAC,s1MAqQvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,m2FAAm2F,eAAiB,CAAC,shUAAshU,WAAa,MAE1ga,4FCxXIF,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,0zBAsCtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,yTAAyT,eAAiB,CAAC,2zBAA2zB,WAAa,MAEpxC,4FC1CIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,kUAAmU,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yDAAyD,MAAQ,GAAG,SAAW,yGAAyG,eAAiB,CAAC,0WAA0W,WAAa,MAEx8B,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,+jBAAgkB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+DAA+D,MAAQ,GAAG,SAAW,wOAAwO,eAAiB,CAAC,sqBAAsqB,WAAa,MAEtoD,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,omCAAqmC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,gEAAgE,MAAQ,GAAG,SAAW,gYAAgY,eAAiB,CAAC,23CAA23C,WAAa,MAEzhG,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,8YAA+Y,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oEAAoE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,6sBAA6sB,WAAa,MAEr6C,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,2ZAA4Z,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oDAAoD,eAAiB,CAAC,kkBAAskB,WAAa,MAEvtC,2FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,uMAAwM,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oCAAoC,eAAiB,CAAC,kOAAkO,WAAa,MAE/oB,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,mPAAoP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,gFAAgF,eAAiB,CAAC,8XAA8X,WAAa,MAE73B,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,sKAAuK,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,8CAA8C,eAAiB,CAAC,wNAAwN,WAAa,MAExmB,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,2FAA4F,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yEAAyE,MAAQ,GAAG,SAAW,6BAA6B,eAAiB,CAAC,6FAA6F,WAAa,MAExZ,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,q5BAAs5B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,ilBAAilB,WAAa,MAEpzD,2FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,yuPAA0uP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,44DAA44D,eAAiB,CAAC,qnSAAqnS,WAAa,MAEl6lB,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,y2DAA02D,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,0kBAA0kB,eAAiB,CAAC,6nEAA6nE,WAAa,MAExuJ,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,mQAAoQ,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6DAA6D,MAAQ,GAAG,SAAW,mEAAmE,eAAiB,CAAC,+UAA+U,WAAa,MAE50B,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,0wBAA2wB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kDAAkD,MAAQ,GAAG,SAAW,uOAAuO,eAAiB,CAAC,8gCAA8gC,WAAa,MAE3qE,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,sfAAuf,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,mDAAmD,MAAQ,GAAG,SAAW,iHAAiH,eAAiB,CAAC,mrBAAmrB,WAAa,MAEv8C,4FCJIivD,QAA0B,GAA4B,KAE1DA,EAAwBr4D,KAAK,CAACuC,EAAO6G,GAAI,kEAAmE,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,iDAAiD,MAAQ,GAAG,SAAW,mBAAmB,eAAiB,CAAC,+DAA+D,WAAa,MAE/T,kDCPC,SAAWovD,GACVA,EAAI5H,OAAS,SAAU52C,EAAQy+C,GAAO,OAAO,IAAIC,EAAU1+C,EAAQy+C,EAAK,EACxED,EAAIE,UAAYA,EAChBF,EAAIG,UAAYA,EAChBH,EAAII,aAwKJ,SAAuB5+C,EAAQy+C,GAC7B,OAAO,IAAIE,EAAU3+C,EAAQy+C,EAC/B,EA/JAD,EAAIK,kBAAoB,MAExB,IA+IIC,EA/IAC,EAAU,CACZ,UAAW,WAAY,WAAY,UAAW,UAC9C,eAAgB,eAAgB,SAAU,aAC1C,cAAe,QAAS,UAwB1B,SAASL,EAAW1+C,EAAQy+C,GAC1B,KAAMj5D,gBAAgBk5D,GACpB,OAAO,IAAIA,EAAU1+C,EAAQy+C,GAG/B,IAAI7H,EAASpxD,MAqFf,SAAuBoxD,GACrB,IAAK,IAAI5vD,EAAI,EAAGC,EAAI83D,EAAQ73D,OAAQF,EAAIC,EAAGD,IACzC4vD,EAAOmI,EAAQ/3D,IAAM,EAEzB,CAxFEg4D,CAAapI,GACbA,EAAOqI,EAAIrI,EAAOrzC,EAAI,GACtBqzC,EAAOsI,oBAAsBV,EAAIK,kBACjCjI,EAAO6H,IAAMA,GAAO,CAAC,EACrB7H,EAAO6H,IAAIU,UAAYvI,EAAO6H,IAAIU,WAAavI,EAAO6H,IAAIW,cAC1DxI,EAAOyI,UAAYzI,EAAO6H,IAAIU,UAAY,cAAgB,cAC1DvI,EAAO0I,KAAO,GACd1I,EAAO2I,OAAS3I,EAAO4I,WAAa5I,EAAO6I,SAAU,EACrD7I,EAAOppC,IAAMopC,EAAOpsD,MAAQ,KAC5BosD,EAAO52C,SAAWA,EAClB42C,EAAO8I,YAAc1/C,IAAU42C,EAAO6H,IAAIiB,UAC1C9I,EAAOnoD,MAAQkxD,EAAEC,MACjBhJ,EAAOiJ,eAAiBjJ,EAAO6H,IAAIoB,eACnCjJ,EAAOkJ,SAAWlJ,EAAOiJ,eAAiB96D,OAAOqB,OAAOo4D,EAAIuB,cAAgBh7D,OAAOqB,OAAOo4D,EAAIsB,UAC9FlJ,EAAOoJ,WAAa,GAKhBpJ,EAAO6H,IAAIwB,QACbrJ,EAAOsJ,GAAKn7D,OAAOqB,OAAO+5D,IAI5BvJ,EAAOwJ,eAAwC,IAAxBxJ,EAAO6H,IAAIrqC,SAC9BwiC,EAAOwJ,gBACTxJ,EAAOxiC,SAAWwiC,EAAOyJ,KAAOzJ,EAAOzM,OAAS,GAElD7iD,EAAKsvD,EAAQ,UACf,CAxDA4H,EAAI8B,OAAS,CACX,OACA,wBACA,kBACA,UACA,UACA,eACA,YACA,UACA,WACA,YACA,QACA,aACA,QACA,MACA,QACA,SACA,gBACA,kBAwCGv7D,OAAOqB,SACVrB,OAAOqB,OAAS,SAAU2C,GACxB,SAASqxD,IAAM,CAGf,OAFAA,EAAEp1D,UAAY+D,EACH,IAAIqxD,CAEjB,GAGGr1D,OAAO4K,OACV5K,OAAO4K,KAAO,SAAU5G,GACtB,IAAI4C,EAAI,GACR,IAAK,IAAI3E,KAAK+B,EAAOA,EAAE9D,eAAe+B,IAAI2E,EAAE3F,KAAKgB,GACjD,OAAO2E,CACT,GAyDF+yD,EAAU15D,UAAY,CACpB8mB,IAAK,WAAcA,EAAItmB,KAAM,EAC7B+6D,MA2yBF,SAAgBC,GACd,IAAI5J,EAASpxD,KACb,GAAIA,KAAKgF,MACP,MAAMhF,KAAKgF,MAEb,GAAIosD,EAAO2I,OACT,OAAO/0D,EAAMosD,EACX,wDAEJ,GAAc,OAAV4J,EACF,OAAO10C,EAAI8qC,GAEQ,iBAAV4J,IACTA,EAAQA,EAAMx3D,YAIhB,IAFA,IAAIhC,EAAI,EACJuc,EAAI,GAENA,EAAIyF,EAAOw3C,EAAOx5D,KAClB4vD,EAAOrzC,EAAIA,EAENA,GAcL,OAVIqzC,EAAOwJ,gBACTxJ,EAAOxiC,WACG,OAAN7Q,GACFqzC,EAAOyJ,OACPzJ,EAAOzM,OAAS,GAEhByM,EAAOzM,UAIHyM,EAAOnoD,OACb,KAAKkxD,EAAEC,MAEL,GADAhJ,EAAOnoD,MAAQkxD,EAAEc,iBACP,WAANl9C,EACF,SAEFm9C,EAAgB9J,EAAQrzC,GACxB,SAEF,KAAKo8C,EAAEc,iBACLC,EAAgB9J,EAAQrzC,GACxB,SAEF,KAAKo8C,EAAEgB,KACL,GAAI/J,EAAO6I,UAAY7I,EAAO4I,WAAY,CAExC,IADA,IAAIoB,EAAS55D,EAAI,EACVuc,GAAW,MAANA,GAAmB,MAANA,IACvBA,EAAIyF,EAAOw3C,EAAOx5D,OACT4vD,EAAOwJ,gBACdxJ,EAAOxiC,WACG,OAAN7Q,GACFqzC,EAAOyJ,OACPzJ,EAAOzM,OAAS,GAEhByM,EAAOzM,UAIbyM,EAAOiK,UAAYL,EAAMM,UAAUF,EAAQ55D,EAAI,EACjD,CACU,MAANuc,GAAeqzC,EAAO6I,SAAW7I,EAAO4I,aAAe5I,EAAO52C,QAI3D+gD,EAAax9C,IAAQqzC,EAAO6I,UAAW7I,EAAO4I,YACjDwB,EAAWpK,EAAQ,mCAEX,MAANrzC,EACFqzC,EAAOnoD,MAAQkxD,EAAEsB,YAEjBrK,EAAOiK,UAAYt9C,IATrBqzC,EAAOnoD,MAAQkxD,EAAEuB,UACjBtK,EAAOuK,iBAAmBvK,EAAOxiC,UAWnC,SAEF,KAAKurC,EAAEyB,OAEK,MAAN79C,EACFqzC,EAAOnoD,MAAQkxD,EAAE0B,cAEjBzK,EAAO0K,QAAU/9C,EAEnB,SAEF,KAAKo8C,EAAE0B,cACK,MAAN99C,EACFqzC,EAAOnoD,MAAQkxD,EAAE4B,WAEjB3K,EAAO0K,QAAU,IAAM/9C,EACvBqzC,EAAOnoD,MAAQkxD,EAAEyB,QAEnB,SAEF,KAAKzB,EAAEuB,UAEL,GAAU,MAAN39C,EACFqzC,EAAOnoD,MAAQkxD,EAAE6B,UACjB5K,EAAO6K,SAAW,QACb,GAAIV,EAAax9C,SAEjB,GAAIm+C,EAAQC,EAAWp+C,GAC5BqzC,EAAOnoD,MAAQkxD,EAAEiC,SACjBhL,EAAOiL,QAAUt+C,OACZ,GAAU,MAANA,EACTqzC,EAAOnoD,MAAQkxD,EAAE4B,UACjB3K,EAAOiL,QAAU,QACZ,GAAU,MAANt+C,EACTqzC,EAAOnoD,MAAQkxD,EAAEmC,UACjBlL,EAAOmL,aAAenL,EAAOoL,aAAe,OACvC,CAGL,GAFAhB,EAAWpK,EAAQ,eAEfA,EAAOuK,iBAAmB,EAAIvK,EAAOxiC,SAAU,CACjD,IAAI6tC,EAAMrL,EAAOxiC,SAAWwiC,EAAOuK,iBACnC59C,EAAI,IAAInc,MAAM66D,GAAK3jD,KAAK,KAAOiF,CACjC,CACAqzC,EAAOiK,UAAY,IAAMt9C,EACzBqzC,EAAOnoD,MAAQkxD,EAAEgB,IACnB,CACA,SAEF,KAAKhB,EAAE6B,WACA5K,EAAO6K,SAAWl+C,GAAG3D,gBAAkBsiD,GAC1CC,EAASvL,EAAQ,eACjBA,EAAOnoD,MAAQkxD,EAAEuC,MACjBtL,EAAO6K,SAAW,GAClB7K,EAAOwL,MAAQ,IACNxL,EAAO6K,SAAWl+C,IAAM,MACjCqzC,EAAOnoD,MAAQkxD,EAAE0C,QACjBzL,EAAO0L,QAAU,GACjB1L,EAAO6K,SAAW,KACR7K,EAAO6K,SAAWl+C,GAAG3D,gBAAkB2iD,GACjD3L,EAAOnoD,MAAQkxD,EAAE4C,SACb3L,EAAO4L,SAAW5L,EAAO6I,UAC3BuB,EAAWpK,EACT,+CAEJA,EAAO4L,QAAU,GACjB5L,EAAO6K,SAAW,IACH,MAANl+C,GACT4+C,EAASvL,EAAQ,oBAAqBA,EAAO6K,UAC7C7K,EAAO6K,SAAW,GAClB7K,EAAOnoD,MAAQkxD,EAAEgB,MACR8B,EAAQl/C,IACjBqzC,EAAOnoD,MAAQkxD,EAAE+C,iBACjB9L,EAAO6K,UAAYl+C,GAEnBqzC,EAAO6K,UAAYl+C,EAErB,SAEF,KAAKo8C,EAAE+C,iBACDn/C,IAAMqzC,EAAOqI,IACfrI,EAAOnoD,MAAQkxD,EAAE6B,UACjB5K,EAAOqI,EAAI,IAEbrI,EAAO6K,UAAYl+C,EACnB,SAEF,KAAKo8C,EAAE4C,QACK,MAANh/C,GACFqzC,EAAOnoD,MAAQkxD,EAAEgB,KACjBwB,EAASvL,EAAQ,YAAaA,EAAO4L,SACrC5L,EAAO4L,SAAU,IAEjB5L,EAAO4L,SAAWj/C,EACR,MAANA,EACFqzC,EAAOnoD,MAAQkxD,EAAEgD,YACRF,EAAQl/C,KACjBqzC,EAAOnoD,MAAQkxD,EAAEiD,eACjBhM,EAAOqI,EAAI17C,IAGf,SAEF,KAAKo8C,EAAEiD,eACLhM,EAAO4L,SAAWj/C,EACdA,IAAMqzC,EAAOqI,IACfrI,EAAOqI,EAAI,GACXrI,EAAOnoD,MAAQkxD,EAAE4C,SAEnB,SAEF,KAAK5C,EAAEgD,YACL/L,EAAO4L,SAAWj/C,EACR,MAANA,EACFqzC,EAAOnoD,MAAQkxD,EAAE4C,QACRE,EAAQl/C,KACjBqzC,EAAOnoD,MAAQkxD,EAAEkD,mBACjBjM,EAAOqI,EAAI17C,GAEb,SAEF,KAAKo8C,EAAEkD,mBACLjM,EAAO4L,SAAWj/C,EACdA,IAAMqzC,EAAOqI,IACfrI,EAAOnoD,MAAQkxD,EAAEgD,YACjB/L,EAAOqI,EAAI,IAEb,SAEF,KAAKU,EAAE0C,QACK,MAAN9+C,EACFqzC,EAAOnoD,MAAQkxD,EAAEmD,eAEjBlM,EAAO0L,SAAW/+C,EAEpB,SAEF,KAAKo8C,EAAEmD,eACK,MAANv/C,GACFqzC,EAAOnoD,MAAQkxD,EAAEoD,cACjBnM,EAAO0L,QAAUU,EAASpM,EAAO6H,IAAK7H,EAAO0L,SACzC1L,EAAO0L,SACTH,EAASvL,EAAQ,YAAaA,EAAO0L,SAEvC1L,EAAO0L,QAAU,KAEjB1L,EAAO0L,SAAW,IAAM/+C,EACxBqzC,EAAOnoD,MAAQkxD,EAAE0C,SAEnB,SAEF,KAAK1C,EAAEoD,cACK,MAANx/C,GACFy9C,EAAWpK,EAAQ,qBAGnBA,EAAO0L,SAAW,KAAO/+C,EACzBqzC,EAAOnoD,MAAQkxD,EAAE0C,SAEjBzL,EAAOnoD,MAAQkxD,EAAEgB,KAEnB,SAEF,KAAKhB,EAAEuC,MACK,MAAN3+C,EACFqzC,EAAOnoD,MAAQkxD,EAAEsD,aAEjBrM,EAAOwL,OAAS7+C,EAElB,SAEF,KAAKo8C,EAAEsD,aACK,MAAN1/C,EACFqzC,EAAOnoD,MAAQkxD,EAAEuD,gBAEjBtM,EAAOwL,OAAS,IAAM7+C,EACtBqzC,EAAOnoD,MAAQkxD,EAAEuC,OAEnB,SAEF,KAAKvC,EAAEuD,eACK,MAAN3/C,GACEqzC,EAAOwL,OACTD,EAASvL,EAAQ,UAAWA,EAAOwL,OAErCD,EAASvL,EAAQ,gBACjBA,EAAOwL,MAAQ,GACfxL,EAAOnoD,MAAQkxD,EAAEgB,MACF,MAANp9C,EACTqzC,EAAOwL,OAAS,KAEhBxL,EAAOwL,OAAS,KAAO7+C,EACvBqzC,EAAOnoD,MAAQkxD,EAAEuC,OAEnB,SAEF,KAAKvC,EAAEmC,UACK,MAANv+C,EACFqzC,EAAOnoD,MAAQkxD,EAAEwD,iBACRpC,EAAax9C,GACtBqzC,EAAOnoD,MAAQkxD,EAAEyD,eAEjBxM,EAAOmL,cAAgBx+C,EAEzB,SAEF,KAAKo8C,EAAEyD,eACL,IAAKxM,EAAOoL,cAAgBjB,EAAax9C,GACvC,SACe,MAANA,EACTqzC,EAAOnoD,MAAQkxD,EAAEwD,iBAEjBvM,EAAOoL,cAAgBz+C,EAEzB,SAEF,KAAKo8C,EAAEwD,iBACK,MAAN5/C,GACF4+C,EAASvL,EAAQ,0BAA2B,CAC1CpwD,KAAMowD,EAAOmL,aACbh1D,KAAM6pD,EAAOoL,eAEfpL,EAAOmL,aAAenL,EAAOoL,aAAe,GAC5CpL,EAAOnoD,MAAQkxD,EAAEgB,OAEjB/J,EAAOoL,cAAgB,IAAMz+C,EAC7BqzC,EAAOnoD,MAAQkxD,EAAEyD,gBAEnB,SAEF,KAAKzD,EAAEiC,SACDF,EAAQ2B,EAAU9/C,GACpBqzC,EAAOiL,SAAWt+C,GAElB+/C,EAAO1M,GACG,MAANrzC,EACFggD,EAAQ3M,GACO,MAANrzC,EACTqzC,EAAOnoD,MAAQkxD,EAAE6D,gBAEZzC,EAAax9C,IAChBy9C,EAAWpK,EAAQ,iCAErBA,EAAOnoD,MAAQkxD,EAAE8D,SAGrB,SAEF,KAAK9D,EAAE6D,eACK,MAANjgD,GACFggD,EAAQ3M,GAAQ,GAChB8M,EAAS9M,KAEToK,EAAWpK,EAAQ,kDACnBA,EAAOnoD,MAAQkxD,EAAE8D,QAEnB,SAEF,KAAK9D,EAAE8D,OAEL,GAAI1C,EAAax9C,GACf,SACe,MAANA,EACTggD,EAAQ3M,GACO,MAANrzC,EACTqzC,EAAOnoD,MAAQkxD,EAAE6D,eACR9B,EAAQC,EAAWp+C,IAC5BqzC,EAAO+M,WAAapgD,EACpBqzC,EAAOgN,YAAc,GACrBhN,EAAOnoD,MAAQkxD,EAAEkE,aAEjB7C,EAAWpK,EAAQ,0BAErB,SAEF,KAAK+I,EAAEkE,YACK,MAANtgD,EACFqzC,EAAOnoD,MAAQkxD,EAAEmE,aACF,MAANvgD,GACTy9C,EAAWpK,EAAQ,2BACnBA,EAAOgN,YAAchN,EAAO+M,WAC5BI,EAAOnN,GACP2M,EAAQ3M,IACCmK,EAAax9C,GACtBqzC,EAAOnoD,MAAQkxD,EAAEqE,sBACRtC,EAAQ2B,EAAU9/C,GAC3BqzC,EAAO+M,YAAcpgD,EAErBy9C,EAAWpK,EAAQ,0BAErB,SAEF,KAAK+I,EAAEqE,sBACL,GAAU,MAANzgD,EACFqzC,EAAOnoD,MAAQkxD,EAAEmE,iBACZ,IAAI/C,EAAax9C,GACtB,SAEAy9C,EAAWpK,EAAQ,2BACnBA,EAAOppC,IAAIijB,WAAWmmB,EAAO+M,YAAc,GAC3C/M,EAAOgN,YAAc,GACrBzB,EAASvL,EAAQ,cAAe,CAC9BpwD,KAAMowD,EAAO+M,WACb/0D,MAAO,KAETgoD,EAAO+M,WAAa,GACV,MAANpgD,EACFggD,EAAQ3M,GACC8K,EAAQC,EAAWp+C,IAC5BqzC,EAAO+M,WAAapgD,EACpBqzC,EAAOnoD,MAAQkxD,EAAEkE,cAEjB7C,EAAWpK,EAAQ,0BACnBA,EAAOnoD,MAAQkxD,EAAE8D,OAErB,CACA,SAEF,KAAK9D,EAAEmE,aACL,GAAI/C,EAAax9C,GACf,SACSk/C,EAAQl/C,IACjBqzC,EAAOqI,EAAI17C,EACXqzC,EAAOnoD,MAAQkxD,EAAEsE,sBAEjBjD,EAAWpK,EAAQ,4BACnBA,EAAOnoD,MAAQkxD,EAAEuE,sBACjBtN,EAAOgN,YAAcrgD,GAEvB,SAEF,KAAKo8C,EAAEsE,oBACL,GAAI1gD,IAAMqzC,EAAOqI,EAAG,CACR,MAAN17C,EACFqzC,EAAOnoD,MAAQkxD,EAAEwE,sBAEjBvN,EAAOgN,aAAergD,EAExB,QACF,CACAwgD,EAAOnN,GACPA,EAAOqI,EAAI,GACXrI,EAAOnoD,MAAQkxD,EAAEyE,oBACjB,SAEF,KAAKzE,EAAEyE,oBACDrD,EAAax9C,GACfqzC,EAAOnoD,MAAQkxD,EAAE8D,OACF,MAANlgD,EACTggD,EAAQ3M,GACO,MAANrzC,EACTqzC,EAAOnoD,MAAQkxD,EAAE6D,eACR9B,EAAQC,EAAWp+C,IAC5By9C,EAAWpK,EAAQ,oCACnBA,EAAO+M,WAAapgD,EACpBqzC,EAAOgN,YAAc,GACrBhN,EAAOnoD,MAAQkxD,EAAEkE,aAEjB7C,EAAWpK,EAAQ,0BAErB,SAEF,KAAK+I,EAAEuE,sBACL,IAAKG,EAAY9gD,GAAI,CACT,MAANA,EACFqzC,EAAOnoD,MAAQkxD,EAAE2E,sBAEjB1N,EAAOgN,aAAergD,EAExB,QACF,CACAwgD,EAAOnN,GACG,MAANrzC,EACFggD,EAAQ3M,GAERA,EAAOnoD,MAAQkxD,EAAE8D,OAEnB,SAEF,KAAK9D,EAAE4B,UACL,GAAK3K,EAAOiL,QAaK,MAANt+C,EACTmgD,EAAS9M,GACA8K,EAAQ2B,EAAU9/C,GAC3BqzC,EAAOiL,SAAWt+C,EACTqzC,EAAO0K,QAChB1K,EAAO0K,QAAU,KAAO1K,EAAOiL,QAC/BjL,EAAOiL,QAAU,GACjBjL,EAAOnoD,MAAQkxD,EAAEyB,SAEZL,EAAax9C,IAChBy9C,EAAWpK,EAAQ,kCAErBA,EAAOnoD,MAAQkxD,EAAE4E,yBAzBE,CACnB,GAAIxD,EAAax9C,GACf,SACSihD,EAAS7C,EAAWp+C,GACzBqzC,EAAO0K,QACT1K,EAAO0K,QAAU,KAAO/9C,EACxBqzC,EAAOnoD,MAAQkxD,EAAEyB,QAEjBJ,EAAWpK,EAAQ,mCAGrBA,EAAOiL,QAAUt+C,CAErB,CAcA,SAEF,KAAKo8C,EAAE4E,oBACL,GAAIxD,EAAax9C,GACf,SAEQ,MAANA,EACFmgD,EAAS9M,GAEToK,EAAWpK,EAAQ,qCAErB,SAEF,KAAK+I,EAAEsB,YACP,KAAKtB,EAAEwE,sBACP,KAAKxE,EAAE2E,sBACL,IAAIG,EACAC,EACJ,OAAQ9N,EAAOnoD,OACb,KAAKkxD,EAAEsB,YACLwD,EAAc9E,EAAEgB,KAChB+D,EAAS,WACT,MAEF,KAAK/E,EAAEwE,sBACLM,EAAc9E,EAAEsE,oBAChBS,EAAS,cACT,MAEF,KAAK/E,EAAE2E,sBACLG,EAAc9E,EAAEuE,sBAChBQ,EAAS,cAIb,GAAU,MAANnhD,EACF,GAAIqzC,EAAO6H,IAAIkG,iBAAkB,CAC/B,IAAIC,EAAeC,EAAYjO,GAC/BA,EAAOkO,OAAS,GAChBlO,EAAOnoD,MAAQg2D,EACf7N,EAAO2J,MAAMqE,EACf,MACEhO,EAAO8N,IAAWG,EAAYjO,GAC9BA,EAAOkO,OAAS,GAChBlO,EAAOnoD,MAAQg2D,OAER/C,EAAQ9K,EAAOkO,OAAO59D,OAAS69D,EAAaC,EAAazhD,GAClEqzC,EAAOkO,QAAUvhD,GAEjBy9C,EAAWpK,EAAQ,oCACnBA,EAAO8N,IAAW,IAAM9N,EAAOkO,OAASvhD,EACxCqzC,EAAOkO,OAAS,GAChBlO,EAAOnoD,MAAQg2D,GAGjB,SAEF,QACE,MAAM,IAAIj3D,MAAMopD,EAAQ,kBAAoBA,EAAOnoD,OAQzD,OAHImoD,EAAOxiC,UAAYwiC,EAAOsI,qBAt4ChC,SAA4BtI,GAG1B,IAFA,IAAIqO,EAAa5rC,KAAKD,IAAIolC,EAAIK,kBAAmB,IAC7CqG,EAAY,EACPl+D,EAAI,EAAGC,EAAI83D,EAAQ73D,OAAQF,EAAIC,EAAGD,IAAK,CAC9C,IAAIa,EAAM+uD,EAAOmI,EAAQ/3D,IAAIE,OAC7B,GAAIW,EAAMo9D,EAKR,OAAQlG,EAAQ/3D,IACd,IAAK,WACHm+D,EAAUvO,GACV,MAEF,IAAK,QACHuL,EAASvL,EAAQ,UAAWA,EAAOwL,OACnCxL,EAAOwL,MAAQ,GACf,MAEF,IAAK,SACHD,EAASvL,EAAQ,WAAYA,EAAO0K,QACpC1K,EAAO0K,OAAS,GAChB,MAEF,QACE92D,EAAMosD,EAAQ,+BAAiCmI,EAAQ/3D,IAG7Dk+D,EAAY7rC,KAAKD,IAAI8rC,EAAWr9D,EAClC,CAEA,IAAIijB,EAAI0zC,EAAIK,kBAAoBqG,EAChCtO,EAAOsI,oBAAsBp0C,EAAI8rC,EAAOxiC,QAC1C,CAq2CIgxC,CAAkBxO,GAEbA,CACT,EAj1CEyO,OAAQ,WAAiC,OAAnB7/D,KAAKgF,MAAQ,KAAahF,IAAK,EACrDgiC,MAAO,WAAc,OAAOhiC,KAAK+6D,MAAM,KAAM,EAC7CvoD,MAAO,WAjBT,IAAuB4+C,EACrBuO,EADqBvO,EAiBapxD,MAfb,KAAjBoxD,EAAOwL,QACTD,EAASvL,EAAQ,UAAWA,EAAOwL,OACnCxL,EAAOwL,MAAQ,IAEK,KAAlBxL,EAAO0K,SACTa,EAASvL,EAAQ,WAAYA,EAAO0K,QACpC1K,EAAO0K,OAAS,GASsB,GAI1C,IACExC,EAAS,eACX,CAAE,MAAOwG,GACPxG,EAAS,WAAa,CACxB,CACKA,IAAQA,EAAS,WAAa,GAEnC,IAAIyG,EAAc/G,EAAI8B,OAAO7rD,QAAO,SAAU+wD,GAC5C,MAAc,UAAPA,GAAyB,QAAPA,CAC3B,IAMA,SAAS7G,EAAW3+C,EAAQy+C,GAC1B,KAAMj5D,gBAAgBm5D,GACpB,OAAO,IAAIA,EAAU3+C,EAAQy+C,GAG/BK,EAAO72D,MAAMzC,MAEbA,KAAKigE,QAAU,IAAI/G,EAAU1+C,EAAQy+C,GACrCj5D,KAAK6W,UAAW,EAChB7W,KAAKkgE,UAAW,EAEhB,IAAIC,EAAKngE,KAETA,KAAKigE,QAAQG,MAAQ,WACnBD,EAAGr+D,KAAK,MACV,EAEA9B,KAAKigE,QAAQn7D,QAAU,SAAUu7D,GAC/BF,EAAGr+D,KAAK,QAASu+D,GAIjBF,EAAGF,QAAQj7D,MAAQ,IACrB,EAEAhF,KAAKsgE,SAAW,KAEhBP,EAAY1xD,SAAQ,SAAU2xD,GAC5BzgE,OAAOoX,eAAewpD,EAAI,KAAOH,EAAI,CACnCryD,IAAK,WACH,OAAOwyD,EAAGF,QAAQ,KAAOD,EAC3B,EACAhwD,IAAK,SAAUqR,GACb,IAAKA,EAGH,OAFA8+C,EAAGv9D,mBAAmBo9D,GACtBG,EAAGF,QAAQ,KAAOD,GAAM3+C,EACjBA,EAET8+C,EAAGx9D,GAAGq9D,EAAI3+C,EACZ,EACAtK,YAAY,EACZD,cAAc,GAElB,GACF,CAEAqiD,EAAU35D,UAAYD,OAAOqB,OAAO04D,EAAO95D,UAAW,CACpDk2B,YAAa,CACXtsB,MAAO+vD,KAIXA,EAAU35D,UAAUu7D,MAAQ,SAAU7wD,GACpC,GAAsB,mBAAXq2D,GACkB,mBAApBA,EAAOC,UACdD,EAAOC,SAASt2D,GAAO,CACvB,IAAKlK,KAAKsgE,SAAU,CAClB,IAAIG,EAAK,WACTzgE,KAAKsgE,SAAW,IAAIG,EAAG,OACzB,CACAv2D,EAAOlK,KAAKsgE,SAASvF,MAAM7wD,EAC7B,CAIA,OAFAlK,KAAKigE,QAAQlF,MAAM7wD,EAAK1G,YACxBxD,KAAK8B,KAAK,OAAQoI,IACX,CACT,EAEAivD,EAAU35D,UAAU8mB,IAAM,SAAU00C,GAKlC,OAJIA,GAASA,EAAMt5D,QACjB1B,KAAK+6D,MAAMC,GAEbh7D,KAAKigE,QAAQ35C,OACN,CACT,EAEA6yC,EAAU35D,UAAUmD,GAAK,SAAUq9D,EAAI72C,GACrC,IAAIg3C,EAAKngE,KAST,OARKmgE,EAAGF,QAAQ,KAAOD,KAAoC,IAA7BD,EAAY1sD,QAAQ2sD,KAChDG,EAAGF,QAAQ,KAAOD,GAAM,WACtB,IAAI59D,EAA4B,IAArBE,UAAUZ,OAAe,CAACY,UAAU,IAAMV,MAAMa,MAAM,KAAMH,WACvEF,EAAKkR,OAAO,EAAG,EAAG0sD,GAClBG,EAAGr+D,KAAKW,MAAM09D,EAAI/9D,EACpB,GAGKk3D,EAAO95D,UAAUmD,GAAGzB,KAAKi/D,EAAIH,EAAI72C,EAC1C,EAIA,IAAIuzC,EAAQ,UACRK,EAAU,UACV2D,EAAgB,uCAChBC,EAAkB,gCAClBhG,EAAS,CAAEiG,IAAKF,EAAejG,MAAOkG,GAQtCxE,EAAY,4JAEZ0B,EAAW,gMAEX2B,EAAc,6JACdD,EAAa,iMAEjB,SAAShE,EAAcx9C,GACrB,MAAa,MAANA,GAAmB,OAANA,GAAoB,OAANA,GAAoB,OAANA,CAClD,CAEA,SAASk/C,EAASl/C,GAChB,MAAa,MAANA,GAAmB,MAANA,CACtB,CAEA,SAAS8gD,EAAa9gD,GACpB,MAAa,MAANA,GAAaw9C,EAAax9C,EACnC,CAEA,SAASm+C,EAASrwC,EAAO9N,GACvB,OAAO8N,EAAM7lB,KAAK+X,EACpB,CAEA,SAASihD,EAAUnzC,EAAO9N,GACxB,OAAQm+C,EAAQrwC,EAAO9N,EACzB,CAEA,IAgsCQ8iD,EACAhZ,EACAiZ,EAlsCJ3G,EAAI,EAsTR,IAAK,IAAItF,KArTTmE,EAAI+H,MAAQ,CACV3G,MAAOD,IACPc,iBAAkBd,IAClBgB,KAAMhB,IACNsB,YAAatB,IACbuB,UAAWvB,IACX6B,UAAW7B,IACX+C,iBAAkB/C,IAClB4C,QAAS5C,IACTiD,eAAgBjD,IAChBgD,YAAahD,IACbkD,mBAAoBlD,IACpB6G,iBAAkB7G,IAClB0C,QAAS1C,IACTmD,eAAgBnD,IAChBoD,cAAepD,IACfuC,MAAOvC,IACPsD,aAActD,IACduD,eAAgBvD,IAChBmC,UAAWnC,IACXyD,eAAgBzD,IAChBwD,iBAAkBxD,IAClBiC,SAAUjC,IACV6D,eAAgB7D,IAChB8D,OAAQ9D,IACRkE,YAAalE,IACbqE,sBAAuBrE,IACvBmE,aAAcnE,IACdsE,oBAAqBtE,IACrByE,oBAAqBzE,IACrBuE,sBAAuBvE,IACvBwE,sBAAuBxE,IACvB2E,sBAAuB3E,IACvB4B,UAAW5B,IACX4E,oBAAqB5E,IACrByB,OAAQzB,IACR0B,cAAe1B,KAGjBnB,EAAIuB,aAAe,CACjB,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,KAGVvB,EAAIsB,SAAW,CACb,IAAO,IACP,GAAM,IACN,GAAM,IACN,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,IAAO,IACP,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,KAAQ,IACR,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,IAAO,IACP,KAAQ,IACR,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,KAAQ,IACR,MAAS,IACT,MAAS,IACT,OAAU,IACV,MAAS,IACT,OAAU,IACV,KAAQ,IACR,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,IAAO,IACP,KAAQ,IACR,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,IAAO,IACP,OAAU,IACV,KAAQ,IACR,IAAO,IACP,KAAQ,IACR,MAAS,IACT,IAAO,IACP,IAAO,IACP,KAAQ,IACR,IAAO,IACP,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,MAAS,IACT,KAAQ,IACR,OAAU,IACV,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,OAAU,IACV,OAAU,IACV,OAAU,IACV,MAAS,IACT,OAAU,IACV,MAAS,IACT,MAAS,IACT,OAAU,IACV,OAAU,IACV,KAAQ,IACR,KAAQ,IACR,KAAQ,IACR,MAAS,IACT,MAAS,IACT,KAAQ,IACR,MAAS,IACT,MAAS,IACT,QAAW,IACX,KAAQ,IACR,IAAO,IACP,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,GAAM,IACN,GAAM,IACN,GAAM,IACN,QAAW,IACX,GAAM,IACN,IAAO,IACP,MAAS,IACT,IAAO,IACP,QAAW,IACX,IAAO,IACP,IAAO,IACP,IAAO,IACP,MAAS,IACT,MAAS,IACT,KAAQ,IACR,MAAS,IACT,MAAS,IACT,QAAW,IACX,KAAQ,IACR,IAAO,IACP,MAAS,IACT,KAAQ,IACR,MAAS,IACT,OAAU,IACV,GAAM,IACN,GAAM,IACN,GAAM,IACN,QAAW,IACX,GAAM,IACN,IAAO,IACP,OAAU,IACV,MAAS,IACT,IAAO,IACP,QAAW,IACX,IAAO,IACP,IAAO,IACP,IAAO,IACP,MAAS,IACT,SAAY,IACZ,MAAS,IACT,IAAO,IACP,KAAQ,KACR,KAAQ,KACR,OAAU,KACV,KAAQ,KACR,IAAO,KACP,IAAO,KACP,IAAO,KACP,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,KAAQ,KACR,OAAU,KACV,OAAU,KACV,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,MAAS,KACT,MAAS,KACT,KAAQ,KACR,MAAS,KACT,OAAU,KACV,KAAQ,KACR,MAAS,KACT,QAAW,KACX,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,OAAU,KACV,KAAQ,KACR,MAAS,KACT,MAAS,KACT,MAAS,KACT,KAAQ,KACR,MAAS,KACT,GAAM,KACN,KAAQ,KACR,IAAO,KACP,MAAS,KACT,OAAU,KACV,MAAS,KACT,KAAQ,KACR,MAAS,KACT,IAAO,KACP,IAAO,KACP,GAAM,KACN,IAAO,KACP,IAAO,KACP,IAAO,KACP,OAAU,KACV,IAAO,KACP,KAAQ,KACR,MAAS,KACT,GAAM,KACN,MAAS,KACT,GAAM,KACN,GAAM,KACN,IAAO,KACP,IAAO,KACP,KAAQ,KACR,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,OAAU,KACV,KAAQ,KACR,KAAQ,KACR,MAAS,KACT,MAAS,KACT,OAAU,KACV,OAAU,KACV,KAAQ,KACR,KAAQ,KACR,IAAO,KACP,OAAU,KACV,MAAS,KACT,OAAU,KACV,MAAS,MAGX/6D,OAAO4K,KAAK6uD,EAAIsB,UAAUjsD,SAAQ,SAAUnF,GAC1C,IAAI/D,EAAI6zD,EAAIsB,SAASpxD,GACjB2rD,EAAiB,iBAAN1vD,EAAiB+B,OAAOC,aAAahC,GAAKA,EACzD6zD,EAAIsB,SAASpxD,GAAO2rD,CACtB,IAEcmE,EAAI+H,MAChB/H,EAAI+H,MAAM/H,EAAI+H,MAAMlM,IAAMA,EAM5B,SAAS/yD,EAAMsvD,EAAQjxD,EAAO+J,GAC5BknD,EAAOjxD,IAAUixD,EAAOjxD,GAAO+J,EACjC,CAEA,SAASyyD,EAAUvL,EAAQ6P,EAAU/2D,GAC/BknD,EAAOiK,UAAUsE,EAAUvO,GAC/BtvD,EAAKsvD,EAAQ6P,EAAU/2D,EACzB,CAEA,SAASy1D,EAAWvO,GAClBA,EAAOiK,SAAWmC,EAASpM,EAAO6H,IAAK7H,EAAOiK,UAC1CjK,EAAOiK,UAAUv5D,EAAKsvD,EAAQ,SAAUA,EAAOiK,UACnDjK,EAAOiK,SAAW,EACpB,CAEA,SAASmC,EAAUvE,EAAK5rD,GAGtB,OAFI4rD,EAAI19C,OAAMlO,EAAOA,EAAKkO,QACtB09C,EAAIiI,YAAW7zD,EAAOA,EAAKpF,QAAQ,OAAQ,MACxCoF,CACT,CAEA,SAASrI,EAAOosD,EAAQiP,GAUtB,OATAV,EAAUvO,GACNA,EAAOwJ,gBACTyF,GAAM,WAAajP,EAAOyJ,KACxB,aAAezJ,EAAOzM,OACtB,WAAayM,EAAOrzC,GAExBsiD,EAAK,IAAIr4D,MAAMq4D,GACfjP,EAAOpsD,MAAQq7D,EACfv+D,EAAKsvD,EAAQ,UAAWiP,GACjBjP,CACT,CAEA,SAAS9qC,EAAK8qC,GAYZ,OAXIA,EAAO6I,UAAY7I,EAAO4I,YAAYwB,EAAWpK,EAAQ,qBACxDA,EAAOnoD,QAAUkxD,EAAEC,OACrBhJ,EAAOnoD,QAAUkxD,EAAEc,kBACnB7J,EAAOnoD,QAAUkxD,EAAEgB,MACpBn2D,EAAMosD,EAAQ,kBAEhBuO,EAAUvO,GACVA,EAAOrzC,EAAI,GACXqzC,EAAO2I,QAAS,EAChBj4D,EAAKsvD,EAAQ,SACb8H,EAAUh4D,KAAKkwD,EAAQA,EAAO52C,OAAQ42C,EAAO6H,KACtC7H,CACT,CAEA,SAASoK,EAAYpK,EAAQ/oD,GAC3B,GAAsB,iBAAX+oD,KAAyBA,aAAkB8H,GACpD,MAAM,IAAIlxD,MAAM,0BAEdopD,EAAO52C,QACTxV,EAAMosD,EAAQ/oD,EAElB,CAEA,SAASy1D,EAAQ1M,GACVA,EAAO52C,SAAQ42C,EAAOiL,QAAUjL,EAAOiL,QAAQjL,EAAOyI,cAC3D,IAAIl6C,EAASyxC,EAAO0I,KAAK1I,EAAO0I,KAAKp4D,OAAS,IAAM0vD,EAChDppC,EAAMopC,EAAOppC,IAAM,CAAEhnB,KAAMowD,EAAOiL,QAASpxB,WAAY,CAAC,GAGxDmmB,EAAO6H,IAAIwB,QACbzyC,EAAI0yC,GAAK/6C,EAAO+6C,IAElBtJ,EAAOoJ,WAAW94D,OAAS,EAC3Bi7D,EAASvL,EAAQ,iBAAkBppC,EACrC,CAEA,SAASm5C,EAAOngE,EAAMmqC,GACpB,IACIi2B,EADIpgE,EAAKqS,QAAQ,KACF,EAAI,CAAE,GAAIrS,GAASA,EAAK4X,MAAM,KAC7ClZ,EAAS0hE,EAAS,GAClBC,EAAQD,EAAS,GAQrB,OALIj2B,GAAsB,UAATnqC,IACftB,EAAS,QACT2hE,EAAQ,IAGH,CAAE3hE,OAAQA,EAAQ2hE,MAAOA,EAClC,CAEA,SAAS9C,EAAQnN,GAKf,GAJKA,EAAO52C,SACV42C,EAAO+M,WAAa/M,EAAO+M,WAAW/M,EAAOyI,eAGO,IAAlDzI,EAAOoJ,WAAWnnD,QAAQ+9C,EAAO+M,aACnC/M,EAAOppC,IAAIijB,WAAWxrC,eAAe2xD,EAAO+M,YAC5C/M,EAAO+M,WAAa/M,EAAOgN,YAAc,OAF3C,CAMA,GAAIhN,EAAO6H,IAAIwB,MAAO,CACpB,IAAI6G,EAAKH,EAAM/P,EAAO+M,YAAY,GAC9Bz+D,EAAS4hE,EAAG5hE,OACZ2hE,EAAQC,EAAGD,MAEf,GAAe,UAAX3hE,EAEF,GAAc,QAAV2hE,GAAmBjQ,EAAOgN,cAAgBsC,EAC5ClF,EAAWpK,EACT,gCAAkCsP,EAAlC,aACatP,EAAOgN,kBACjB,GAAc,UAAViD,GAAqBjQ,EAAOgN,cAAgBuC,EACrDnF,EAAWpK,EACT,kCAAoCuP,EAApC,aACavP,EAAOgN,iBACjB,CACL,IAAIp2C,EAAMopC,EAAOppC,IACbrI,EAASyxC,EAAO0I,KAAK1I,EAAO0I,KAAKp4D,OAAS,IAAM0vD,EAChDppC,EAAI0yC,KAAO/6C,EAAO+6C,KACpB1yC,EAAI0yC,GAAKn7D,OAAOqB,OAAO+e,EAAO+6C,KAEhC1yC,EAAI0yC,GAAG2G,GAASjQ,EAAOgN,WACzB,CAMFhN,EAAOoJ,WAAWh6D,KAAK,CAAC4wD,EAAO+M,WAAY/M,EAAOgN,aACpD,MAEEhN,EAAOppC,IAAIijB,WAAWmmB,EAAO+M,YAAc/M,EAAOgN,YAClDzB,EAASvL,EAAQ,cAAe,CAC9BpwD,KAAMowD,EAAO+M,WACb/0D,MAAOgoD,EAAOgN,cAIlBhN,EAAO+M,WAAa/M,EAAOgN,YAAc,EAxCzC,CAyCF,CAEA,SAASL,EAAS3M,EAAQmQ,GACxB,GAAInQ,EAAO6H,IAAIwB,MAAO,CAEpB,IAAIzyC,EAAMopC,EAAOppC,IAGbs5C,EAAKH,EAAM/P,EAAOiL,SACtBr0C,EAAItoB,OAAS4hE,EAAG5hE,OAChBsoB,EAAIq5C,MAAQC,EAAGD,MACfr5C,EAAIw5C,IAAMx5C,EAAI0yC,GAAG4G,EAAG5hE,SAAW,GAE3BsoB,EAAItoB,SAAWsoB,EAAIw5C,MACrBhG,EAAWpK,EAAQ,6BACjBjlD,KAAKC,UAAUglD,EAAOiL,UACxBr0C,EAAIw5C,IAAMF,EAAG5hE,QAGf,IAAIigB,EAASyxC,EAAO0I,KAAK1I,EAAO0I,KAAKp4D,OAAS,IAAM0vD,EAChDppC,EAAI0yC,IAAM/6C,EAAO+6C,KAAO1yC,EAAI0yC,IAC9Bn7D,OAAO4K,KAAK6d,EAAI0yC,IAAIrsD,SAAQ,SAAU2I,GACpC2lD,EAASvL,EAAQ,kBAAmB,CAClC1xD,OAAQsX,EACRwqD,IAAKx5C,EAAI0yC,GAAG1jD,IAEhB,IAMF,IAAK,IAAIxV,EAAI,EAAGC,EAAI2vD,EAAOoJ,WAAW94D,OAAQF,EAAIC,EAAGD,IAAK,CACxD,IAAIigE,EAAKrQ,EAAOoJ,WAAWh5D,GACvBR,EAAOygE,EAAG,GACVr4D,EAAQq4D,EAAG,GACXL,EAAWD,EAAMngE,GAAM,GACvBtB,EAAS0hE,EAAS1hE,OAClB2hE,EAAQD,EAASC,MACjBG,EAAiB,KAAX9hE,EAAgB,GAAMsoB,EAAI0yC,GAAGh7D,IAAW,GAC9CyG,EAAI,CACNnF,KAAMA,EACNoI,MAAOA,EACP1J,OAAQA,EACR2hE,MAAOA,EACPG,IAAKA,GAKH9hE,GAAqB,UAAXA,IAAuB8hE,IACnChG,EAAWpK,EAAQ,6BACjBjlD,KAAKC,UAAU1M,IACjByG,EAAEq7D,IAAM9hE,GAEV0xD,EAAOppC,IAAIijB,WAAWjqC,GAAQmF,EAC9Bw2D,EAASvL,EAAQ,cAAejrD,EAClC,CACAirD,EAAOoJ,WAAW94D,OAAS,CAC7B,CAEA0vD,EAAOppC,IAAI05C,gBAAkBH,EAG7BnQ,EAAO6I,SAAU,EACjB7I,EAAO0I,KAAKt5D,KAAK4wD,EAAOppC,KACxB20C,EAASvL,EAAQ,YAAaA,EAAOppC,KAChCu5C,IAEEnQ,EAAO8I,UAA6C,WAAjC9I,EAAOiL,QAAQxzD,cAGrCuoD,EAAOnoD,MAAQkxD,EAAEgB,KAFjB/J,EAAOnoD,MAAQkxD,EAAEyB,OAInBxK,EAAOppC,IAAM,KACbopC,EAAOiL,QAAU,IAEnBjL,EAAO+M,WAAa/M,EAAOgN,YAAc,GACzChN,EAAOoJ,WAAW94D,OAAS,CAC7B,CAEA,SAASw8D,EAAU9M,GACjB,IAAKA,EAAOiL,QAIV,OAHAb,EAAWpK,EAAQ,0BACnBA,EAAOiK,UAAY,WACnBjK,EAAOnoD,MAAQkxD,EAAEgB,MAInB,GAAI/J,EAAO0K,OAAQ,CACjB,GAAuB,WAAnB1K,EAAOiL,QAIT,OAHAjL,EAAO0K,QAAU,KAAO1K,EAAOiL,QAAU,IACzCjL,EAAOiL,QAAU,QACjBjL,EAAOnoD,MAAQkxD,EAAEyB,QAGnBe,EAASvL,EAAQ,WAAYA,EAAO0K,QACpC1K,EAAO0K,OAAS,EAClB,CAIA,IAAI99B,EAAIozB,EAAO0I,KAAKp4D,OAChB26D,EAAUjL,EAAOiL,QAChBjL,EAAO52C,SACV6hD,EAAUA,EAAQjL,EAAOyI,cAG3B,IADA,IAAI8H,EAAUtF,EACPr+B,KACOozB,EAAO0I,KAAK97B,GACdh9B,OAAS2gE,GAEjBnG,EAAWpK,EAAQ,wBAOvB,GAAIpzB,EAAI,EAIN,OAHAw9B,EAAWpK,EAAQ,0BAA4BA,EAAOiL,SACtDjL,EAAOiK,UAAY,KAAOjK,EAAOiL,QAAU,SAC3CjL,EAAOnoD,MAAQkxD,EAAEgB,MAGnB/J,EAAOiL,QAAUA,EAEjB,IADA,IAAIxH,EAAIzD,EAAO0I,KAAKp4D,OACbmzD,KAAM72B,GAAG,CACd,IAAIhW,EAAMopC,EAAOppC,IAAMopC,EAAO0I,KAAKp2C,MACnC0tC,EAAOiL,QAAUjL,EAAOppC,IAAIhnB,KAC5B27D,EAASvL,EAAQ,aAAcA,EAAOiL,SAEtC,IAAIniD,EAAI,CAAC,EACT,IAAK,IAAI1Y,KAAKwmB,EAAI0yC,GAChBxgD,EAAE1Y,GAAKwmB,EAAI0yC,GAAGl5D,GAGhB,IAAIme,EAASyxC,EAAO0I,KAAK1I,EAAO0I,KAAKp4D,OAAS,IAAM0vD,EAChDA,EAAO6H,IAAIwB,OAASzyC,EAAI0yC,KAAO/6C,EAAO+6C,IAExCn7D,OAAO4K,KAAK6d,EAAI0yC,IAAIrsD,SAAQ,SAAU2I,GACpC,IAAI+e,EAAI/N,EAAI0yC,GAAG1jD,GACf2lD,EAASvL,EAAQ,mBAAoB,CAAE1xD,OAAQsX,EAAGwqD,IAAKzrC,GACzD,GAEJ,CACU,IAANiI,IAASozB,EAAO4I,YAAa,GACjC5I,EAAOiL,QAAUjL,EAAOgN,YAAchN,EAAO+M,WAAa,GAC1D/M,EAAOoJ,WAAW94D,OAAS,EAC3B0vD,EAAOnoD,MAAQkxD,EAAEgB,IACnB,CAEA,SAASkE,EAAajO,GACpB,IAEIwQ,EAFAtC,EAASlO,EAAOkO,OAChBuC,EAAWvC,EAAOz2D,cAElBi5D,EAAS,GAEb,OAAI1Q,EAAOkJ,SAASgF,GACXlO,EAAOkJ,SAASgF,GAErBlO,EAAOkJ,SAASuH,GACXzQ,EAAOkJ,SAASuH,IAGA,OADzBvC,EAASuC,GACEr+C,OAAO,KACS,MAArB87C,EAAO97C,OAAO,IAChB87C,EAASA,EAAOn+D,MAAM,GAEtB2gE,GADAF,EAAMnrB,SAAS6oB,EAAQ,KACV97D,SAAS,MAEtB87D,EAASA,EAAOn+D,MAAM,GAEtB2gE,GADAF,EAAMnrB,SAAS6oB,EAAQ,KACV97D,SAAS,MAG1B87D,EAASA,EAAOr3D,QAAQ,MAAO,IAC3BqT,MAAMsmD,IAAQE,EAAOj5D,gBAAkBy2D,GACzC9D,EAAWpK,EAAQ,4BACZ,IAAMA,EAAOkO,OAAS,KAGxBp4D,OAAO45D,cAAcc,GAC9B,CAEA,SAAS1G,EAAiB9J,EAAQrzC,GACtB,MAANA,GACFqzC,EAAOnoD,MAAQkxD,EAAEuB,UACjBtK,EAAOuK,iBAAmBvK,EAAOxiC,UACvB2sC,EAAax9C,KAGvBy9C,EAAWpK,EAAQ,oCACnBA,EAAOiK,SAAWt9C,EAClBqzC,EAAOnoD,MAAQkxD,EAAEgB,KAErB,CAEA,SAAS33C,EAAQw3C,EAAOx5D,GACtB,IAAIuG,EAAS,GAIb,OAHIvG,EAAIw5D,EAAMt5D,SACZqG,EAASizD,EAAMx3C,OAAOhiB,IAEjBuG,CACT,CAtVAoyD,EAAInB,EAAI+H,MAm4BH75D,OAAO45D,gBAEJD,EAAqB35D,OAAOC,aAC5B0gD,EAAQh0B,KAAKg0B,MACbiZ,EAAgB,WAClB,IAEIiB,EACAC,EAFAC,EAAY,GAGZplD,GAAS,EACTnb,EAASY,UAAUZ,OACvB,IAAKA,EACH,MAAO,GAGT,IADA,IAAIqG,EAAS,KACJ8U,EAAQnb,GAAQ,CACvB,IAAIwgE,EAAYjnD,OAAO3Y,UAAUua,IACjC,IACGslD,SAASD,IACVA,EAAY,GACZA,EAAY,SACZra,EAAMqa,KAAeA,EAErB,MAAME,WAAW,uBAAyBF,GAExCA,GAAa,MACfD,EAAUzhE,KAAK0hE,IAIfH,EAAoC,QADpCG,GAAa,QACiB,IAC9BF,EAAgBE,EAAY,KAAS,MACrCD,EAAUzhE,KAAKuhE,EAAeC,KAE5BnlD,EAAQ,IAAMnb,GAAUugE,EAAUvgE,OA7BzB,SA8BXqG,GAAU84D,EAAmBp+D,MAAM,KAAMw/D,GACzCA,EAAUvgE,OAAS,EAEvB,CACA,OAAOqG,CACT,EAEIxI,OAAOoX,eACTpX,OAAOoX,eAAezP,OAAQ,gBAAiB,CAC7CkC,MAAO03D,EACPhqD,cAAc,EACdD,UAAU,IAGZ3P,OAAO45D,cAAgBA,EAI9B,CAriDA,CAqiDmD99D,0CCriDnD,SAAUiB,EAAQzB,GACf,aAEA,IAAIyB,EAAOo+D,aAAX,CAIA,IAIIC,EA6HIC,EAZAC,EArBAC,EACAC,EAjGJC,EAAa,EACbC,EAAgB,CAAC,EACjBC,GAAwB,EACxBC,EAAM7+D,EAAOwB,SAoJbs9D,EAAWxjE,OAAO80D,gBAAkB90D,OAAO80D,eAAepwD,GAC9D8+D,EAAWA,GAAYA,EAASn8D,WAAam8D,EAAW9+D,EAGf,qBAArC,CAAC,EAAET,SAAStC,KAAK+C,EAAO++D,SApFxBV,EAAoB,SAASW,GACzBD,EAAQE,UAAS,WAAcC,EAAaF,EAAS,GACzD,EAGJ,WAGI,GAAIh/D,EAAOm/D,cAAgBn/D,EAAOo/D,cAAe,CAC7C,IAAIC,GAA4B,EAC5BC,EAAet/D,EAAOu/D,UAM1B,OALAv/D,EAAOu/D,UAAY,WACfF,GAA4B,CAChC,EACAr/D,EAAOm/D,YAAY,GAAI,KACvBn/D,EAAOu/D,UAAYD,EACZD,CACX,CACJ,CAsEWG,IA/DHhB,EAAgB,gBAAkB5uC,KAAKu0B,SAAW,IAClDsa,EAAkB,SAASviE,GACvBA,EAAMgkB,SAAWlgB,GACK,iBAAf9D,EAAM+J,MACyB,IAAtC/J,EAAM+J,KAAKmJ,QAAQovD,IACnBU,GAAchjE,EAAM+J,KAAK/I,MAAMshE,EAAc/gE,QAErD,EAEIuC,EAAOmqB,iBACPnqB,EAAOmqB,iBAAiB,UAAWs0C,GAAiB,GAEpDz+D,EAAOy/D,YAAY,YAAahB,GAGpCJ,EAAoB,SAASW,GACzBh/D,EAAOm/D,YAAYX,EAAgBQ,EAAQ,IAC/C,GAkDOh/D,EAAO0/D,iBA9CVnB,EAAU,IAAImB,gBACVC,MAAMJ,UAAY,SAASrjE,GAE/BgjE,EADahjE,EAAM+J,KAEvB,EAEAo4D,EAAoB,SAASW,GACzBT,EAAQqB,MAAMT,YAAYH,EAC9B,GA0COH,GAAO,uBAAwBA,EAAI18D,cAAc,WAtCpDm8D,EAAOO,EAAI/yC,gBACfuyC,EAAoB,SAASW,GAGzB,IAAInH,EAASgH,EAAI18D,cAAc,UAC/B01D,EAAOgI,mBAAqB,WACxBX,EAAaF,GACbnH,EAAOgI,mBAAqB,KAC5BvB,EAAKwB,YAAYjI,GACjBA,EAAS,IACb,EACAyG,EAAKtiC,YAAY67B,EACrB,GAIAwG,EAAoB,SAASW,GACzBr8D,WAAWu8D,EAAc,EAAGF,EAChC,EA6BJF,EAASV,aA1KT,SAAsBpvD,GAEI,mBAAbA,IACTA,EAAW,IAAI8sB,SAAS,GAAK9sB,IAI/B,IADA,IAAI7Q,EAAO,IAAIR,MAAMU,UAAUZ,OAAS,GAC/BF,EAAI,EAAGA,EAAIY,EAAKV,OAAQF,IAC7BY,EAAKZ,GAAKc,UAAUd,EAAI,GAG5B,IAAIwiE,EAAO,CAAE/wD,SAAUA,EAAU7Q,KAAMA,GAGvC,OAFAwgE,EAAcD,GAAcqB,EAC5B1B,EAAkBK,GACXA,GACT,EA4JAI,EAASkB,eAAiBA,CAnL1B,CAyBA,SAASA,EAAehB,UACbL,EAAcK,EACzB,CAwBA,SAASE,EAAaF,GAGlB,GAAIJ,EAGAj8D,WAAWu8D,EAAc,EAAGF,OACzB,CACH,IAAIe,EAAOpB,EAAcK,GACzB,GAAIe,EAAM,CACNnB,GAAwB,EACxB,KAjCZ,SAAamB,GACT,IAAI/wD,EAAW+wD,EAAK/wD,SAChB7Q,EAAO4hE,EAAK5hE,KAChB,OAAQA,EAAKV,QACb,KAAK,EACDuR,IACA,MACJ,KAAK,EACDA,EAAS7Q,EAAK,IACd,MACJ,KAAK,EACD6Q,EAAS7Q,EAAK,GAAIA,EAAK,IACvB,MACJ,KAAK,EACD6Q,EAAS7Q,EAAK,GAAIA,EAAK,GAAIA,EAAK,IAChC,MACJ,QACI6Q,EAASxQ,MAnDrB,UAmDsCL,GAGlC,CAcgB2T,CAAIiuD,EACR,CAAE,QACEC,EAAehB,GACfJ,GAAwB,CAC5B,CACJ,CACJ,CACJ,CA8GJ,CAzLA,CAyLkB,oBAAT7+D,UAAyC,IAAX,EAAAkgE,EAAyBlkE,KAAO,EAAAkkE,EAASlgE,iBCtKhF,SAAS0uB,EAAcxY,EAAWiqD,GAChC,OAAO,MAACjqD,EAAiCiqD,EAAIjqD,CAC/C,CA8EAnX,EAAOC,QA5EP,SAAiBgO,GAEf,IAbyBozD,EAarBxwC,EAAMlB,GADV1hB,EAAUA,GAAW,CAAC,GACA4iB,IAAK,GACvBkM,EAAMpN,EAAI1hB,EAAQ8uB,IAAK,GACvBukC,EAAY3xC,EAAI1hB,EAAQqzD,WAAW,GACnCC,EAAqB5xC,EAAI1hB,EAAQszD,oBAAoB,GAErDC,EAA2B,KAC3BC,EAAoC,KACpCC,EAAmC,KAEnCx1D,GAtBqBm1D,EAsBM1xC,EAAI1hB,EAAQ0zD,oBAAqB,KArBzD,SAAUC,EAAgBzrD,EAAO0rD,GAEtC,OAAOD,EADOC,GAAMA,EAAKR,IACQlrD,EAAQyrD,EAC3C,GAoBA,SAASzyB,IACP2yB,EAAO/kC,EACT,CAWA,SAAS+kC,EAAOC,EAAwBC,GAKtC,GAJyB,iBAAdA,IACTA,EAAYtzD,KAAKjG,OAGfg5D,IAAkBO,KAClBT,GAAsBG,IAAiBK,GAA3C,CAEA,GAAsB,OAAlBN,GAA2C,OAAjBC,EAG5B,OAFAA,EAAeK,OACfN,EAAgBO,GAIlB,IACIC,EAAiB,MAASD,EAAYP,GACtCS,GAFgBH,EAAWL,GAEGO,EAElCT,EAAgB,OAATA,EACHU,EACAh2D,EAAOs1D,EAAMU,EAAaD,GAC9BP,EAAeK,EACfN,EAAgBO,CAhB+C,CAiBjE,CAkBA,MAAO,CACL7yB,MAAOA,EACPrK,MApDF,WACE08B,EAAO,KACPC,EAAgB,KAChBC,EAAe,KACXJ,GACFnyB,GAEJ,EA8CE2yB,OAAQA,EACRK,SApBF,SAAkBH,GAChB,GAAqB,OAAjBN,EAAyB,OAAOU,IACpC,GAAIV,GAAgB7wC,EAAO,OAAO,EAClC,GAAa,OAAT2wC,EAAiB,OAAOY,IAE5B,IAAIC,GAAiBxxC,EAAM6wC,GAAgBF,EAI3C,MAHyB,iBAAdQ,GAAmD,iBAAlBP,IAC1CY,GAA+C,MAA7BL,EAAYP,IAEzB3wC,KAAKD,IAAI,EAAGwxC,EACrB,EAWEb,KATF,WACE,OAAgB,OAATA,EAAgB,EAAIA,CAC7B,EASF,yBCjGA,IAAIhwD,OAA2B,IAAX,EAAA2vD,GAA0B,EAAAA,GACjB,oBAATlgE,MAAwBA,MAChCJ,OACRnB,EAAQs9B,SAASvgC,UAAUiD,MAiB/B,SAAS4iE,EAAQz7D,EAAI07D,GACnBtlE,KAAKulE,IAAM37D,EACX5J,KAAKwlE,SAAWF,CAClB,CAhBAtiE,EAAQ4D,WAAa,WACnB,OAAO,IAAIy+D,EAAQ5iE,EAAMvB,KAAK0F,WAAY2N,EAAOjS,WAAYk6B,aAC/D,EACAx5B,EAAQm7B,YAAc,WACpB,OAAO,IAAIknC,EAAQ5iE,EAAMvB,KAAKi9B,YAAa5pB,EAAOjS,WAAYmjE,cAChE,EACAziE,EAAQw5B,aACRx5B,EAAQyiE,cAAgB,SAASC,GAC3BA,GACFA,EAAQ1jC,OAEZ,EAMAqjC,EAAQ7lE,UAAUmmE,MAAQN,EAAQ7lE,UAAUogB,IAAM,WAAY,EAC9DylD,EAAQ7lE,UAAUwiC,MAAQ,WACxBhiC,KAAKwlE,SAAStkE,KAAKqT,EAAOvU,KAAKulE,IACjC,EAGAviE,EAAQ4iE,OAAS,SAASx4D,EAAMy4D,GAC9BrpC,aAAapvB,EAAK04D,gBAClB14D,EAAK24D,aAAeF,CACtB,EAEA7iE,EAAQgjE,SAAW,SAAS54D,GAC1BovB,aAAapvB,EAAK04D,gBAClB14D,EAAK24D,cAAgB,CACvB,EAEA/iE,EAAQijE,aAAejjE,EAAQgkC,OAAS,SAAS55B,GAC/CovB,aAAapvB,EAAK04D,gBAElB,IAAID,EAAQz4D,EAAK24D,aACbF,GAAS,IACXz4D,EAAK04D,eAAiBl/D,YAAW,WAC3BwG,EAAK84D,YACP94D,EAAK84D,YACT,GAAGL,GAEP,EAGA,EAAQ,OAIR7iE,EAAQq/D,aAAgC,oBAATr+D,MAAwBA,KAAKq+D,mBAClB,IAAX,EAAA6B,GAA0B,EAAAA,EAAO7B,cACxCriE,MAAQA,KAAKqiE,aACrCr/D,EAAQihE,eAAkC,oBAATjgE,MAAwBA,KAAKigE,qBAClB,IAAX,EAAAC,GAA0B,EAAAA,EAAOD,gBACxCjkE,MAAQA,KAAKikE,qCC7DvC,WACE,aACAjhE,EAAQmjE,SAAW,SAASloD,GAC1B,MAAe,WAAXA,EAAI,GACCA,EAAIq9C,UAAU,GAEdr9C,CAEX,CAED,GAAE/c,KAAKlB,8BCVR,WACE,aACA,IAAIomE,EAASC,EAAUC,EAAaC,EAAeC,EACjDC,EAAU,CAAC,EAAEhnE,eAEf2mE,EAAU,EAAQ,OAElBC,EAAW,kBAEXE,EAAgB,SAAS59B,GACvB,MAAwB,iBAAVA,IAAuBA,EAAMt1B,QAAQ,MAAQ,GAAKs1B,EAAMt1B,QAAQ,MAAQ,GAAKs1B,EAAMt1B,QAAQ,MAAQ,EACnH,EAEAmzD,EAAY,SAAS79B,GACnB,MAAO,YAAe29B,EAAY39B,GAAU,KAC9C,EAEA29B,EAAc,SAAS39B,GACrB,OAAOA,EAAM1gC,QAAQ,MAAO,kBAC9B,EAEAjF,EAAQ0jE,QAAU,WAChB,SAASA,EAAQpiE,GACf,IAAI4E,EAAK0W,EAAKxW,EAGd,IAAKF,KAFLlJ,KAAKgR,QAAU,CAAC,EAChB4O,EAAMymD,EAAS,IAERI,EAAQvlE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKgR,QAAQ9H,GAAOE,GAEtB,IAAKF,KAAO5E,EACLmiE,EAAQvlE,KAAKoD,EAAM4E,KACxBE,EAAQ9E,EAAK4E,GACblJ,KAAKgR,QAAQ9H,GAAOE,EAExB,CAqFA,OAnFAs9D,EAAQlnE,UAAUmnE,YAAc,SAASC,GACvC,IAAIC,EAASC,EAAS7lD,EAAQ8lD,EAAaC,EASxBzP,EAsEnB,OA9EAsP,EAAU7mE,KAAKgR,QAAQ61D,QACvBC,EAAU9mE,KAAKgR,QAAQ81D,QACc,IAAhCvnE,OAAO4K,KAAKy8D,GAASllE,QAAkB1B,KAAKgR,QAAQg2D,WAAaX,EAAS,IAAOW,SAEpFJ,EAAUA,EADVI,EAAWznE,OAAO4K,KAAKy8D,GAAS,IAGhCI,EAAWhnE,KAAKgR,QAAQg2D,SAEPzP,EAiEhBv3D,KAjEHihB,EACS,SAAS25B,EAASnkC,GACvB,IAAIwwD,EAAMr8C,EAAO+d,EAAO9rB,EAAO3T,EAAKE,EACpC,GAAmB,iBAARqN,EACL8gD,EAAMvmD,QAAQ4rD,OAAS2J,EAAc9vD,GACvCmkC,EAAQ7zB,IAAIy/C,EAAU/vD,IAEtBmkC,EAAQssB,IAAIzwD,QAET,GAAI7U,MAAMoI,QAAQyM,IACvB,IAAKoG,KAASpG,EACZ,GAAKgwD,EAAQvlE,KAAKuV,EAAKoG,GAEvB,IAAK3T,KADL0hB,EAAQnU,EAAIoG,GAEV8rB,EAAQ/d,EAAM1hB,GACd0xC,EAAU35B,EAAO25B,EAAQusB,IAAIj+D,GAAMy/B,GAAOy+B,UAI9C,IAAKl+D,KAAOuN,EACV,GAAKgwD,EAAQvlE,KAAKuV,EAAKvN,GAEvB,GADA0hB,EAAQnU,EAAIvN,GACRA,IAAQ29D,GACV,GAAqB,iBAAVj8C,EACT,IAAKq8C,KAAQr8C,EACXxhB,EAAQwhB,EAAMq8C,GACdrsB,EAAUA,EAAQysB,IAAIJ,EAAM79D,QAG3B,GAAIF,IAAQ49D,EAEflsB,EADE2c,EAAMvmD,QAAQ4rD,OAAS2J,EAAc37C,GAC7BgwB,EAAQ7zB,IAAIy/C,EAAU57C,IAEtBgwB,EAAQssB,IAAIt8C,QAEnB,GAAIhpB,MAAMoI,QAAQ4gB,GACvB,IAAK/N,KAAS+N,EACP67C,EAAQvlE,KAAK0pB,EAAO/N,KAIrB+9B,EAFiB,iBADrBjS,EAAQ/d,EAAM/N,IAER06C,EAAMvmD,QAAQ4rD,OAAS2J,EAAc59B,GAC7BiS,EAAQusB,IAAIj+D,GAAK6d,IAAIy/C,EAAU79B,IAAQy+B,KAEvCxsB,EAAQusB,IAAIj+D,EAAKy/B,GAAOy+B,KAG1BnmD,EAAO25B,EAAQusB,IAAIj+D,GAAMy/B,GAAOy+B,UAGpB,iBAAVx8C,EAChBgwB,EAAU35B,EAAO25B,EAAQusB,IAAIj+D,GAAM0hB,GAAOw8C,KAErB,iBAAVx8C,GAAsB2sC,EAAMvmD,QAAQ4rD,OAAS2J,EAAc37C,GACpEgwB,EAAUA,EAAQusB,IAAIj+D,GAAK6d,IAAIy/C,EAAU57C,IAAQw8C,MAEpC,MAATx8C,IACFA,EAAQ,IAEVgwB,EAAUA,EAAQusB,IAAIj+D,EAAK0hB,EAAMpnB,YAAY4jE,MAKrD,OAAOxsB,CACT,EAEFmsB,EAAcX,EAAQxlE,OAAOomE,EAAUhnE,KAAKgR,QAAQs2D,OAAQtnE,KAAKgR,QAAQgsD,QAAS,CAChFuK,SAAUvnE,KAAKgR,QAAQu2D,SACvBC,oBAAqBxnE,KAAKgR,QAAQw2D,sBAE7BvmD,EAAO8lD,EAAaH,GAAStgD,IAAItmB,KAAKgR,QAAQy2D,WACvD,EAEOf,CAER,CAtGiB,EAwGnB,GAAExlE,KAAKlB,4BC7HR,WACEgD,EAAQqjE,SAAW,CACjB,GAAO,CACLqB,iBAAiB,EACjBnsD,MAAM,EACN2lD,WAAW,EACXyG,eAAe,EACfd,QAAS,IACTC,QAAS,IACTc,eAAe,EACfC,aAAa,EACbC,YAAY,EACZxW,cAAc,EACdyW,UAAW,KACXtN,OAAO,EACPuN,kBAAkB,EAClBC,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnBn8D,OAAO,EACPwO,QAAQ,EACR4tD,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBC,SAAU,IAEZ,GAAO,CACLd,iBAAiB,EACjBnsD,MAAM,EACN2lD,WAAW,EACXyG,eAAe,EACfd,QAAS,IACTC,QAAS,IACTc,eAAe,EACfC,aAAa,EACbC,YAAY,EACZxW,cAAc,EACdyW,UAAW,KACXtN,OAAO,EACPuN,kBAAkB,EAClBS,uBAAuB,EACvBR,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnBn8D,OAAO,EACPwO,QAAQ,EACR4tD,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBvB,SAAU,OACVM,OAAQ,CACN,QAAW,MACX,SAAY,QACZ,YAAc,GAEhBtK,QAAS,KACTyK,WAAY,CACV,QAAU,EACV,OAAU,KACV,QAAW,MAEbF,UAAU,EACVmB,UAAW,IACXF,SAAU,GACV5L,OAAO,GAIZ,GAAE17D,KAAKlB,8BCtER,WACE,aACA,IAAIoH,EAAKi/D,EAAU1vD,EAAgB5V,EAAQ4nE,EAASC,EAAaC,EAAY7P,EAAKqJ,EAChF7wD,EAAO,SAAS3R,EAAIsgE,GAAK,OAAO,WAAY,OAAOtgE,EAAG4C,MAAM09D,EAAI79D,UAAY,CAAG,EAE/EmkE,EAAU,CAAC,EAAEhnE,eAEfu5D,EAAM,EAAQ,OAEdj4D,EAAS,EAAQ,OAEjBqG,EAAM,EAAQ,OAEdyhE,EAAa,EAAQ,OAErBxG,EAAe,sBAEfgE,EAAW,kBAEXsC,EAAU,SAASG,GACjB,MAAwB,iBAAVA,GAAgC,MAATA,GAAgD,IAA9BvpE,OAAO4K,KAAK2+D,GAAOpnE,MAC5E,EAEAknE,EAAc,SAASC,EAAYz7D,EAAMlE,GACvC,IAAI1H,EAAGa,EACP,IAAKb,EAAI,EAAGa,EAAMwmE,EAAWnnE,OAAQF,EAAIa,EAAKb,IAE5C4L,GADA41D,EAAU6F,EAAWrnE,IACN4L,EAAMlE,GAEvB,OAAOkE,CACT,EAEAuJ,EAAiB,SAASF,EAAKvN,EAAKE,GAClC,IAAIwQ,EAMJ,OALAA,EAAara,OAAOqB,OAAO,OAChBwI,MAAQA,EACnBwQ,EAAW/C,UAAW,EACtB+C,EAAW7C,YAAa,EACxB6C,EAAW9C,cAAe,EACnBvX,OAAOoX,eAAeF,EAAKvN,EAAK0Q,EACzC,EAEA5W,EAAQquD,OAAS,SAAUyG,GAGzB,SAASzG,EAAO/sD,GAMd,IAAI4E,EAAK0W,EAAKxW,EACd,GANApJ,KAAKuxD,mBAAqB//C,EAAKxR,KAAKuxD,mBAAoBvxD,MACxDA,KAAK+oE,YAAcv3D,EAAKxR,KAAK+oE,YAAa/oE,MAC1CA,KAAK6nC,MAAQr2B,EAAKxR,KAAK6nC,MAAO7nC,MAC9BA,KAAKgpE,aAAex3D,EAAKxR,KAAKgpE,aAAchpE,MAC5CA,KAAKipE,aAAez3D,EAAKxR,KAAKipE,aAAcjpE,QAEtCA,gBAAgBgD,EAAQquD,QAC5B,OAAO,IAAIruD,EAAQquD,OAAO/sD,GAI5B,IAAK4E,KAFLlJ,KAAKgR,QAAU,CAAC,EAChB4O,EAAMymD,EAAS,IAERI,EAAQvlE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKgR,QAAQ9H,GAAOE,GAEtB,IAAKF,KAAO5E,EACLmiE,EAAQvlE,KAAKoD,EAAM4E,KACxBE,EAAQ9E,EAAK4E,GACblJ,KAAKgR,QAAQ9H,GAAOE,GAElBpJ,KAAKgR,QAAQypD,QACfz6D,KAAKgR,QAAQk4D,SAAWlpE,KAAKgR,QAAQ61D,QAAU,MAE7C7mE,KAAKgR,QAAQ22D,gBACV3nE,KAAKgR,QAAQs3D,oBAChBtoE,KAAKgR,QAAQs3D,kBAAoB,IAEnCtoE,KAAKgR,QAAQs3D,kBAAkBv4D,QAAQ84D,EAAW3H,YAEpDlhE,KAAK6nC,OACP,CA4RA,OArWS,SAASjd,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAuCzRoe,CAAOyzC,EAAQyG,GAoCfzG,EAAO7xD,UAAUypE,aAAe,WAC9B,IAAIjO,EAAO98C,EACX,IACE,OAAIle,KAAKqpE,UAAU3nE,QAAU1B,KAAKgR,QAAQ03D,WACxC1N,EAAQh7D,KAAKqpE,UACbrpE,KAAKqpE,UAAY,GACjBrpE,KAAKspE,UAAYtpE,KAAKspE,UAAUvO,MAAMC,GAC/Bh7D,KAAKspE,UAAUtnC,UAEtBg5B,EAAQh7D,KAAKqpE,UAAUtjD,OAAO,EAAG/lB,KAAKgR,QAAQ03D,WAC9C1oE,KAAKqpE,UAAYrpE,KAAKqpE,UAAUtjD,OAAO/lB,KAAKgR,QAAQ03D,UAAW1oE,KAAKqpE,UAAU3nE,QAC9E1B,KAAKspE,UAAYtpE,KAAKspE,UAAUvO,MAAMC,GAC/BqH,EAAariE,KAAKipE,cAE7B,CAAE,MAAOM,GAEP,GADArrD,EAAMqrD,GACDvpE,KAAKspE,UAAUE,UAElB,OADAxpE,KAAKspE,UAAUE,WAAY,EACpBxpE,KAAK8B,KAAKoc,EAErB,CACF,EAEAmzC,EAAO7xD,UAAUwpE,aAAe,SAASvyD,EAAKvN,EAAKoB,GACjD,OAAMpB,KAAOuN,GAOLA,EAAIvN,aAAgBtH,OACxB+U,EAAeF,EAAKvN,EAAK,CAACuN,EAAIvN,KAEzBuN,EAAIvN,GAAK1I,KAAK8J,IAThBtK,KAAKgR,QAAQ42D,cAGTjxD,EAAeF,EAAKvN,EAAK,CAACoB,IAF1BqM,EAAeF,EAAKvN,EAAKoB,EAUtC,EAEA+mD,EAAO7xD,UAAUqoC,MAAQ,WACvB,IAAIg/B,EAASC,EAAS2C,EAAQhmD,EAQK8zC,EA8KnC,OArLAv3D,KAAK4C,qBACL5C,KAAKspE,UAAYtQ,EAAI5H,OAAOpxD,KAAKgR,QAAQwJ,OAAQ,CAC/Ce,MAAM,EACN2lD,WAAW,EACXzG,MAAOz6D,KAAKgR,QAAQypD,QAEtBz6D,KAAKspE,UAAUE,WAAY,EAC3BxpE,KAAKspE,UAAUxkE,SAAoByyD,EAQhCv3D,KAPM,SAASgF,GAEd,GADAuyD,EAAM+R,UAAUzJ,UACXtI,EAAM+R,UAAUE,UAEnB,OADAjS,EAAM+R,UAAUE,WAAY,EACrBjS,EAAMz1D,KAAK,QAASkD,EAE/B,GAEFhF,KAAKspE,UAAUlJ,MAAQ,SAAU7I,GAC/B,OAAO,WACL,IAAKA,EAAM+R,UAAUI,MAEnB,OADAnS,EAAM+R,UAAUI,OAAQ,EACjBnS,EAAMz1D,KAAK,MAAOy1D,EAAMoS,aAEnC,CACD,CAPsB,CAOpB3pE,MACHA,KAAKspE,UAAUI,OAAQ,EACvB1pE,KAAK4pE,iBAAmB5pE,KAAKgR,QAAQ02D,gBACrC1nE,KAAK2pE,aAAe,KACpBlmD,EAAQ,GACRojD,EAAU7mE,KAAKgR,QAAQ61D,QACvBC,EAAU9mE,KAAKgR,QAAQ81D,QACvB9mE,KAAKspE,UAAUO,UAAY,SAAUtS,GACnC,OAAO,SAASjyD,GACd,IAAI4D,EAAKoB,EAAUmM,EAAKqzD,EAAclqD,EAGtC,IAFAnJ,EAAM,CAAC,GACHqwD,GAAW,IACVvP,EAAMvmD,QAAQ62D,YAEjB,IAAK3+D,KADL0W,EAAMta,EAAK2lC,WAEJw7B,EAAQvlE,KAAK0e,EAAK1W,KACjB29D,KAAWpwD,GAAS8gD,EAAMvmD,QAAQ82D,aACtCrxD,EAAIowD,GAAW,CAAC,GAElBv8D,EAAWitD,EAAMvmD,QAAQq3D,oBAAsBO,EAAYrR,EAAMvmD,QAAQq3D,oBAAqB/iE,EAAK2lC,WAAW/hC,GAAMA,GAAO5D,EAAK2lC,WAAW/hC,GAC3I4gE,EAAevS,EAAMvmD,QAAQo3D,mBAAqBQ,EAAYrR,EAAMvmD,QAAQo3D,mBAAoBl/D,GAAOA,EACnGquD,EAAMvmD,QAAQ82D,WAChBvQ,EAAMyR,aAAavyD,EAAKqzD,EAAcx/D,GAEtCqM,EAAeF,EAAIowD,GAAUiD,EAAcx/D,IAWjD,OAPAmM,EAAI,SAAW8gD,EAAMvmD,QAAQs3D,kBAAoBM,EAAYrR,EAAMvmD,QAAQs3D,kBAAmBhjE,EAAKtE,MAAQsE,EAAKtE,KAC5Gu2D,EAAMvmD,QAAQypD,QAChBhkD,EAAI8gD,EAAMvmD,QAAQk4D,UAAY,CAC5B1H,IAAKl8D,EAAKk8D,IACVH,MAAO/7D,EAAK+7D,QAGT59C,EAAMjjB,KAAKiW,EACpB,CACD,CA9B0B,CA8BxBzW,MACHA,KAAKspE,UAAUS,WAAa,SAAUxS,GACpC,OAAO,WACL,IAAIqF,EAAOoN,EAAU9gE,EAAK5D,EAAM2kE,EAAUxzD,EAAKyzD,EAAUC,EAAKtV,EAAGuV,EAqDjE,GApDA3zD,EAAMgN,EAAMC,MACZumD,EAAWxzD,EAAI,SACV8gD,EAAMvmD,QAAQg3D,kBAAqBzQ,EAAMvmD,QAAQy3D,8BAC7ChyD,EAAI,UAEK,IAAdA,EAAImmD,QACNA,EAAQnmD,EAAImmD,aACLnmD,EAAImmD,OAEb/H,EAAIpxC,EAAMA,EAAM/hB,OAAS,GACrB+U,EAAIqwD,GAAS1tD,MAAM,WAAawjD,GAClCoN,EAAWvzD,EAAIqwD,UACRrwD,EAAIqwD,KAEPvP,EAAMvmD,QAAQuK,OAChB9E,EAAIqwD,GAAWrwD,EAAIqwD,GAASvrD,QAE1Bg8C,EAAMvmD,QAAQkwD,YAChBzqD,EAAIqwD,GAAWrwD,EAAIqwD,GAAS7+D,QAAQ,UAAW,KAAKsT,QAEtD9E,EAAIqwD,GAAWvP,EAAMvmD,QAAQu3D,gBAAkBK,EAAYrR,EAAMvmD,QAAQu3D,gBAAiB9xD,EAAIqwD,GAAUmD,GAAYxzD,EAAIqwD,GACxF,IAA5BvnE,OAAO4K,KAAKsM,GAAK/U,QAAgBolE,KAAWrwD,IAAQ8gD,EAAMqS,mBAC5DnzD,EAAMA,EAAIqwD,KAGV6B,EAAQlyD,KAERA,EADoC,mBAA3B8gD,EAAMvmD,QAAQw3D,SACjBjR,EAAMvmD,QAAQw3D,WAEa,KAA3BjR,EAAMvmD,QAAQw3D,SAAkBjR,EAAMvmD,QAAQw3D,SAAWwB,GAGpC,MAA3BzS,EAAMvmD,QAAQ+2D,YAChBqC,EAAQ,IAAO,WACb,IAAI5oE,EAAGa,EAAK+mC,EAEZ,IADAA,EAAU,GACL5nC,EAAI,EAAGa,EAAMohB,EAAM/hB,OAAQF,EAAIa,EAAKb,IACvC8D,EAAOme,EAAMjiB,GACb4nC,EAAQ5oC,KAAK8E,EAAK,UAEpB,OAAO8jC,CACR,CARa,GAQR/nC,OAAO4oE,GAAUnxD,KAAK,KAC5B,WACE,IAAIoF,EACJ,IACE,OAAOzH,EAAM8gD,EAAMvmD,QAAQ+2D,UAAUqC,EAAOvV,GAAKA,EAAEoV,GAAWxzD,EAChE,CAAE,MAAO8yD,GAEP,OADArrD,EAAMqrD,EACChS,EAAMz1D,KAAK,QAASoc,EAC7B,CACD,CARD,IAUEq5C,EAAMvmD,QAAQg3D,mBAAqBzQ,EAAMvmD,QAAQ82D,YAA6B,iBAARrxD,EACxE,GAAK8gD,EAAMvmD,QAAQy3D,uBAcZ,GAAI5T,EAAG,CAGZ,IAAK3rD,KAFL2rD,EAAE0C,EAAMvmD,QAAQi3D,UAAYpT,EAAE0C,EAAMvmD,QAAQi3D,WAAa,GACzDiC,EAAW,CAAC,EACAzzD,EACLgwD,EAAQvlE,KAAKuV,EAAKvN,IACvByN,EAAeuzD,EAAUhhE,EAAKuN,EAAIvN,IAEpC2rD,EAAE0C,EAAMvmD,QAAQi3D,UAAUznE,KAAK0pE,UACxBzzD,EAAI,SACqB,IAA5BlX,OAAO4K,KAAKsM,GAAK/U,QAAgBolE,KAAWrwD,IAAQ8gD,EAAMqS,mBAC5DnzD,EAAMA,EAAIqwD,GAEd,OAzBExhE,EAAO,CAAC,EACJiyD,EAAMvmD,QAAQ61D,WAAWpwD,IAC3BnR,EAAKiyD,EAAMvmD,QAAQ61D,SAAWpwD,EAAI8gD,EAAMvmD,QAAQ61D,gBACzCpwD,EAAI8gD,EAAMvmD,QAAQ61D,WAEtBtP,EAAMvmD,QAAQk3D,iBAAmB3Q,EAAMvmD,QAAQ81D,WAAWrwD,IAC7DnR,EAAKiyD,EAAMvmD,QAAQ81D,SAAWrwD,EAAI8gD,EAAMvmD,QAAQ81D,gBACzCrwD,EAAI8gD,EAAMvmD,QAAQ81D,UAEvBvnE,OAAO8qE,oBAAoB5zD,GAAK/U,OAAS,IAC3C4D,EAAKiyD,EAAMvmD,QAAQi3D,UAAYxxD,GAEjCA,EAAMnR,EAeV,OAAIme,EAAM/hB,OAAS,EACV61D,EAAMyR,aAAanU,EAAGoV,EAAUxzD,IAEnC8gD,EAAMvmD,QAAQsgD,eAChB6Y,EAAM1zD,EAENE,EADAF,EAAM,CAAC,EACawzD,EAAUE,IAEhC5S,EAAMoS,aAAelzD,EACrB8gD,EAAM+R,UAAUI,OAAQ,EACjBnS,EAAMz1D,KAAK,MAAOy1D,EAAMoS,cAEnC,CACD,CAjG2B,CAiGzB3pE,MACHypE,EAAS,SAAUlS,GACjB,OAAO,SAASlqD,GACd,IAAIi9D,EAAWzV,EAEf,GADAA,EAAIpxC,EAAMA,EAAM/hB,OAAS,GAcvB,OAZAmzD,EAAEiS,IAAYz5D,EACVkqD,EAAMvmD,QAAQg3D,kBAAoBzQ,EAAMvmD,QAAQy3D,uBAAyBlR,EAAMvmD,QAAQk3D,kBAAoB3Q,EAAMvmD,QAAQm3D,mBAAyD,KAApC96D,EAAKpF,QAAQ,OAAQ,IAAIsT,UACzKs5C,EAAE0C,EAAMvmD,QAAQi3D,UAAYpT,EAAE0C,EAAMvmD,QAAQi3D,WAAa,IACzDqC,EAAY,CACV,QAAS,aAEDxD,GAAWz5D,EACjBkqD,EAAMvmD,QAAQkwD,YAChBoJ,EAAUxD,GAAWwD,EAAUxD,GAAS7+D,QAAQ,UAAW,KAAKsT,QAElEs5C,EAAE0C,EAAMvmD,QAAQi3D,UAAUznE,KAAK8pE,IAE1BzV,CAEX,CACD,CApBQ,CAoBN70D,MACHA,KAAKspE,UAAUG,OAASA,EACjBzpE,KAAKspE,UAAUiB,QACb,SAASl9D,GACd,IAAIwnD,EAEJ,GADAA,EAAI4U,EAAOp8D,GAET,OAAOwnD,EAAE+H,OAAQ,CAErB,CAEJ,EAEAvL,EAAO7xD,UAAUupE,YAAc,SAAS9qD,EAAKsT,GAC3C,IAAIrT,EACO,MAANqT,GAA6B,mBAAPA,IACzBvxB,KAAK2C,GAAG,OAAO,SAASoF,GAEtB,OADA/H,KAAK6nC,QACEtW,EAAG,KAAMxpB,EAClB,IACA/H,KAAK2C,GAAG,SAAS,SAASub,GAExB,OADAle,KAAK6nC,QACEtW,EAAGrT,EACZ,KAEF,IAEE,MAAmB,MADnBD,EAAMA,EAAIza,YACF+X,QACNvb,KAAK8B,KAAK,MAAO,OACV,IAETmc,EAAM7W,EAAI++D,SAASloD,GACfje,KAAKgR,QAAQhF,OACfhM,KAAKqpE,UAAYprD,EACjBokD,EAAariE,KAAKipE,cACXjpE,KAAKspE,WAEPtpE,KAAKspE,UAAUvO,MAAM98C,GAAK+jB,QACnC,CAAE,MAAOunC,GAEP,GADArrD,EAAMqrD,GACAvpE,KAAKspE,UAAUE,YAAaxpE,KAAKspE,UAAUI,MAE/C,OADA1pE,KAAK8B,KAAK,QAASoc,GACZle,KAAKspE,UAAUE,WAAY,EAC7B,GAAIxpE,KAAKspE,UAAUI,MACxB,MAAMxrD,CAEV,CACF,EAEAmzC,EAAO7xD,UAAU+xD,mBAAqB,SAAStzC,GAC7C,OAAO,IAAInR,SAAkByqD,EAU1Bv3D,KATM,SAAS+M,EAASC,GACvB,OAAOuqD,EAAMwR,YAAY9qD,GAAK,SAASC,EAAK9U,GAC1C,OAAI8U,EACKlR,EAAOkR,GAEPnR,EAAQ3D,EAEnB,GACF,IATiB,IAAUmuD,CAW/B,EAEOlG,CAER,CAjUgB,CAiUdtwD,GAEHiC,EAAQ+lE,YAAc,SAAS9qD,EAAK9X,EAAG6U,GACrC,IAAIuW,EAAIvgB,EAeR,OAdS,MAALgK,GACe,mBAANA,IACTuW,EAAKvW,GAEU,iBAAN7U,IACT6K,EAAU7K,KAGK,mBAANA,IACTorB,EAAKprB,GAEP6K,EAAU,CAAC,GAEJ,IAAIhO,EAAQquD,OAAOrgD,GACd+3D,YAAY9qD,EAAKsT,EACjC,EAEAvuB,EAAQuuD,mBAAqB,SAAStzC,EAAK9X,GACzC,IAAI6K,EAKJ,MAJiB,iBAAN7K,IACT6K,EAAU7K,GAEH,IAAInD,EAAQquD,OAAOrgD,GACdugD,mBAAmBtzC,EACnC,CAED,GAAE/c,KAAKlB,4BCzYR,WACE,aACA,IAAIwqE,EAEJA,EAAc,IAAIhyD,OAAO,iBAEzBxV,EAAQk+D,UAAY,SAASjjD,GAC3B,OAAOA,EAAIpV,aACb,EAEA7F,EAAQynE,mBAAqB,SAASxsD,GACpC,OAAOA,EAAIuF,OAAO,GAAG3a,cAAgBoV,EAAI9c,MAAM,EACjD,EAEA6B,EAAQ0nE,YAAc,SAASzsD,GAC7B,OAAOA,EAAIhW,QAAQuiE,EAAa,GAClC,EAEAxnE,EAAQqY,aAAe,SAAS4C,GAI9B,OAHK3C,MAAM2C,KACTA,EAAMA,EAAM,GAAM,EAAIw4B,SAASx4B,EAAK,IAAM0sD,WAAW1sD,IAEhDA,CACT,EAEAjb,EAAQwY,cAAgB,SAASyC,GAI/B,MAHI,oBAAoBjY,KAAKiY,KAC3BA,EAA4B,SAAtBA,EAAIpV,eAELoV,CACT,CAED,GAAE/c,KAAKlB,8BChCR,WACE,aACA,IAAIomE,EAASC,EAAUjV,EAAQyX,EAE7BpC,EAAU,CAAC,EAAEhnE,eAEf4mE,EAAW,EAAQ,OAEnBD,EAAU,EAAQ,OAElBhV,EAAS,EAAQ,OAEjByX,EAAa,EAAQ,OAErB7lE,EAAQqjE,SAAWA,EAASA,SAE5BrjE,EAAQ6lE,WAAaA,EAErB7lE,EAAQ4nE,gBAAkB,SAAU9S,GAGlC,SAAS8S,EAAgBviE,GACvBrI,KAAKqI,QAAUA,CACjB,CAEA,OAtBS,SAASuiB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAgBzRoe,CAAOgtD,EAQN5iE,OAFM4iE,CAER,CATyB,GAW1B5nE,EAAQ0jE,QAAUN,EAAQM,QAE1B1jE,EAAQquD,OAASD,EAAOC,OAExBruD,EAAQ+lE,YAAc3X,EAAO2X,YAE7B/lE,EAAQuuD,mBAAqBH,EAAOG,kBAErC,GAAErwD,KAAKlB,0BCrCR,WACE+C,EAAOC,QAAU,CACf6nE,aAAc,EACdC,UAAW,EACXC,UAAW,EACXC,SAAU,EACVC,YAAa,GACbC,uBAAwB,GAG3B,GAAEhqE,KAAKlB,0BCVR,WACE+C,EAAOC,QAAU,CACfmoE,QAAS,EACTC,UAAW,EACXC,KAAM,EACNC,MAAO,EACPC,gBAAiB,EACjBC,kBAAmB,EACnBC,sBAAuB,EACvBC,QAAS,EACTC,SAAU,EACVC,QAAS,GACTC,iBAAkB,GAClBC,oBAAqB,GACrBC,YAAa,IACbC,IAAK,IACLC,qBAAsB,IACtBC,mBAAoB,IACpBC,MAAO,IAGV,GAAEjrE,KAAKlB,0BCrBR,WACE,IAAIkI,EAAQkkE,EAAUpiE,EAAS2+D,EAAS0D,EAAY58C,EAAUnsB,EAC5DnC,EAAQ,GAAGA,MACXslE,EAAU,CAAC,EAAEhnE,eAEfyI,EAAS,WACP,IAAI1G,EAAG0H,EAAK7G,EAAK8hB,EAAQmoD,EAAS7lE,EAElC,GADAA,EAASnE,UAAU,GAAIgqE,EAAU,GAAKhqE,UAAUZ,OAASP,EAAMD,KAAKoB,UAAW,GAAK,GAChF+pE,EAAW9sE,OAAO2I,QACpB3I,OAAO2I,OAAOzF,MAAM,KAAMH,gBAE1B,IAAKd,EAAI,EAAGa,EAAMiqE,EAAQ5qE,OAAQF,EAAIa,EAAKb,IAEzC,GAAc,OADd2iB,EAASmoD,EAAQ9qE,IAEf,IAAK0H,KAAOib,EACLsiD,EAAQvlE,KAAKijB,EAAQjb,KAC1BzC,EAAOyC,GAAOib,EAAOjb,IAK7B,OAAOzC,CACT,EAEA4lE,EAAa,SAAS5tD,GACpB,QAASA,GAA+C,sBAAxClf,OAAOC,UAAUgE,SAAStC,KAAKud,EACjD,EAEAgR,EAAW,SAAShR,GAClB,IAAImB,EACJ,QAASnB,IAA+B,aAAtBmB,SAAanB,IAA+B,WAARmB,EACxD,EAEA5V,EAAU,SAASyU,GACjB,OAAI4tD,EAAWzqE,MAAMoI,SACZpI,MAAMoI,QAAQyU,GAE0B,mBAAxClf,OAAOC,UAAUgE,SAAStC,KAAKud,EAE1C,EAEAkqD,EAAU,SAASlqD,GACjB,IAAIvV,EACJ,GAAIc,EAAQyU,GACV,OAAQA,EAAI/c,OAEZ,IAAKwH,KAAOuV,EACV,GAAKgoD,EAAQvlE,KAAKud,EAAKvV,GACvB,OAAO,EAET,OAAO,CAEX,EAEA5F,EAAgB,SAASmb,GACvB,IAAI0qD,EAAMoD,EACV,OAAO98C,EAAShR,KAAS8tD,EAAQhtE,OAAO80D,eAAe51C,MAAU0qD,EAAOoD,EAAM72C,cAAiC,mBAATyzC,GAAyBA,aAAgBA,GAAUppC,SAASvgC,UAAUgE,SAAStC,KAAKioE,KAAUppC,SAASvgC,UAAUgE,SAAStC,KAAK3B,OACvO,EAEA6sE,EAAW,SAAS31D,GAClB,OAAI41D,EAAW51D,EAAIo9C,SACVp9C,EAAIo9C,UAEJp9C,CAEX,EAEA1T,EAAOC,QAAQkF,OAASA,EAExBnF,EAAOC,QAAQqpE,WAAaA,EAE5BtpE,EAAOC,QAAQysB,SAAWA,EAE1B1sB,EAAOC,QAAQgH,QAAUA,EAEzBjH,EAAOC,QAAQ2lE,QAAUA,EAEzB5lE,EAAOC,QAAQM,cAAgBA,EAE/BP,EAAOC,QAAQopE,SAAWA,CAE3B,GAAElrE,KAAKlB,0BCjFR,WACE+C,EAAOC,QAAU,CACfwpE,KAAM,EACNC,QAAS,EACTC,UAAW,EACXC,SAAU,EAGb,GAAEzrE,KAAKlB,8BCRR,WACE,IAAI4sE,EAEJA,EAAW,EAAQ,OAET,EAAQ,OAElB7pE,EAAOC,QAAyB,WAC9B,SAAS6pE,EAAaltD,EAAQ3e,EAAMoI,GAMlC,GALApJ,KAAK2f,OAASA,EACV3f,KAAK2f,SACP3f,KAAKgR,QAAUhR,KAAK2f,OAAO3O,QAC3BhR,KAAKoM,UAAYpM,KAAK2f,OAAOvT,WAEnB,MAARpL,EACF,MAAM,IAAIgH,MAAM,2BAA6BhI,KAAK8sE,UAAU9rE,IAE9DhB,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKoJ,MAAQpJ,KAAKoM,UAAU2gE,SAAS3jE,GACrCpJ,KAAKgH,KAAO4lE,EAASxB,UACrBprE,KAAKgtE,MAAO,EACZhtE,KAAKitE,eAAiB,IACxB,CAgFA,OA9EA1tE,OAAOoX,eAAek2D,EAAartE,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKgH,IACd,IAGFzH,OAAOoX,eAAek2D,EAAartE,UAAW,eAAgB,CAC5DmO,IAAK,WACH,OAAO3N,KAAK2f,MACd,IAGFpgB,OAAOoX,eAAek2D,EAAartE,UAAW,cAAe,CAC3DmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGF7J,OAAOoX,eAAek2D,EAAartE,UAAW,eAAgB,CAC5DmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAek2D,EAAartE,UAAW,SAAU,CACtDmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAek2D,EAAartE,UAAW,YAAa,CACzDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAek2D,EAAartE,UAAW,YAAa,CACzDmO,IAAK,WACH,OAAO,CACT,IAGFk/D,EAAartE,UAAUyf,MAAQ,WAC7B,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA6sE,EAAartE,UAAUgE,SAAW,SAASwN,GACzC,OAAOhR,KAAKgR,QAAQk8D,OAAO/hC,UAAUnrC,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC/E,EAEA67D,EAAartE,UAAUstE,UAAY,SAAS9rE,GAE1C,OAAY,OADZA,EAAOA,GAAQhB,KAAKgB,MAEX,YAAchB,KAAK2f,OAAO3e,KAAO,IAEjC,eAAiBA,EAAO,eAAiBhB,KAAK2f,OAAO3e,KAAO,GAEvE,EAEA6rE,EAAartE,UAAU4tE,YAAc,SAAS9nE,GAC5C,OAAIA,EAAK+nE,eAAiBrtE,KAAKqtE,cAG3B/nE,EAAK5F,SAAWM,KAAKN,QAGrB4F,EAAKgoE,YAActtE,KAAKstE,WAGxBhoE,EAAK8D,QAAUpJ,KAAKoJ,KAI1B,EAEOyjE,CAER,CAjG+B,EAmGjC,GAAE3rE,KAAKlB,8BC1GR,WACE,IAAI4sE,EAAoBW,EAEtB9G,EAAU,CAAC,EAAEhnE,eAEfmtE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3BxqE,EAAOC,QAAqB,SAAU80D,GAGpC,SAAS0V,EAAS7tD,EAAQtS,GAExB,GADAmgE,EAASpE,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC9B,MAARtS,EACF,MAAM,IAAIrF,MAAM,uBAAyBhI,KAAK8sE,aAEhD9sE,KAAKgB,KAAO,iBACZhB,KAAKgH,KAAO4lE,EAAStB,MACrBtrE,KAAKoJ,MAAQpJ,KAAKoM,UAAUwwD,MAAMvvD,EACpC,CAUA,OA5BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAO4vD,EAAU1V,GAYjB0V,EAAShuE,UAAUyf,MAAQ,WACzB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAwtE,EAAShuE,UAAUgE,SAAW,SAASwN,GACrC,OAAOhR,KAAKgR,QAAQk8D,OAAOtQ,MAAM58D,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC3E,EAEOw8D,CAER,CAvB2B,CAuBzBD,EAEJ,GAAErsE,KAAKlB,8BClCR,WACE,IAAsBytE,EAEpBhH,EAAU,CAAC,EAAEhnE,eAEfguE,EAAU,EAAQ,OAElB1qE,EAAOC,QAA6B,SAAU80D,GAG5C,SAASyV,EAAiB5tD,GACxB4tD,EAAiBnE,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAClD3f,KAAKoJ,MAAQ,EACf,CA4DA,OAvES,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAMzRoe,CAAO2vD,EAAkBzV,GAOzBv4D,OAAOoX,eAAe42D,EAAiB/tE,UAAW,OAAQ,CACxDmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGF7J,OAAOoX,eAAe42D,EAAiB/tE,UAAW,SAAU,CAC1DmO,IAAK,WACH,OAAO3N,KAAKoJ,MAAM1H,MACpB,IAGFnC,OAAOoX,eAAe42D,EAAiB/tE,UAAW,cAAe,CAC/DmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGFmkE,EAAiB/tE,UAAUyf,MAAQ,WACjC,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAutE,EAAiB/tE,UAAUkuE,cAAgB,SAASloD,EAAQmoD,GAC1D,MAAM,IAAI3lE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAS,EAAiB/tE,UAAUouE,WAAa,SAASrV,GAC/C,MAAM,IAAIvwD,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAS,EAAiB/tE,UAAUquE,WAAa,SAASroD,EAAQ+yC,GACvD,MAAM,IAAIvwD,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAS,EAAiB/tE,UAAUsuE,WAAa,SAAStoD,EAAQmoD,GACvD,MAAM,IAAI3lE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAS,EAAiB/tE,UAAUuuE,YAAc,SAASvoD,EAAQmoD,EAAOpV,GAC/D,MAAM,IAAIvwD,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAS,EAAiB/tE,UAAU4tE,YAAc,SAAS9nE,GAChD,QAAKioE,EAAiBnE,UAAUgE,YAAY3qE,MAAMzC,KAAMsC,WAAW8qE,YAAY9nE,IAG3EA,EAAK4E,OAASlK,KAAKkK,IAIzB,EAEOqjE,CAER,CApEmC,CAoEjCE,EAEJ,GAAEvsE,KAAKlB,8BC7ER,WACE,IAAI4sE,EAAUW,EAEZ9G,EAAU,CAAC,EAAEhnE,eAEfmtE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3BxqE,EAAOC,QAAuB,SAAU80D,GAGtC,SAASkW,EAAWruD,EAAQtS,GAE1B,GADA2gE,EAAW5E,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAChC,MAARtS,EACF,MAAM,IAAIrF,MAAM,yBAA2BhI,KAAK8sE,aAElD9sE,KAAKgB,KAAO,WACZhB,KAAKgH,KAAO4lE,EAASlB,QACrB1rE,KAAKoJ,MAAQpJ,KAAKoM,UAAU0wD,QAAQzvD,EACtC,CAUA,OA5BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAOowD,EAAYlW,GAYnBkW,EAAWxuE,UAAUyf,MAAQ,WAC3B,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAguE,EAAWxuE,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQk8D,OAAOpQ,QAAQ98D,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC7E,EAEOg9D,CAER,CAvB6B,CAuB3BT,EAEJ,GAAErsE,KAAKlB,8BClCR,WACE,IAAyBiuE,EAAoBC,EAE7CD,EAAqB,EAAQ,OAE7BC,EAAmB,EAAQ,OAE3BnrE,EAAOC,QAAgC,WACrC,SAASmrE,IAEPnuE,KAAKouE,cAAgB,CACnB,kBAAkB,EAClB,kBAAkB,EAClB,UAAY,EACZ,0BAA0B,EAC1B,8BAA8B,EAC9B,UAAY,EACZ,gBAAiB,IAAIH,EACrB,SAAW,EACX,sBAAsB,EACtB,YAAc,EACd,0BAA0B,EAC1B,wBAAwB,EACxB,kBAAmB,GACnB,cAAe,GACf,wBAAwB,EACxB,UAAY,EACZ,eAAe,GAEjBjuE,KAAKof,OAAsB7f,OAAOqB,OAAOZ,KAAKouE,cAChD,CA4BA,OA1BA7uE,OAAOoX,eAAew3D,EAAoB3uE,UAAW,iBAAkB,CACrEmO,IAAK,WACH,OAAO,IAAIugE,EAAiB3uE,OAAO4K,KAAKnK,KAAKouE,eAC/C,IAGFD,EAAoB3uE,UAAU6uE,aAAe,SAASrtE,GACpD,OAAIhB,KAAKof,OAAO3f,eAAeuB,GACtBhB,KAAKof,OAAOpe,GAEZ,IAEX,EAEAmtE,EAAoB3uE,UAAU8uE,gBAAkB,SAASttE,EAAMoI,GAC7D,OAAO,CACT,EAEA+kE,EAAoB3uE,UAAU+uE,aAAe,SAASvtE,EAAMoI,GAC1D,OAAa,MAATA,EACKpJ,KAAKof,OAAOpe,GAAQoI,SAEbpJ,KAAKof,OAAOpe,EAE9B,EAEOmtE,CAER,CArDsC,EAuDxC,GAAEjtE,KAAKlB,0BC9DR,WAGE+C,EAAOC,QAA+B,WACpC,SAASirE,IAAsB,CAM/B,OAJAA,EAAmBzuE,UAAUgvE,YAAc,SAASxpE,GAClD,MAAM,IAAIgD,MAAMhD,EAClB,EAEOipE,CAER,CATqC,EAWvC,GAAE/sE,KAAKlB,0BCdR,WAGE+C,EAAOC,QAAiC,WACtC,SAASyrE,IAAwB,CAsBjC,OApBAA,EAAqBjvE,UAAUkvE,WAAa,SAASC,EAASn1C,GAC5D,OAAO,CACT,EAEAi1C,EAAqBjvE,UAAUovE,mBAAqB,SAASC,EAAeC,EAAUC,GACpF,MAAM,IAAI/mE,MAAM,sCAClB,EAEAymE,EAAqBjvE,UAAUwvE,eAAiB,SAAS3B,EAAcwB,EAAe7R,GACpF,MAAM,IAAIh1D,MAAM,sCAClB,EAEAymE,EAAqBjvE,UAAUyvE,mBAAqB,SAAS3nE,GAC3D,MAAM,IAAIU,MAAM,sCAClB,EAEAymE,EAAqBjvE,UAAU0vE,WAAa,SAASP,EAASn1C,GAC5D,MAAM,IAAIxxB,MAAM,sCAClB,EAEOymE,CAER,CAzBuC,EA2BzC,GAAEvtE,KAAKlB,0BC9BR,WAGE+C,EAAOC,QAA6B,WAClC,SAASkrE,EAAiBnqD,GACxB/jB,KAAK+jB,IAAMA,GAAO,EACpB,CAgBA,OAdAxkB,OAAOoX,eAAeu3D,EAAiB1uE,UAAW,SAAU,CAC1DmO,IAAK,WACH,OAAO3N,KAAK+jB,IAAIriB,MAClB,IAGFwsE,EAAiB1uE,UAAU4N,KAAO,SAASyP,GACzC,OAAO7c,KAAK+jB,IAAIlH,IAAU,IAC5B,EAEAqxD,EAAiB1uE,UAAUq6C,SAAW,SAAS57B,GAC7C,OAAkC,IAA3Bje,KAAK+jB,IAAI1Q,QAAQ4K,EAC1B,EAEOiwD,CAER,CArBmC,EAuBrC,GAAEhtE,KAAKlB,8BC1BR,WACE,IAAI4sE,EAAyBa,EAE3BhH,EAAU,CAAC,EAAEhnE,eAEfguE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB7pE,EAAOC,QAA0B,SAAU80D,GAGzC,SAASqX,EAAcxvD,EAAQyvD,EAAaC,EAAeC,EAAeC,EAAkBh+D,GAE1F,GADA49D,EAAc/F,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC5B,MAAfyvD,EACF,MAAM,IAAIpnE,MAAM,6BAA+BhI,KAAK8sE,aAEtD,GAAqB,MAAjBuC,EACF,MAAM,IAAIrnE,MAAM,+BAAiChI,KAAK8sE,UAAUsC,IAElE,IAAKE,EACH,MAAM,IAAItnE,MAAM,+BAAiChI,KAAK8sE,UAAUsC,IAElE,IAAKG,EACH,MAAM,IAAIvnE,MAAM,kCAAoChI,KAAK8sE,UAAUsC,IAKrE,GAHsC,IAAlCG,EAAiBl8D,QAAQ,OAC3Bk8D,EAAmB,IAAMA,IAEtBA,EAAiBn2D,MAAM,0CAC1B,MAAM,IAAIpR,MAAM,kFAAoFhI,KAAK8sE,UAAUsC,IAErH,GAAI79D,IAAiBg+D,EAAiBn2D,MAAM,uBAC1C,MAAM,IAAIpR,MAAM,qDAAuDhI,KAAK8sE,UAAUsC,IAExFpvE,KAAKovE,YAAcpvE,KAAKoM,UAAUpL,KAAKouE,GACvCpvE,KAAKgH,KAAO4lE,EAASX,qBACrBjsE,KAAKqvE,cAAgBrvE,KAAKoM,UAAUpL,KAAKquE,GACzCrvE,KAAKsvE,cAAgBtvE,KAAKoM,UAAUojE,WAAWF,GAC3C/9D,IACFvR,KAAKuR,aAAevR,KAAKoM,UAAUqjE,cAAcl+D,IAEnDvR,KAAKuvE,iBAAmBA,CAC1B,CAMA,OA/CS,SAAS3kD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAOuxD,EAAerX,GAmCtBqX,EAAc3vE,UAAUgE,SAAW,SAASwN,GAC1C,OAAOhR,KAAKgR,QAAQk8D,OAAOwC,WAAW1vE,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAChF,EAEOm+D,CAER,CA1CgC,CA0C9B1B,EAEJ,GAAEvsE,KAAKlB,8BCrDR,WACE,IAAI4sE,EAAyBa,EAE3BhH,EAAU,CAAC,EAAEhnE,eAEfguE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB7pE,EAAOC,QAA0B,SAAU80D,GAGzC,SAAS6X,EAAchwD,EAAQ3e,EAAMoI,GAEnC,GADAumE,EAAcvG,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GACnC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,6BAA+BhI,KAAK8sE,aAEjD1jE,IACHA,EAAQ,aAENxH,MAAMoI,QAAQZ,KAChBA,EAAQ,IAAMA,EAAM0P,KAAK,KAAO,KAElC9Y,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAO4lE,EAASV,mBACrBlsE,KAAKoJ,MAAQpJ,KAAKoM,UAAUwjE,gBAAgBxmE,EAC9C,CAMA,OA9BS,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAO+xD,EAAe7X,GAkBtB6X,EAAcnwE,UAAUgE,SAAW,SAASwN,GAC1C,OAAOhR,KAAKgR,QAAQk8D,OAAO2C,WAAW7vE,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAChF,EAEO2+D,CAER,CAzBgC,CAyB9BlC,EAEJ,GAAEvsE,KAAKlB,6BCpCR,WACE,IAAI4sE,EAAwBa,EAASh+C,EAEnCg3C,EAAU,CAAC,EAAEhnE,eAEfgwB,EAAW,kBAEXg+C,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB7pE,EAAOC,QAAyB,SAAU80D,GAGxC,SAASgY,EAAanwD,EAAQowD,EAAI/uE,EAAMoI,GAEtC,GADA0mE,EAAa1G,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAClC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,4BAA8BhI,KAAK8sE,UAAU9rE,IAE/D,GAAa,MAAToI,EACF,MAAM,IAAIpB,MAAM,6BAA+BhI,KAAK8sE,UAAU9rE,IAKhE,GAHAhB,KAAK+vE,KAAOA,EACZ/vE,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAO4lE,EAASpB,kBAChB/7C,EAASrmB,GAGP,CACL,IAAKA,EAAM4mE,QAAU5mE,EAAM6mE,MACzB,MAAM,IAAIjoE,MAAM,yEAA2EhI,KAAK8sE,UAAU9rE,IAE5G,GAAIoI,EAAM4mE,QAAU5mE,EAAM6mE,MACxB,MAAM,IAAIjoE,MAAM,+DAAiEhI,KAAK8sE,UAAU9rE,IAYlG,GAVAhB,KAAKkwE,UAAW,EACG,MAAf9mE,EAAM4mE,QACRhwE,KAAKgwE,MAAQhwE,KAAKoM,UAAU+jE,SAAS/mE,EAAM4mE,QAE1B,MAAf5mE,EAAM6mE,QACRjwE,KAAKiwE,MAAQjwE,KAAKoM,UAAUgkE,SAAShnE,EAAM6mE,QAE1B,MAAf7mE,EAAMinE,QACRrwE,KAAKqwE,MAAQrwE,KAAKoM,UAAUkkE,SAASlnE,EAAMinE,QAEzCrwE,KAAK+vE,IAAM/vE,KAAKqwE,MAClB,MAAM,IAAIroE,MAAM,8DAAgEhI,KAAK8sE,UAAU9rE,GAEnG,MAtBEhB,KAAKoJ,MAAQpJ,KAAKoM,UAAUmkE,eAAennE,GAC3CpJ,KAAKkwE,UAAW,CAsBpB,CA0CA,OAzFS,SAAStlD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAUzRoe,CAAOkyD,EAAchY,GAuCrBv4D,OAAOoX,eAAem5D,EAAatwE,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKgwE,KACd,IAGFzwE,OAAOoX,eAAem5D,EAAatwE,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKiwE,KACd,IAGF1wE,OAAOoX,eAAem5D,EAAatwE,UAAW,eAAgB,CAC5DmO,IAAK,WACH,OAAO3N,KAAKqwE,OAAS,IACvB,IAGF9wE,OAAOoX,eAAem5D,EAAatwE,UAAW,gBAAiB,CAC7DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAem5D,EAAatwE,UAAW,cAAe,CAC3DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAem5D,EAAatwE,UAAW,aAAc,CAC1DmO,IAAK,WACH,OAAO,IACT,IAGFmiE,EAAatwE,UAAUgE,SAAW,SAASwN,GACzC,OAAOhR,KAAKgR,QAAQk8D,OAAOsD,UAAUxwE,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC/E,EAEO8+D,CAER,CAlF+B,CAkF7BrC,EAEJ,GAAEvsE,KAAKlB,8BC/FR,WACE,IAAI4sE,EAA0Ba,EAE5BhH,EAAU,CAAC,EAAEhnE,eAEfguE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB7pE,EAAOC,QAA2B,SAAU80D,GAG1C,SAAS2Y,EAAe9wD,EAAQ3e,EAAMoI,GAEpC,GADAqnE,EAAerH,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GACpC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,8BAAgChI,KAAK8sE,UAAU9rE,IAEjE,IAAKoI,EAAM4mE,QAAU5mE,EAAM6mE,MACzB,MAAM,IAAIjoE,MAAM,qEAAuEhI,KAAK8sE,UAAU9rE,IAExGhB,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAO4lE,EAASd,oBACF,MAAf1iE,EAAM4mE,QACRhwE,KAAKgwE,MAAQhwE,KAAKoM,UAAU+jE,SAAS/mE,EAAM4mE,QAE1B,MAAf5mE,EAAM6mE,QACRjwE,KAAKiwE,MAAQjwE,KAAKoM,UAAUgkE,SAAShnE,EAAM6mE,OAE/C,CAkBA,OA5CS,SAASrlD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAO6yD,EAAgB3Y,GAoBvBv4D,OAAOoX,eAAe85D,EAAejxE,UAAW,WAAY,CAC1DmO,IAAK,WACH,OAAO3N,KAAKgwE,KACd,IAGFzwE,OAAOoX,eAAe85D,EAAejxE,UAAW,WAAY,CAC1DmO,IAAK,WACH,OAAO3N,KAAKiwE,KACd,IAGFQ,EAAejxE,UAAUgE,SAAW,SAASwN,GAC3C,OAAOhR,KAAKgR,QAAQk8D,OAAOwD,YAAY1wE,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GACjF,EAEOy/D,CAER,CAvCiC,CAuC/BhD,EAEJ,GAAEvsE,KAAKlB,8BClDR,WACE,IAAI4sE,EAA0Ba,EAASh+C,EAErCg3C,EAAU,CAAC,EAAEhnE,eAEfgwB,EAAW,kBAEXg+C,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB7pE,EAAOC,QAA2B,SAAU80D,GAG1C,SAAS6Y,EAAehxD,EAAQ6Z,EAASo3C,EAAUC,GACjD,IAAIjxD,EACJ+wD,EAAevH,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC5C8P,EAAS+J,KACIA,GAAf5Z,EAAM4Z,GAAuBA,QAASo3C,EAAWhxD,EAAIgxD,SAAUC,EAAajxD,EAAIixD,YAE7Er3C,IACHA,EAAU,OAEZx5B,KAAKgH,KAAO4lE,EAASb,YACrB/rE,KAAKw5B,QAAUx5B,KAAKoM,UAAU0kE,WAAWt3C,GACzB,MAAZo3C,IACF5wE,KAAK4wE,SAAW5wE,KAAKoM,UAAU2kE,YAAYH,IAE3B,MAAdC,IACF7wE,KAAK6wE,WAAa7wE,KAAKoM,UAAU4kE,cAAcH,GAEnD,CAMA,OAnCS,SAASjmD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAUzRoe,CAAO+yD,EAAgB7Y,GAqBvB6Y,EAAenxE,UAAUgE,SAAW,SAASwN,GAC3C,OAAOhR,KAAKgR,QAAQk8D,OAAO+D,YAAYjxE,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GACjF,EAEO2/D,CAER,CA5BiC,CA4B/BlD,EAEJ,GAAEvsE,KAAKlB,8BCzCR,WACE,IAAI4sE,EAAUuC,EAAeQ,EAAeG,EAAcW,EAA4BS,EAAiBzD,EAASh+C,EAE9Gg3C,EAAU,CAAC,EAAEhnE,eAEfgwB,EAAW,kBAEXg+C,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBuC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,MAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzBS,EAAkB,EAAQ,OAE1BnuE,EAAOC,QAAuB,SAAU80D,GAGtC,SAASqZ,EAAWxxD,EAAQqwD,EAAOC,GACjC,IAAIrlD,EAAOppB,EAAGa,EAAKud,EAAKwxD,EAAMC,EAG9B,GAFAF,EAAW/H,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC5C3f,KAAKgH,KAAO4lE,EAAShB,QACjBjsD,EAAOwB,SAET,IAAK3f,EAAI,EAAGa,GADZud,EAAMD,EAAOwB,UACSzf,OAAQF,EAAIa,EAAKb,IAErC,IADAopB,EAAQhL,EAAIpe,IACFwF,OAAS4lE,EAASzB,QAAS,CACnCnrE,KAAKgB,KAAO4pB,EAAM5pB,KAClB,KACF,CAGJhB,KAAKsxE,eAAiB3xD,EAClB8P,EAASugD,KACGA,GAAdoB,EAAOpB,GAAoBA,MAAOC,EAAQmB,EAAKnB,OAEpC,MAATA,IACqBA,GAAvBoB,EAAO,CAACrB,EAAOC,IAAqB,GAAID,EAAQqB,EAAK,IAE1C,MAATrB,IACFhwE,KAAKgwE,MAAQhwE,KAAKoM,UAAU+jE,SAASH,IAE1B,MAATC,IACFjwE,KAAKiwE,MAAQjwE,KAAKoM,UAAUgkE,SAASH,GAEzC,CAiIA,OAlLS,SAASrlD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAoBzRoe,CAAOuzD,EAAYrZ,GA+BnBv4D,OAAOoX,eAAew6D,EAAW3xE,UAAW,WAAY,CACtDmO,IAAK,WACH,IAAIid,EAAOppB,EAAGa,EAAK4iC,EAAOrlB,EAG1B,IAFAqlB,EAAQ,CAAC,EAEJzjC,EAAI,EAAGa,GADZud,EAAM5f,KAAKmhB,UACWzf,OAAQF,EAAIa,EAAKb,KACrCopB,EAAQhL,EAAIpe,IACDwF,OAAS4lE,EAASpB,mBAAuB5gD,EAAMmlD,KACxD9qC,EAAMra,EAAM5pB,MAAQ4pB,GAGxB,OAAO,IAAIsmD,EAAgBjsC,EAC7B,IAGF1lC,OAAOoX,eAAew6D,EAAW3xE,UAAW,YAAa,CACvDmO,IAAK,WACH,IAAIid,EAAOppB,EAAGa,EAAK4iC,EAAOrlB,EAG1B,IAFAqlB,EAAQ,CAAC,EAEJzjC,EAAI,EAAGa,GADZud,EAAM5f,KAAKmhB,UACWzf,OAAQF,EAAIa,EAAKb,KACrCopB,EAAQhL,EAAIpe,IACFwF,OAAS4lE,EAASd,sBAC1B7mC,EAAMra,EAAM5pB,MAAQ4pB,GAGxB,OAAO,IAAIsmD,EAAgBjsC,EAC7B,IAGF1lC,OAAOoX,eAAew6D,EAAW3xE,UAAW,WAAY,CACtDmO,IAAK,WACH,OAAO3N,KAAKgwE,KACd,IAGFzwE,OAAOoX,eAAew6D,EAAW3xE,UAAW,WAAY,CACtDmO,IAAK,WACH,OAAO3N,KAAKiwE,KACd,IAGF1wE,OAAOoX,eAAew6D,EAAW3xE,UAAW,iBAAkB,CAC5DmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAK8sE,YAC/D,IAGFqE,EAAW3xE,UAAUo7C,QAAU,SAAS55C,EAAMoI,GAC5C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAI+kD,EAAc3vE,KAAMgB,EAAMoI,GACtCpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAmxE,EAAW3xE,UAAU+xE,QAAU,SAASnC,EAAaC,EAAeC,EAAeC,EAAkBh+D,GACnG,IAAIqZ,EAGJ,OAFAA,EAAQ,IAAIukD,EAAcnvE,KAAMovE,EAAaC,EAAeC,EAAeC,EAAkBh+D,GAC7FvR,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAmxE,EAAW3xE,UAAU8/D,OAAS,SAASt+D,EAAMoI,GAC3C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIklD,EAAa9vE,MAAM,EAAOgB,EAAMoI,GAC5CpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAmxE,EAAW3xE,UAAUgyE,QAAU,SAASxwE,EAAMoI,GAC5C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIklD,EAAa9vE,MAAM,EAAMgB,EAAMoI,GAC3CpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAmxE,EAAW3xE,UAAUiyE,SAAW,SAASzwE,EAAMoI,GAC7C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAI6lD,EAAezwE,KAAMgB,EAAMoI,GACvCpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAmxE,EAAW3xE,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQk8D,OAAOwE,QAAQ1xE,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC7E,EAEAmgE,EAAW3xE,UAAU2nE,IAAM,SAASnmE,EAAMoI,GACxC,OAAOpJ,KAAK46C,QAAQ55C,EAAMoI,EAC5B,EAEA+nE,EAAW3xE,UAAU6nE,IAAM,SAAS+H,EAAaC,EAAeC,EAAeC,EAAkBh+D,GAC/F,OAAOvR,KAAKuxE,QAAQnC,EAAaC,EAAeC,EAAeC,EAAkBh+D,EACnF,EAEA4/D,EAAW3xE,UAAUmyE,IAAM,SAAS3wE,EAAMoI,GACxC,OAAOpJ,KAAKs/D,OAAOt+D,EAAMoI,EAC3B,EAEA+nE,EAAW3xE,UAAUoyE,KAAO,SAAS5wE,EAAMoI,GACzC,OAAOpJ,KAAKwxE,QAAQxwE,EAAMoI,EAC5B,EAEA+nE,EAAW3xE,UAAUqyE,IAAM,SAAS7wE,EAAMoI,GACxC,OAAOpJ,KAAKyxE,SAASzwE,EAAMoI,EAC7B,EAEA+nE,EAAW3xE,UAAU4nE,GAAK,WACxB,OAAOpnE,KAAKmlC,QAAUnlC,KAAKsxE,cAC7B,EAEAH,EAAW3xE,UAAU4tE,YAAc,SAAS9nE,GAC1C,QAAK6rE,EAAW/H,UAAUgE,YAAY3qE,MAAMzC,KAAMsC,WAAW8qE,YAAY9nE,IAGrEA,EAAKtE,OAAShB,KAAKgB,MAGnBsE,EAAKwpE,WAAa9uE,KAAK8uE,UAGvBxpE,EAAKypE,WAAa/uE,KAAK+uE,QAI7B,EAEOoC,CAER,CAjK6B,CAiK3B1D,EAEJ,GAAEvsE,KAAKlB,8BCxLR,WACE,IAAI4sE,EAAUuB,EAAqBM,EAAmChB,EAASqE,EAAiBC,EAAgBzuE,EAE9GmjE,EAAU,CAAC,EAAEhnE,eAEf6D,EAAgB,uBAEhBmrE,EAAuB,EAAQ,OAE/BN,EAAsB,EAAQ,OAE9BV,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBmF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1B/uE,EAAOC,QAAwB,SAAU80D,GAGvC,SAASka,EAAYhhE,GACnBghE,EAAY5I,UAAU1zC,YAAYx0B,KAAKlB,KAAM,MAC7CA,KAAKgB,KAAO,YACZhB,KAAKgH,KAAO4lE,EAASjB,SACrB3rE,KAAKiyE,YAAc,KACnBjyE,KAAKkyE,UAAY,IAAI/D,EACrBn9D,IAAYA,EAAU,CAAC,GAClBA,EAAQk8D,SACXl8D,EAAQk8D,OAAS,IAAI4E,GAEvB9xE,KAAKgR,QAAUA,EACfhR,KAAKoM,UAAY,IAAI2lE,EAAe/gE,EACtC,CA0MA,OA1OS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAkBzRoe,CAAOo0D,EAAala,GAgBpBv4D,OAAOoX,eAAeq7D,EAAYxyE,UAAW,iBAAkB,CAC7D4J,MAAO,IAAIqlE,IAGblvE,OAAOoX,eAAeq7D,EAAYxyE,UAAW,UAAW,CACtDmO,IAAK,WACH,IAAIid,EAAOppB,EAAGa,EAAKud,EAEnB,IAAKpe,EAAI,EAAGa,GADZud,EAAM5f,KAAKmhB,UACWzf,OAAQF,EAAIa,EAAKb,IAErC,IADAopB,EAAQhL,EAAIpe,IACFwF,OAAS4lE,EAAShB,QAC1B,OAAOhhD,EAGX,OAAO,IACT,IAGFrrB,OAAOoX,eAAeq7D,EAAYxyE,UAAW,kBAAmB,CAC9DmO,IAAK,WACH,OAAO3N,KAAKmyE,YAAc,IAC5B,IAGF5yE,OAAOoX,eAAeq7D,EAAYxyE,UAAW,gBAAiB,CAC5DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeq7D,EAAYxyE,UAAW,sBAAuB,CAClEmO,IAAK,WACH,OAAO,CACT,IAGFpO,OAAOoX,eAAeq7D,EAAYxyE,UAAW,cAAe,CAC1DmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAAS4lE,EAASb,YAC5D/rE,KAAKmhB,SAAS,GAAGyvD,SAEjB,IAEX,IAGFrxE,OAAOoX,eAAeq7D,EAAYxyE,UAAW,gBAAiB,CAC5DmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAAS4lE,EAASb,aAC5B,QAAhC/rE,KAAKmhB,SAAS,GAAG0vD,UAI5B,IAGFtxE,OAAOoX,eAAeq7D,EAAYxyE,UAAW,aAAc,CACzDmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAAS4lE,EAASb,YAC5D/rE,KAAKmhB,SAAS,GAAGqY,QAEjB,KAEX,IAGFj6B,OAAOoX,eAAeq7D,EAAYxyE,UAAW,MAAO,CAClDmO,IAAK,WACH,OAAO3N,KAAKiyE,WACd,IAGF1yE,OAAOoX,eAAeq7D,EAAYxyE,UAAW,SAAU,CACrDmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeq7D,EAAYxyE,UAAW,aAAc,CACzDmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeq7D,EAAYxyE,UAAW,eAAgB,CAC3DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeq7D,EAAYxyE,UAAW,cAAe,CAC1DmO,IAAK,WACH,OAAO,IACT,IAGFqkE,EAAYxyE,UAAU8mB,IAAM,SAAS4mD,GACnC,IAAIkF,EAQJ,OAPAA,EAAgB,CAAC,EACZlF,EAEM5pE,EAAc4pE,KACvBkF,EAAgBlF,EAChBA,EAASltE,KAAKgR,QAAQk8D,QAHtBA,EAASltE,KAAKgR,QAAQk8D,OAKjBA,EAAOznE,SAASzF,KAAMktE,EAAOC,cAAciF,GACpD,EAEAJ,EAAYxyE,UAAUgE,SAAW,SAASwN,GACxC,OAAOhR,KAAKgR,QAAQk8D,OAAOznE,SAASzF,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC9E,EAEAghE,EAAYxyE,UAAU4G,cAAgB,SAASi2D,GAC7C,MAAM,IAAIr0D,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU6yE,uBAAyB,WAC7C,MAAM,IAAIrqE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU8yE,eAAiB,SAASpoE,GAC9C,MAAM,IAAIlC,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU+yE,cAAgB,SAASroE,GAC7C,MAAM,IAAIlC,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUgzE,mBAAqB,SAAStoE,GAClD,MAAM,IAAIlC,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUizE,4BAA8B,SAAShsE,EAAQyD,GACnE,MAAM,IAAIlC,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUkzE,gBAAkB,SAAS1xE,GAC/C,MAAM,IAAIgH,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUmzE,sBAAwB,SAAS3xE,GACrD,MAAM,IAAIgH,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUozE,qBAAuB,SAASC,GACpD,MAAM,IAAI7qE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUszE,WAAa,SAASC,EAAc3gE,GACxD,MAAM,IAAIpK,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUwzE,gBAAkB,SAAS3F,EAAcwB,GAC7D,MAAM,IAAI7mE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUyzE,kBAAoB,SAAS5F,EAAcwB,GAC/D,MAAM,IAAI7mE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU0zE,uBAAyB,SAAS7F,EAAcC,GACpE,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUowB,eAAiB,SAASujD,GAC9C,MAAM,IAAInrE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU4zE,UAAY,SAASjvD,GACzC,MAAM,IAAInc,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU6zE,kBAAoB,WACxC,MAAM,IAAIrrE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU8zE,WAAa,SAAShuE,EAAM+nE,EAAcwB,GAC9D,MAAM,IAAI7mE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAU+zE,uBAAyB,SAASC,GACtD,MAAM,IAAIxrE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUkG,YAAc,SAAS+tE,GAC3C,MAAM,IAAIzrE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUk0E,YAAc,WAClC,MAAM,IAAI1rE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUm0E,mBAAqB,SAASxuC,EAAMyuC,EAAY3kE,GACpE,MAAM,IAAIjH,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAkF,EAAYxyE,UAAUq0E,iBAAmB,SAAS1uC,EAAMyuC,EAAY3kE,GAClE,MAAM,IAAIjH,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEOkF,CAER,CA3N8B,CA2N5BvE,EAEJ,GAAEvsE,KAAKlB,8BChPR,WACE,IAAI4sE,EAAUkH,EAAajH,EAAcW,EAAUQ,EAAYmB,EAAeQ,EAAeG,EAAcW,EAAgBE,EAAgBQ,EAAYa,EAA4B+B,EAAYC,EAA0BC,EAAQnC,EAAiBC,EAAgBmC,EAAS9H,EAAUC,EAAY58C,EAAUnsB,EAAesc,EACxT6mD,EAAU,CAAC,EAAEhnE,eAEfmgB,EAAM,EAAQ,OAAc6P,EAAW7P,EAAI6P,SAAU48C,EAAazsD,EAAIysD,WAAY/oE,EAAgBsc,EAAItc,cAAe8oE,EAAWxsD,EAAIwsD,SAEpIQ,EAAW,EAAQ,OAEnBoF,EAAc,EAAQ,OAEtB+B,EAAa,EAAQ,OAErBvG,EAAW,EAAQ,OAEnBQ,EAAa,EAAQ,OAErBiG,EAAS,EAAQ,MAEjBC,EAAU,EAAQ,OAElBF,EAA2B,EAAQ,OAEnCrD,EAAiB,EAAQ,OAEzBQ,EAAa,EAAQ,OAErBhC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,MAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzB5D,EAAe,EAAQ,OAEvBkF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1BgC,EAAc,EAAQ,OAEtB/wE,EAAOC,QAA0B,WAC/B,SAASmxE,EAAcnjE,EAASojE,EAAQC,GACtC,IAAIjC,EACJpyE,KAAKgB,KAAO,OACZhB,KAAKgH,KAAO4lE,EAASjB,SACrB36D,IAAYA,EAAU,CAAC,GACvBohE,EAAgB,CAAC,EACZphE,EAAQk8D,OAEF5pE,EAAc0N,EAAQk8D,UAC/BkF,EAAgBphE,EAAQk8D,OACxBl8D,EAAQk8D,OAAS,IAAI4E,GAHrB9gE,EAAQk8D,OAAS,IAAI4E,EAKvB9xE,KAAKgR,QAAUA,EACfhR,KAAKktE,OAASl8D,EAAQk8D,OACtBltE,KAAKoyE,cAAgBpyE,KAAKktE,OAAOC,cAAciF,GAC/CpyE,KAAKoM,UAAY,IAAI2lE,EAAe/gE,GACpChR,KAAKs0E,eAAiBF,GAAU,WAAY,EAC5Cp0E,KAAKu0E,cAAgBF,GAAS,WAAY,EAC1Cr0E,KAAKw0E,YAAc,KACnBx0E,KAAKy0E,cAAgB,EACrBz0E,KAAK00E,SAAW,CAAC,EACjB10E,KAAK20E,iBAAkB,EACvB30E,KAAK40E,mBAAoB,EACzB50E,KAAKmlC,KAAO,IACd,CAucA,OArcAgvC,EAAc30E,UAAUq1E,gBAAkB,SAASvvE,GACjD,IAAI+hE,EAAKyN,EAAS7pC,EAAYrgB,EAAOppB,EAAGa,EAAK+uE,EAAMC,EACnD,OAAQ/rE,EAAK0B,MACX,KAAK4lE,EAAStB,MACZtrE,KAAK48D,MAAMt3D,EAAK8D,OAChB,MACF,KAAKwjE,EAASlB,QACZ1rE,KAAK88D,QAAQx3D,EAAK8D,OAClB,MACF,KAAKwjE,EAASzB,QAGZ,IAAK2J,KAFL7pC,EAAa,CAAC,EACdmmC,EAAO9rE,EAAKyvE,QAELtO,EAAQvlE,KAAKkwE,EAAM0D,KACxBzN,EAAM+J,EAAK0D,GACX7pC,EAAW6pC,GAAWzN,EAAIj+D,OAE5BpJ,KAAKsF,KAAKA,EAAKtE,KAAMiqC,GACrB,MACF,KAAK2hC,EAAST,MACZnsE,KAAKg1E,QACL,MACF,KAAKpI,EAASZ,IACZhsE,KAAK+mB,IAAIzhB,EAAK8D,OACd,MACF,KAAKwjE,EAASvB,KACZrrE,KAAKqN,KAAK/H,EAAK8D,OACf,MACF,KAAKwjE,EAASnB,sBACZzrE,KAAKi1E,YAAY3vE,EAAKmB,OAAQnB,EAAK8D,OACnC,MACF,QACE,MAAM,IAAIpB,MAAM,uDAAyD1C,EAAKowB,YAAY10B,MAG9F,IAAKQ,EAAI,EAAGa,GADZgvE,EAAO/rE,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IACtCopB,EAAQymD,EAAK7vE,GACbxB,KAAK60E,gBAAgBjqD,GACjBA,EAAM5jB,OAAS4lE,EAASzB,SAC1BnrE,KAAKonE,KAGT,OAAOpnE,IACT,EAEAm0E,EAAc30E,UAAUw1E,MAAQ,WAC9B,OAAOh1E,IACT,EAEAm0E,EAAc30E,UAAU8F,KAAO,SAAStE,EAAMiqC,EAAY59B,GACxD,IAAI+jE,EACJ,GAAY,MAARpwE,EACF,MAAM,IAAIgH,MAAM,sBAElB,GAAIhI,KAAKmlC,OAA+B,IAAvBnlC,KAAKy0E,aACpB,MAAM,IAAIzsE,MAAM,yCAA2ChI,KAAK8sE,UAAU9rE,IAkB5E,OAhBAhB,KAAKk1E,cACLl0E,EAAOorE,EAASprE,GACE,MAAdiqC,IACFA,EAAa,CAAC,GAEhBA,EAAamhC,EAASnhC,GACjBxb,EAASwb,KACe59B,GAA3B+jE,EAAO,CAACnmC,EAAY59B,IAAmB,GAAI49B,EAAammC,EAAK,IAE/DpxE,KAAKw0E,YAAc,IAAIT,EAAW/zE,KAAMgB,EAAMiqC,GAC9CjrC,KAAKw0E,YAAYrzD,UAAW,EAC5BnhB,KAAKy0E,eACLz0E,KAAK00E,SAAS10E,KAAKy0E,cAAgBz0E,KAAKw0E,YAC5B,MAARnnE,GACFrN,KAAKqN,KAAKA,GAELrN,IACT,EAEAm0E,EAAc30E,UAAUo7C,QAAU,SAAS55C,EAAMiqC,EAAY59B,GAC3D,IAAIud,EAAOppB,EAAGa,EAAK8yE,EAAmB/D,EAAMjsC,EAC5C,GAAInlC,KAAKw0E,aAAex0E,KAAKw0E,YAAYxtE,OAAS4lE,EAAShB,QACzD5rE,KAAK6vE,WAAWptE,MAAMzC,KAAMsC,gBAE5B,GAAIV,MAAMoI,QAAQhJ,IAASyuB,EAASzuB,IAASqrE,EAAWrrE,GAOtD,IANAm0E,EAAoBn1E,KAAKgR,QAAQokE,aACjCp1E,KAAKgR,QAAQokE,cAAe,GAC5BjwC,EAAO,IAAI6sC,EAAYhyE,KAAKgR,SAAS4pC,QAAQ,cACxCA,QAAQ55C,GACbhB,KAAKgR,QAAQokE,aAAeD,EAEvB3zE,EAAI,EAAGa,GADZ+uE,EAAOjsC,EAAKhkB,UACWzf,OAAQF,EAAIa,EAAKb,IACtCopB,EAAQwmD,EAAK5vE,GACbxB,KAAK60E,gBAAgBjqD,GACjBA,EAAM5jB,OAAS4lE,EAASzB,SAC1BnrE,KAAKonE,UAITpnE,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,GAGhC,OAAOrN,IACT,EAEAm0E,EAAc30E,UAAU2rC,UAAY,SAASnqC,EAAMoI,GACjD,IAAI0rE,EAAS/H,EACb,IAAK/sE,KAAKw0E,aAAex0E,KAAKw0E,YAAYrzD,SACxC,MAAM,IAAInZ,MAAM,4EAA8EhI,KAAK8sE,UAAU9rE,IAK/G,GAHY,MAARA,IACFA,EAAOorE,EAASprE,IAEdyuB,EAASzuB,GACX,IAAK8zE,KAAW9zE,EACTylE,EAAQvlE,KAAKF,EAAM8zE,KACxB/H,EAAW/rE,EAAK8zE,GAChB90E,KAAKmrC,UAAU2pC,EAAS/H,SAGtBV,EAAWjjE,KACbA,EAAQA,EAAM3G,SAEZzC,KAAKgR,QAAQqkE,oBAAgC,MAATjsE,EACtCpJ,KAAKw0E,YAAYO,QAAQ/zE,GAAQ,IAAI6rE,EAAa7sE,KAAMgB,EAAM,IAC5C,MAAToI,IACTpJ,KAAKw0E,YAAYO,QAAQ/zE,GAAQ,IAAI6rE,EAAa7sE,KAAMgB,EAAMoI,IAGlE,OAAOpJ,IACT,EAEAm0E,EAAc30E,UAAU6N,KAAO,SAASjE,GACtC,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAI4uE,EAAQl0E,KAAMoJ,GACzBpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAO7/D,KAAK/H,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAC5Fz0E,IACT,EAEAm0E,EAAc30E,UAAUo9D,MAAQ,SAASxzD,GACvC,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAIkoE,EAASxtE,KAAMoJ,GAC1BpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOtQ,MAAMt3D,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAC7Fz0E,IACT,EAEAm0E,EAAc30E,UAAUs9D,QAAU,SAAS1zD,GACzC,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAI0oE,EAAWhuE,KAAMoJ,GAC5BpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOpQ,QAAQx3D,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAC/Fz0E,IACT,EAEAm0E,EAAc30E,UAAUunB,IAAM,SAAS3d,GACrC,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAI2uE,EAAOj0E,KAAMoJ,GACxBpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOnmD,IAAIzhB,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAC3Fz0E,IACT,EAEAm0E,EAAc30E,UAAUy1E,YAAc,SAASxuE,EAAQ2C,GACrD,IAAI5H,EAAG8zE,EAAWC,EAAUlzE,EAAKiD,EAQjC,GAPAtF,KAAKk1E,cACS,MAAVzuE,IACFA,EAAS2lE,EAAS3lE,IAEP,MAAT2C,IACFA,EAAQgjE,EAAShjE,IAEfxH,MAAMoI,QAAQvD,GAChB,IAAKjF,EAAI,EAAGa,EAAMoE,EAAO/E,OAAQF,EAAIa,EAAKb,IACxC8zE,EAAY7uE,EAAOjF,GACnBxB,KAAKi1E,YAAYK,QAEd,GAAI7lD,EAAShpB,GAClB,IAAK6uE,KAAa7uE,EACXggE,EAAQvlE,KAAKuF,EAAQ6uE,KAC1BC,EAAW9uE,EAAO6uE,GAClBt1E,KAAKi1E,YAAYK,EAAWC,SAG1BlJ,EAAWjjE,KACbA,EAAQA,EAAM3G,SAEhB6C,EAAO,IAAI0uE,EAAyBh0E,KAAMyG,EAAQ2C,GAClDpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOsI,sBAAsBlwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAEtH,OAAOz0E,IACT,EAEAm0E,EAAc30E,UAAUyxE,YAAc,SAASz3C,EAASo3C,EAAUC,GAChE,IAAIvrE,EAEJ,GADAtF,KAAKk1E,cACDl1E,KAAK20E,gBACP,MAAM,IAAI3sE,MAAM,yCAIlB,OAFA1C,EAAO,IAAIqrE,EAAe3wE,KAAMw5B,EAASo3C,EAAUC,GACnD7wE,KAAKo0E,OAAOp0E,KAAKktE,OAAO+D,YAAY3rE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GACnGz0E,IACT,EAEAm0E,EAAc30E,UAAUw9D,QAAU,SAAS73B,EAAM6qC,EAAOC,GAEtD,GADAjwE,KAAKk1E,cACO,MAAR/vC,EACF,MAAM,IAAIn9B,MAAM,2BAElB,GAAIhI,KAAKmlC,KACP,MAAM,IAAIn9B,MAAM,yCAOlB,OALAhI,KAAKw0E,YAAc,IAAIrD,EAAWnxE,KAAMgwE,EAAOC,GAC/CjwE,KAAKw0E,YAAYiB,aAAetwC,EAChCnlC,KAAKw0E,YAAYrzD,UAAW,EAC5BnhB,KAAKy0E,eACLz0E,KAAK00E,SAAS10E,KAAKy0E,cAAgBz0E,KAAKw0E,YACjCx0E,IACT,EAEAm0E,EAAc30E,UAAUqwE,WAAa,SAAS7uE,EAAMoI,GAClD,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAIqqE,EAAc3vE,KAAMgB,EAAMoI,GACrCpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAO2C,WAAWvqE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAClGz0E,IACT,EAEAm0E,EAAc30E,UAAU+xE,QAAU,SAASnC,EAAaC,EAAeC,EAAeC,EAAkBh+D,GACtG,IAAIjM,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAI6pE,EAAcnvE,KAAMovE,EAAaC,EAAeC,EAAeC,EAAkBh+D,GAC5FvR,KAAKo0E,OAAOp0E,KAAKktE,OAAOwC,WAAWpqE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GAClGz0E,IACT,EAEAm0E,EAAc30E,UAAU8/D,OAAS,SAASt+D,EAAMoI,GAC9C,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAIwqE,EAAa9vE,MAAM,EAAOgB,EAAMoI,GAC3CpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOsD,UAAUlrE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GACjGz0E,IACT,EAEAm0E,EAAc30E,UAAUgyE,QAAU,SAASxwE,EAAMoI,GAC/C,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAIwqE,EAAa9vE,MAAM,EAAMgB,EAAMoI,GAC1CpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOsD,UAAUlrE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GACjGz0E,IACT,EAEAm0E,EAAc30E,UAAUiyE,SAAW,SAASzwE,EAAMoI,GAChD,IAAI9D,EAIJ,OAHAtF,KAAKk1E,cACL5vE,EAAO,IAAImrE,EAAezwE,KAAMgB,EAAMoI,GACtCpJ,KAAKo0E,OAAOp0E,KAAKktE,OAAOwD,YAAYprE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,aAAe,GAAIz0E,KAAKy0E,aAAe,GACnGz0E,IACT,EAEAm0E,EAAc30E,UAAU4nE,GAAK,WAC3B,GAAIpnE,KAAKy0E,aAAe,EACtB,MAAM,IAAIzsE,MAAM,oCAclB,OAZIhI,KAAKw0E,aACHx0E,KAAKw0E,YAAYrzD,SACnBnhB,KAAK01E,UAAU11E,KAAKw0E,aAEpBx0E,KAAK21E,SAAS31E,KAAKw0E,aAErBx0E,KAAKw0E,YAAc,MAEnBx0E,KAAK01E,UAAU11E,KAAK00E,SAAS10E,KAAKy0E,sBAE7Bz0E,KAAK00E,SAAS10E,KAAKy0E,cAC1Bz0E,KAAKy0E,eACEz0E,IACT,EAEAm0E,EAAc30E,UAAU8mB,IAAM,WAC5B,KAAOtmB,KAAKy0E,cAAgB,GAC1Bz0E,KAAKonE,KAEP,OAAOpnE,KAAKq0E,OACd,EAEAF,EAAc30E,UAAU01E,YAAc,WACpC,GAAIl1E,KAAKw0E,YAEP,OADAx0E,KAAKw0E,YAAYrzD,UAAW,EACrBnhB,KAAK21E,SAAS31E,KAAKw0E,YAE9B,EAEAL,EAAc30E,UAAUm2E,SAAW,SAASrwE,GAC1C,IAAI+hE,EAAKrM,EAAOh6D,EAAMowE,EACtB,IAAK9rE,EAAKswE,OAAQ,CAKhB,GAJK51E,KAAKmlC,MAA8B,IAAtBnlC,KAAKy0E,cAAsBnvE,EAAK0B,OAAS4lE,EAASzB,UAClEnrE,KAAKmlC,KAAO7/B,GAEd01D,EAAQ,GACJ11D,EAAK0B,OAAS4lE,EAASzB,QAAS,CAIlC,IAAKnqE,KAHLhB,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYrH,QACvCzR,EAAQh7D,KAAKktE,OAAO2I,OAAOvwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAAgB,IAAMnvE,EAAKtE,KACrFowE,EAAO9rE,EAAKyvE,QAELtO,EAAQvlE,KAAKkwE,EAAMpwE,KACxBqmE,EAAM+J,EAAKpwE,GACXg6D,GAASh7D,KAAKktE,OAAO/hC,UAAUk8B,EAAKrnE,KAAKoyE,cAAepyE,KAAKy0E,eAE/DzZ,IAAU11D,EAAK6b,SAAW,IAAM,MAAQnhB,KAAKktE,OAAO4I,QAAQxwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAC3Fz0E,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYpH,SACzC,MACE1sE,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYrH,QACvCzR,EAAQh7D,KAAKktE,OAAO2I,OAAOvwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAAgB,aAAenvE,EAAKmwE,aAC1FnwE,EAAK0qE,OAAS1qE,EAAK2qE,MACrBjV,GAAS,YAAc11D,EAAK0qE,MAAQ,MAAQ1qE,EAAK2qE,MAAQ,IAChD3qE,EAAK2qE,QACdjV,GAAS,YAAc11D,EAAK2qE,MAAQ,KAElC3qE,EAAK6b,UACP65C,GAAS,KACTh7D,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYpH,YAEvC1sE,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYnH,SACvC3R,GAAS,KAEXA,GAASh7D,KAAKktE,OAAO4I,QAAQxwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAG9D,OADAz0E,KAAKo0E,OAAOpZ,EAAOh7D,KAAKy0E,cACjBnvE,EAAKswE,QAAS,CACvB,CACF,EAEAzB,EAAc30E,UAAUk2E,UAAY,SAASpwE,GAC3C,IAAI01D,EACJ,IAAK11D,EAAKywE,SAUR,MATQ,GACR/1E,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYnH,SAErC3R,EADE11D,EAAK0B,OAAS4lE,EAASzB,QACjBnrE,KAAKktE,OAAO2I,OAAOvwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAAgB,KAAOnvE,EAAKtE,KAAO,IAAMhB,KAAKktE,OAAO4I,QAAQxwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAE9Iz0E,KAAKktE,OAAO2I,OAAOvwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAAgB,KAAOz0E,KAAKktE,OAAO4I,QAAQxwE,EAAMtF,KAAKoyE,cAAepyE,KAAKy0E,cAEtIz0E,KAAKoyE,cAAcnpE,MAAQ6qE,EAAYtH,KACvCxsE,KAAKo0E,OAAOpZ,EAAOh7D,KAAKy0E,cACjBnvE,EAAKywE,UAAW,CAE3B,EAEA5B,EAAc30E,UAAU40E,OAAS,SAASpZ,EAAOgb,GAE/C,OADAh2E,KAAK20E,iBAAkB,EAChB30E,KAAKs0E,eAAetZ,EAAOgb,EAAQ,EAC5C,EAEA7B,EAAc30E,UAAU60E,MAAQ,WAE9B,OADAr0E,KAAK40E,mBAAoB,EAClB50E,KAAKu0E,eACd,EAEAJ,EAAc30E,UAAUstE,UAAY,SAAS9rE,GAC3C,OAAY,MAARA,EACK,GAEA,UAAYA,EAAO,GAE9B,EAEAmzE,EAAc30E,UAAU2nE,IAAM,WAC5B,OAAOnnE,KAAK46C,QAAQn4C,MAAMzC,KAAMsC,UAClC,EAEA6xE,EAAc30E,UAAUy2E,IAAM,SAASj1E,EAAMiqC,EAAY59B,GACvD,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEA8mE,EAAc30E,UAAU0nE,IAAM,SAAS99D,GACrC,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEA+qE,EAAc30E,UAAU02E,IAAM,SAAS9sE,GACrC,OAAOpJ,KAAK48D,MAAMxzD,EACpB,EAEA+qE,EAAc30E,UAAU22E,IAAM,SAAS/sE,GACrC,OAAOpJ,KAAK88D,QAAQ1zD,EACtB,EAEA+qE,EAAc30E,UAAU42E,IAAM,SAAS3vE,EAAQ2C,GAC7C,OAAOpJ,KAAKi1E,YAAYxuE,EAAQ2C,EAClC,EAEA+qE,EAAc30E,UAAU62E,IAAM,SAAS78C,EAASo3C,EAAUC,GACxD,OAAO7wE,KAAKixE,YAAYz3C,EAASo3C,EAAUC,EAC7C,EAEAsD,EAAc30E,UAAU82E,IAAM,SAASnxC,EAAM6qC,EAAOC,GAClD,OAAOjwE,KAAKg9D,QAAQ73B,EAAM6qC,EAAOC,EACnC,EAEAkE,EAAc30E,UAAU2F,EAAI,SAASnE,EAAMiqC,EAAY59B,GACrD,OAAOrN,KAAK46C,QAAQ55C,EAAMiqC,EAAY59B,EACxC,EAEA8mE,EAAc30E,UAAUu2B,EAAI,SAAS/0B,EAAMiqC,EAAY59B,GACrD,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEA8mE,EAAc30E,UAAUw+B,EAAI,SAAS50B,GACnC,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEA+qE,EAAc30E,UAAU2kE,EAAI,SAAS/6D,GACnC,OAAOpJ,KAAK48D,MAAMxzD,EACpB,EAEA+qE,EAAc30E,UAAUue,EAAI,SAAS3U,GACnC,OAAOpJ,KAAK88D,QAAQ1zD,EACtB,EAEA+qE,EAAc30E,UAAU+2E,EAAI,SAASntE,GACnC,OAAOpJ,KAAK+mB,IAAI3d,EAClB,EAEA+qE,EAAc30E,UAAUgC,EAAI,SAASiF,EAAQ2C,GAC3C,OAAOpJ,KAAKi1E,YAAYxuE,EAAQ2C,EAClC,EAEA+qE,EAAc30E,UAAU6nE,IAAM,WAC5B,OAAIrnE,KAAKw0E,aAAex0E,KAAKw0E,YAAYxtE,OAAS4lE,EAAShB,QAClD5rE,KAAKuxE,QAAQ9uE,MAAMzC,KAAMsC,WAEzBtC,KAAKmrC,UAAU1oC,MAAMzC,KAAMsC,UAEtC,EAEA6xE,EAAc30E,UAAU2G,EAAI,WAC1B,OAAInG,KAAKw0E,aAAex0E,KAAKw0E,YAAYxtE,OAAS4lE,EAAShB,QAClD5rE,KAAKuxE,QAAQ9uE,MAAMzC,KAAMsC,WAEzBtC,KAAKmrC,UAAU1oC,MAAMzC,KAAMsC,UAEtC,EAEA6xE,EAAc30E,UAAUmyE,IAAM,SAAS3wE,EAAMoI,GAC3C,OAAOpJ,KAAKs/D,OAAOt+D,EAAMoI,EAC3B,EAEA+qE,EAAc30E,UAAUoyE,KAAO,SAAS5wE,EAAMoI,GAC5C,OAAOpJ,KAAKwxE,QAAQxwE,EAAMoI,EAC5B,EAEA+qE,EAAc30E,UAAUqyE,IAAM,SAAS7wE,EAAMoI,GAC3C,OAAOpJ,KAAKyxE,SAASzwE,EAAMoI,EAC7B,EAEO+qE,CAER,CAlegC,EAoelC,GAAEjzE,KAAKlB,8BC9gBR,WACE,IAAI4sE,EAAoBa,EAEtBhH,EAAU,CAAC,EAAEhnE,eAEfguE,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnB7pE,EAAOC,QAAqB,SAAU80D,GAGpC,SAAS0e,EAAS72D,GAChB62D,EAASpN,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC1C3f,KAAKgH,KAAO4lE,EAAST,KACvB,CAUA,OAvBS,SAASvhD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAO44D,EAAU1e,GAOjB0e,EAASh3E,UAAUyf,MAAQ,WACzB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAw2E,EAASh3E,UAAUgE,SAAW,SAASwN,GACrC,MAAO,EACT,EAEOwlE,CAER,CAlB2B,CAkBzB/I,EAEJ,GAAEvsE,KAAKlB,8BC7BR,WACE,IAAI4sE,EAAUC,EAA0BqE,EAAiBzD,EAASrB,EAAUC,EAAY58C,EAAU7P,EAEhG6mD,EAAU,CAAC,EAAEhnE,eAEfmgB,EAAM,EAAQ,OAAc6P,EAAW7P,EAAI6P,SAAU48C,EAAazsD,EAAIysD,WAAYD,EAAWxsD,EAAIwsD,SAEjGqB,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBC,EAAe,EAAQ,OAEvBqE,EAAkB,EAAQ,OAE1BnuE,EAAOC,QAAuB,SAAU80D,GAGtC,SAASic,EAAWp0D,EAAQ3e,EAAMiqC,GAChC,IAAIrgB,EAAOloB,EAAGL,EAAK+uE,EAEnB,GADA2C,EAAW3K,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAChC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,yBAA2BhI,KAAK8sE,aASlD,GAPA9sE,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAO4lE,EAASzB,QACrBnrE,KAAK+0E,QAAU,CAAC,EAChB/0E,KAAKitE,eAAiB,KACJ,MAAdhiC,GACFjrC,KAAKmrC,UAAUF,GAEbtrB,EAAO3Y,OAAS4lE,EAASjB,WAC3B3rE,KAAKy2E,QAAS,EACdz2E,KAAKsxE,eAAiB3xD,EACtBA,EAAOwyD,WAAanyE,KAChB2f,EAAOwB,UAET,IAAKze,EAAI,EAAGL,GADZ+uE,EAAOzxD,EAAOwB,UACSzf,OAAQgB,EAAIL,EAAKK,IAEtC,IADAkoB,EAAQwmD,EAAK1uE,IACHsE,OAAS4lE,EAAShB,QAAS,CACnChhD,EAAM5pB,KAAOhB,KAAKgB,KAClB,KACF,CAIR,CAsPA,OAlSS,SAAS4pB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAczRoe,CAAOm2D,EAAYjc,GAgCnBv4D,OAAOoX,eAAeo9D,EAAWv0E,UAAW,UAAW,CACrDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAeo9D,EAAWv0E,UAAW,eAAgB,CAC1DmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAeo9D,EAAWv0E,UAAW,SAAU,CACpDmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAeo9D,EAAWv0E,UAAW,YAAa,CACvDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAeo9D,EAAWv0E,UAAW,KAAM,CAChDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAK8sE,YAC/D,IAGFvtE,OAAOoX,eAAeo9D,EAAWv0E,UAAW,YAAa,CACvDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAK8sE,YAC/D,IAGFvtE,OAAOoX,eAAeo9D,EAAWv0E,UAAW,YAAa,CACvDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAK8sE,YAC/D,IAGFvtE,OAAOoX,eAAeo9D,EAAWv0E,UAAW,aAAc,CACxDmO,IAAK,WAIH,OAHK3N,KAAK02E,cAAiB12E,KAAK02E,aAAazxC,QAC3CjlC,KAAK02E,aAAe,IAAIxF,EAAgBlxE,KAAK+0E,UAExC/0E,KAAK02E,YACd,IAGF3C,EAAWv0E,UAAUyf,MAAQ,WAC3B,IAAIooD,EAAKyN,EAAS6B,EAAYvF,EAO9B,IAAK0D,KANL6B,EAAap3E,OAAOqB,OAAOZ,OACZy2E,SACbE,EAAWrF,eAAiB,MAE9BqF,EAAW5B,QAAU,CAAC,EACtB3D,EAAOpxE,KAAK+0E,QAELtO,EAAQvlE,KAAKkwE,EAAM0D,KACxBzN,EAAM+J,EAAK0D,GACX6B,EAAW5B,QAAQD,GAAWzN,EAAIpoD,SASpC,OAPA03D,EAAWx1D,SAAW,GACtBnhB,KAAKmhB,SAAS9S,SAAQ,SAASuc,GAC7B,IAAIgsD,EAGJ,OAFAA,EAAchsD,EAAM3L,SACRU,OAASg3D,EACdA,EAAWx1D,SAAS3gB,KAAKo2E,EAClC,IACOD,CACT,EAEA5C,EAAWv0E,UAAU2rC,UAAY,SAASnqC,EAAMoI,GAC9C,IAAI0rE,EAAS/H,EAIb,GAHY,MAAR/rE,IACFA,EAAOorE,EAASprE,IAEdyuB,EAASzuB,GACX,IAAK8zE,KAAW9zE,EACTylE,EAAQvlE,KAAKF,EAAM8zE,KACxB/H,EAAW/rE,EAAK8zE,GAChB90E,KAAKmrC,UAAU2pC,EAAS/H,SAGtBV,EAAWjjE,KACbA,EAAQA,EAAM3G,SAEZzC,KAAKgR,QAAQqkE,oBAAgC,MAATjsE,EACtCpJ,KAAK+0E,QAAQ/zE,GAAQ,IAAI6rE,EAAa7sE,KAAMgB,EAAM,IAChC,MAAToI,IACTpJ,KAAK+0E,QAAQ/zE,GAAQ,IAAI6rE,EAAa7sE,KAAMgB,EAAMoI,IAGtD,OAAOpJ,IACT,EAEA+zE,EAAWv0E,UAAUq3E,gBAAkB,SAAS71E,GAC9C,IAAI8zE,EAASpyE,EAAGL,EAChB,GAAY,MAARrB,EACF,MAAM,IAAIgH,MAAM,2BAA6BhI,KAAK8sE,aAGpD,GADA9rE,EAAOorE,EAASprE,GACZY,MAAMoI,QAAQhJ,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtCoyE,EAAU9zE,EAAK0B,UACR1C,KAAK+0E,QAAQD,eAGf90E,KAAK+0E,QAAQ/zE,GAEtB,OAAOhB,IACT,EAEA+zE,EAAWv0E,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQk8D,OAAOtyB,QAAQ56C,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC7E,EAEA+iE,EAAWv0E,UAAU6nE,IAAM,SAASrmE,EAAMoI,GACxC,OAAOpJ,KAAKmrC,UAAUnqC,EAAMoI,EAC9B,EAEA2qE,EAAWv0E,UAAU2G,EAAI,SAASnF,EAAMoI,GACtC,OAAOpJ,KAAKmrC,UAAUnqC,EAAMoI,EAC9B,EAEA2qE,EAAWv0E,UAAUkrB,aAAe,SAAS1pB,GAC3C,OAAIhB,KAAK+0E,QAAQt1E,eAAeuB,GACvBhB,KAAK+0E,QAAQ/zE,GAAMoI,MAEnB,IAEX,EAEA2qE,EAAWv0E,UAAUqhD,aAAe,SAAS7/C,EAAMoI,GACjD,MAAM,IAAIpB,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUs3E,iBAAmB,SAAS91E,GAC/C,OAAIhB,KAAK+0E,QAAQt1E,eAAeuB,GACvBhB,KAAK+0E,QAAQ/zE,GAEb,IAEX,EAEA+yE,EAAWv0E,UAAUu3E,iBAAmB,SAASC,GAC/C,MAAM,IAAIhvE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUy3E,oBAAsB,SAASC,GAClD,MAAM,IAAIlvE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUozE,qBAAuB,SAAS5xE,GACnD,MAAM,IAAIgH,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU23E,eAAiB,SAAS9J,EAAcC,GAC3D,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU43E,eAAiB,SAAS/J,EAAcwB,EAAezlE,GAC1E,MAAM,IAAIpB,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU63E,kBAAoB,SAAShK,EAAcC,GAC9D,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU83E,mBAAqB,SAASjK,EAAcC,GAC/D,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU+3E,mBAAqB,SAASP,GACjD,MAAM,IAAIhvE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU0zE,uBAAyB,SAAS7F,EAAcC,GACnE,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUg4E,aAAe,SAASx2E,GAC3C,OAAOhB,KAAK+0E,QAAQt1E,eAAeuB,EACrC,EAEA+yE,EAAWv0E,UAAUi4E,eAAiB,SAASpK,EAAcC,GAC3D,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUk4E,eAAiB,SAAS12E,EAAMgsE,GACnD,OAAIhtE,KAAK+0E,QAAQt1E,eAAeuB,GACvBhB,KAAK+0E,QAAQ/zE,GAAMgsE,KAEnBA,CAEX,EAEA+G,EAAWv0E,UAAUm4E,iBAAmB,SAAStK,EAAcC,EAAWN,GACxE,MAAM,IAAIhlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUo4E,mBAAqB,SAASC,EAAQ7K,GACzD,MAAM,IAAIhlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAUozE,qBAAuB,SAASC,GACnD,MAAM,IAAI7qE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU0zE,uBAAyB,SAAS7F,EAAcC,GACnE,MAAM,IAAItlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU+zE,uBAAyB,SAASC,GACrD,MAAM,IAAIxrE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAiH,EAAWv0E,UAAU4tE,YAAc,SAAS9nE,GAC1C,IAAI9D,EAAGkB,EAAG0uE,EACV,IAAK2C,EAAW3K,UAAUgE,YAAY3qE,MAAMzC,KAAMsC,WAAW8qE,YAAY9nE,GACvE,OAAO,EAET,GAAIA,EAAK+nE,eAAiBrtE,KAAKqtE,aAC7B,OAAO,EAET,GAAI/nE,EAAK5F,SAAWM,KAAKN,OACvB,OAAO,EAET,GAAI4F,EAAKgoE,YAActtE,KAAKstE,UAC1B,OAAO,EAET,GAAIhoE,EAAKyvE,QAAQrzE,SAAW1B,KAAK+0E,QAAQrzE,OACvC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAG0uE,EAAOpxE,KAAK+0E,QAAQrzE,OAAS,EAAG,GAAK0vE,EAAO1uE,GAAK0uE,EAAO1uE,GAAK0uE,EAAM5vE,EAAI,GAAK4vE,IAAS1uE,IAAMA,EACzG,IAAK1C,KAAK+0E,QAAQvzE,GAAG4rE,YAAY9nE,EAAKyvE,QAAQvzE,IAC5C,OAAO,EAGX,OAAO,CACT,EAEOuyE,CAER,CAvR6B,CAuR3BtG,EAEJ,GAAEvsE,KAAKlB,0BCxSR,WAGE+C,EAAOC,QAA4B,WACjC,SAASkuE,EAAgBjsC,GACvBjlC,KAAKilC,MAAQA,CACf,CA8CA,OA5CA1lC,OAAOoX,eAAeu6D,EAAgB1xE,UAAW,SAAU,CACzDmO,IAAK,WACH,OAAOpO,OAAO4K,KAAKnK,KAAKilC,OAAOvjC,QAAU,CAC3C,IAGFwvE,EAAgB1xE,UAAUyf,MAAQ,WAChC,OAAOjf,KAAKilC,MAAQ,IACtB,EAEAisC,EAAgB1xE,UAAUs4E,aAAe,SAAS92E,GAChD,OAAOhB,KAAKilC,MAAMjkC,EACpB,EAEAkwE,EAAgB1xE,UAAUu4E,aAAe,SAASzyE,GAChD,IAAI0yE,EAGJ,OAFAA,EAAUh4E,KAAKilC,MAAM3/B,EAAK2kE,UAC1BjqE,KAAKilC,MAAM3/B,EAAK2kE,UAAY3kE,EACrB0yE,GAAW,IACpB,EAEA9G,EAAgB1xE,UAAUy4E,gBAAkB,SAASj3E,GACnD,IAAIg3E,EAGJ,OAFAA,EAAUh4E,KAAKilC,MAAMjkC,UACdhB,KAAKilC,MAAMjkC,GACXg3E,GAAW,IACpB,EAEA9G,EAAgB1xE,UAAU4N,KAAO,SAASyP,GACxC,OAAO7c,KAAKilC,MAAM1lC,OAAO4K,KAAKnK,KAAKilC,OAAOpoB,KAAW,IACvD,EAEAq0D,EAAgB1xE,UAAU04E,eAAiB,SAAS7K,EAAcC,GAChE,MAAM,IAAItlE,MAAM,sCAClB,EAEAkpE,EAAgB1xE,UAAU24E,eAAiB,SAAS7yE,GAClD,MAAM,IAAI0C,MAAM,sCAClB,EAEAkpE,EAAgB1xE,UAAU44E,kBAAoB,SAAS/K,EAAcC,GACnE,MAAM,IAAItlE,MAAM,sCAClB,EAEOkpE,CAER,CAnDkC,EAqDpC,GAAEhwE,KAAKlB,8BCxDR,WACE,IAAIq4E,EAAkBzL,EAAUY,EAAUQ,EAAY2C,EAAgBQ,EAAYqF,EAAUzC,EAAsCuE,EAAatE,EAA0BC,EAAQC,EAAS9H,EAAUzD,EAAS0D,EAAY58C,EAAU2hD,EACjO3K,EAAU,CAAC,EAAEhnE,eAEf2xE,EAAO,EAAQ,OAAc3hD,EAAW2hD,EAAK3hD,SAAU48C,EAAa+E,EAAK/E,WAAY1D,EAAUyI,EAAKzI,QAASyD,EAAWgF,EAAKhF,SAE7H2H,EAAa,KAEbvG,EAAW,KAEXQ,EAAa,KAEb2C,EAAiB,KAEjBQ,EAAa,KAEb8C,EAAS,KAETC,EAAU,KAEVF,EAA2B,KAE3BwC,EAAW,KAEX5J,EAAW,KAEX0L,EAAc,KAIdD,EAAmB,KAEnBt1E,EAAOC,QAAoB,WACzB,SAASyqE,EAAQ8K,GACfv4E,KAAK2f,OAAS44D,EACVv4E,KAAK2f,SACP3f,KAAKgR,QAAUhR,KAAK2f,OAAO3O,QAC3BhR,KAAKoM,UAAYpM,KAAK2f,OAAOvT,WAE/BpM,KAAKoJ,MAAQ,KACbpJ,KAAKmhB,SAAW,GAChBnhB,KAAKw4E,QAAU,KACVzE,IACHA,EAAa,EAAQ,OACrBvG,EAAW,EAAQ,OACnBQ,EAAa,EAAQ,OACrB2C,EAAiB,EAAQ,OACzBQ,EAAa,EAAQ,OACrB8C,EAAS,EAAQ,MACjBC,EAAU,EAAQ,OAClBF,EAA2B,EAAQ,OACnCwC,EAAW,EAAQ,OACnB5J,EAAW,EAAQ,OACnB0L,EAAc,EAAQ,OACJ,EAAQ,OAC1BD,EAAmB,EAAQ,OAE/B,CAktBA,OAhtBA94E,OAAOoX,eAAe82D,EAAQjuE,UAAW,WAAY,CACnDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAe82D,EAAQjuE,UAAW,WAAY,CACnDmO,IAAK,WACH,OAAO3N,KAAKgH,IACd,IAGFzH,OAAOoX,eAAe82D,EAAQjuE,UAAW,YAAa,CACpDmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,IAGF7J,OAAOoX,eAAe82D,EAAQjuE,UAAW,aAAc,CACrDmO,IAAK,WACH,OAAO3N,KAAK2f,MACd,IAGFpgB,OAAOoX,eAAe82D,EAAQjuE,UAAW,aAAc,CACrDmO,IAAK,WAIH,OAHK3N,KAAKy4E,eAAkBz4E,KAAKy4E,cAAcxzC,QAC7CjlC,KAAKy4E,cAAgB,IAAIH,EAAYt4E,KAAKmhB,WAErCnhB,KAAKy4E,aACd,IAGFl5E,OAAOoX,eAAe82D,EAAQjuE,UAAW,aAAc,CACrDmO,IAAK,WACH,OAAO3N,KAAKmhB,SAAS,IAAM,IAC7B,IAGF5hB,OAAOoX,eAAe82D,EAAQjuE,UAAW,YAAa,CACpDmO,IAAK,WACH,OAAO3N,KAAKmhB,SAASnhB,KAAKmhB,SAASzf,OAAS,IAAM,IACpD,IAGFnC,OAAOoX,eAAe82D,EAAQjuE,UAAW,kBAAmB,CAC1DmO,IAAK,WACH,IAAInM,EAEJ,OADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MAC1BA,KAAK2f,OAAOwB,SAAS3f,EAAI,IAAM,IACxC,IAGFjC,OAAOoX,eAAe82D,EAAQjuE,UAAW,cAAe,CACtDmO,IAAK,WACH,IAAInM,EAEJ,OADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MAC1BA,KAAK2f,OAAOwB,SAAS3f,EAAI,IAAM,IACxC,IAGFjC,OAAOoX,eAAe82D,EAAQjuE,UAAW,gBAAiB,CACxDmO,IAAK,WACH,OAAO3N,KAAKyF,YAAc,IAC5B,IAGFlG,OAAOoX,eAAe82D,EAAQjuE,UAAW,cAAe,CACtDmO,IAAK,WACH,IAAIid,EAAOloB,EAAGL,EAAKgvE,EAAMpzD,EACzB,GAAIje,KAAKihE,WAAa2L,EAASzB,SAAWnrE,KAAKihE,WAAa2L,EAASf,iBAAkB,CAGrF,IAFA5tD,EAAM,GAEDvb,EAAI,EAAGL,GADZgvE,EAAOrxE,KAAKmhB,UACWzf,OAAQgB,EAAIL,EAAKK,KACtCkoB,EAAQymD,EAAK3uE,IACHg2E,cACRz6D,GAAO2M,EAAM8tD,aAGjB,OAAOz6D,CACT,CACE,OAAO,IAEX,EACAjO,IAAK,SAAS5G,GACZ,MAAM,IAAIpB,MAAM,sCAAwChI,KAAK8sE,YAC/D,IAGFW,EAAQjuE,UAAUm5E,UAAY,SAASh5D,GACrC,IAAIiL,EAAOloB,EAAGL,EAAKgvE,EAAMjoC,EAQzB,IAPAppC,KAAK2f,OAASA,EACVA,IACF3f,KAAKgR,QAAU2O,EAAO3O,QACtBhR,KAAKoM,UAAYuT,EAAOvT,WAG1Bg9B,EAAU,GACL1mC,EAAI,EAAGL,GAFZgvE,EAAOrxE,KAAKmhB,UAEWzf,OAAQgB,EAAIL,EAAKK,IACtCkoB,EAAQymD,EAAK3uE,GACb0mC,EAAQ5oC,KAAKoqB,EAAM+tD,UAAU34E,OAE/B,OAAOopC,CACT,EAEAqkC,EAAQjuE,UAAUo7C,QAAU,SAAS55C,EAAMiqC,EAAY59B,GACrD,IAAIurE,EAAWxrE,EAAM1K,EAAGm2E,EAAG3vE,EAAK4vE,EAAWz2E,EAAK02E,EAAM1H,EAAM2H,EAAMv6D,EAelE,GAdAq6D,EAAY,KACO,OAAf7tC,GAAgC,MAAR59B,IACP49B,GAAnBomC,EAAO,CAAC,CAAC,EAAG,OAAyB,GAAIhkE,EAAOgkE,EAAK,IAErC,MAAdpmC,IACFA,EAAa,CAAC,GAEhBA,EAAamhC,EAASnhC,GACjBxb,EAASwb,KACe59B,GAA3B2rE,EAAO,CAAC/tC,EAAY59B,IAAmB,GAAI49B,EAAa+tC,EAAK,IAEnD,MAARh4E,IACFA,EAAOorE,EAASprE,IAEdY,MAAMoI,QAAQhJ,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtC0K,EAAOpM,EAAK0B,GACZo2E,EAAY94E,KAAK46C,QAAQxtC,QAEtB,GAAIi/D,EAAWrrE,GACpB83E,EAAY94E,KAAK46C,QAAQ55C,EAAKyB,cACzB,GAAIgtB,EAASzuB,IAClB,IAAKkI,KAAOlI,EACV,GAAKylE,EAAQvlE,KAAKF,EAAMkI,GAKxB,GAJAuV,EAAMzd,EAAKkI,GACPmjE,EAAW5tD,KACbA,EAAMA,EAAIhc,UAEPzC,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAU8sE,eAA+D,IAA9ChwE,EAAImK,QAAQrT,KAAKoM,UAAU8sE,eAC/FJ,EAAY94E,KAAKmrC,UAAUjiC,EAAI6c,OAAO/lB,KAAKoM,UAAU8sE,cAAcx3E,QAAS+c,QACvE,IAAKze,KAAKgR,QAAQmoE,oBAAsBv3E,MAAMoI,QAAQyU,IAAQkqD,EAAQlqD,GAC3Eq6D,EAAY94E,KAAKg1E,aACZ,GAAIvlD,EAAShR,IAAQkqD,EAAQlqD,GAClCq6D,EAAY94E,KAAK46C,QAAQ1xC,QACpB,GAAKlJ,KAAKgR,QAAQooE,eAAyB,MAAP36D,EAEpC,IAAKze,KAAKgR,QAAQmoE,oBAAsBv3E,MAAMoI,QAAQyU,GAC3D,IAAKo6D,EAAI,EAAGE,EAAOt6D,EAAI/c,OAAQm3E,EAAIE,EAAMF,IACvCzrE,EAAOqR,EAAIo6D,IACXD,EAAY,CAAC,GACH1vE,GAAOkE,EACjB0rE,EAAY94E,KAAK46C,QAAQg+B,QAElBnpD,EAAShR,IACbze,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAUitE,gBAAiE,IAA/CnwE,EAAImK,QAAQrT,KAAKoM,UAAUitE,gBAChGP,EAAY94E,KAAK46C,QAAQn8B,IAEzBq6D,EAAY94E,KAAK46C,QAAQ1xC,IACf0xC,QAAQn8B,GAGpBq6D,EAAY94E,KAAK46C,QAAQ1xC,EAAKuV,QAhB9Bq6D,EAAY94E,KAAKg1E,aAuBnB8D,EAJQ94E,KAAKgR,QAAQooE,eAA0B,OAAT/rE,GAGnCrN,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAUitE,gBAAkE,IAAhDr4E,EAAKqS,QAAQrT,KAAKoM,UAAUitE,gBACrFr5E,KAAKqN,KAAKA,IACZrN,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAUktE,iBAAoE,IAAjDt4E,EAAKqS,QAAQrT,KAAKoM,UAAUktE,iBAC7Ft5E,KAAK48D,MAAMvvD,IACbrN,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAUmtE,mBAAwE,IAAnDv4E,EAAKqS,QAAQrT,KAAKoM,UAAUmtE,mBAC/Fv5E,KAAK88D,QAAQzvD,IACfrN,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAUotE,eAAgE,IAA/Cx4E,EAAKqS,QAAQrT,KAAKoM,UAAUotE,eAC3Fx5E,KAAK+mB,IAAI1Z,IACXrN,KAAKgR,QAAQioE,kBAAoBj5E,KAAKoM,UAAUqtE,cAA8D,IAA9Cz4E,EAAKqS,QAAQrT,KAAKoM,UAAUqtE,cAC1Fz5E,KAAKi1E,YAAYj0E,EAAK+kB,OAAO/lB,KAAKoM,UAAUqtE,aAAa/3E,QAAS2L,GAElErN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,GAb9BrN,KAAKg1E,QAgBnB,GAAiB,MAAb8D,EACF,MAAM,IAAI9wE,MAAM,uCAAyChH,EAAO,KAAOhB,KAAK8sE,aAE9E,OAAOgM,CACT,EAEArL,EAAQjuE,UAAUk6E,aAAe,SAAS14E,EAAMiqC,EAAY59B,GAC1D,IAAIud,EAAOppB,EAAGm4E,EAAUC,EAAUC,EAClC,GAAY,MAAR74E,EAAeA,EAAKgG,UAAO,EAY7B,OAVA4yE,EAAW3uC,GADX0uC,EAAW34E,GAEF23E,UAAU34E,MACf45E,GACFp4E,EAAI2f,SAAS9N,QAAQumE,GACrBC,EAAU14D,SAAS7N,OAAO9R,GAC1B2f,SAAS3gB,KAAKm5E,GACd/3E,MAAMpC,UAAUgB,KAAKiC,MAAM0e,SAAU04D,IAErC14D,SAAS3gB,KAAKm5E,GAETA,EAEP,GAAI35E,KAAKy2E,OACP,MAAM,IAAIzuE,MAAM,yCAA2ChI,KAAK8sE,UAAU9rE,IAM5E,OAJAQ,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC65E,EAAU75E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GACtCopB,EAAQ5qB,KAAK2f,OAAOi7B,QAAQ55C,EAAMiqC,EAAY59B,GAC9CzL,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU04D,GAC1CjvD,CAEX,EAEA6iD,EAAQjuE,UAAUs6E,YAAc,SAAS94E,EAAMiqC,EAAY59B,GACzD,IAAIud,EAAOppB,EAAGq4E,EACd,GAAI75E,KAAKy2E,OACP,MAAM,IAAIzuE,MAAM,yCAA2ChI,KAAK8sE,UAAU9rE,IAM5E,OAJAQ,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC65E,EAAU75E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAC1CopB,EAAQ5qB,KAAK2f,OAAOi7B,QAAQ55C,EAAMiqC,EAAY59B,GAC9CzL,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU04D,GAC1CjvD,CACT,EAEA6iD,EAAQjuE,UAAUu6E,OAAS,WACzB,IAAIv4E,EACJ,GAAIxB,KAAKy2E,OACP,MAAM,IAAIzuE,MAAM,mCAAqChI,KAAK8sE,aAI5D,OAFAtrE,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC,GAAGsT,OAAO7Q,MAAMzC,KAAK2f,OAAOwB,SAAU,CAAC3f,EAAGA,EAAIA,EAAI,GAAGH,OAAc,KAC5DrB,KAAK2f,MACd,EAEA8tD,EAAQjuE,UAAU8F,KAAO,SAAStE,EAAMiqC,EAAY59B,GAClD,IAAIud,EAAOymD,EAcX,OAbY,MAARrwE,IACFA,EAAOorE,EAASprE,IAElBiqC,IAAeA,EAAa,CAAC,GAC7BA,EAAamhC,EAASnhC,GACjBxb,EAASwb,KACe59B,GAA3BgkE,EAAO,CAACpmC,EAAY59B,IAAmB,GAAI49B,EAAaomC,EAAK,IAE/DzmD,EAAQ,IAAImpD,EAAW/zE,KAAMgB,EAAMiqC,GACvB,MAAR59B,GACFud,EAAMvd,KAAKA,GAEbrN,KAAKmhB,SAAS3gB,KAAKoqB,GACZA,CACT,EAEA6iD,EAAQjuE,UAAU6N,KAAO,SAASjE,GAChC,IAAIwhB,EAMJ,OALI6E,EAASrmB,IACXpJ,KAAK46C,QAAQxxC,GAEfwhB,EAAQ,IAAIspD,EAAQl0E,KAAMoJ,GAC1BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAytE,EAAQjuE,UAAUo9D,MAAQ,SAASxzD,GACjC,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAI4iD,EAASxtE,KAAMoJ,GAC3BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAytE,EAAQjuE,UAAUs9D,QAAU,SAAS1zD,GACnC,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIojD,EAAWhuE,KAAMoJ,GAC7BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAytE,EAAQjuE,UAAUw6E,cAAgB,SAAS5wE,GACzC,IAAW5H,EAAGq4E,EAKd,OAJAr4E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC65E,EAAU75E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GAC9BxB,KAAK2f,OAAOm9C,QAAQ1zD,GAC5BxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU04D,GAC1C75E,IACT,EAEAytE,EAAQjuE,UAAUy6E,aAAe,SAAS7wE,GACxC,IAAW5H,EAAGq4E,EAKd,OAJAr4E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC65E,EAAU75E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAClCxB,KAAK2f,OAAOm9C,QAAQ1zD,GAC5BxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU04D,GAC1C75E,IACT,EAEAytE,EAAQjuE,UAAUunB,IAAM,SAAS3d,GAC/B,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIqpD,EAAOj0E,KAAMoJ,GACzBpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAytE,EAAQjuE,UAAUw1E,MAAQ,WAGxB,OADQ,IAAIwB,EAASx2E,KAEvB,EAEAytE,EAAQjuE,UAAUy1E,YAAc,SAASxuE,EAAQ2C,GAC/C,IAAIksE,EAAWC,EAAUN,EAAavyE,EAAGL,EAOzC,GANc,MAAVoE,IACFA,EAAS2lE,EAAS3lE,IAEP,MAAT2C,IACFA,EAAQgjE,EAAShjE,IAEfxH,MAAMoI,QAAQvD,GAChB,IAAK/D,EAAI,EAAGL,EAAMoE,EAAO/E,OAAQgB,EAAIL,EAAKK,IACxC4yE,EAAY7uE,EAAO/D,GACnB1C,KAAKi1E,YAAYK,QAEd,GAAI7lD,EAAShpB,GAClB,IAAK6uE,KAAa7uE,EACXggE,EAAQvlE,KAAKuF,EAAQ6uE,KAC1BC,EAAW9uE,EAAO6uE,GAClBt1E,KAAKi1E,YAAYK,EAAWC,SAG1BlJ,EAAWjjE,KACbA,EAAQA,EAAM3G,SAEhBwyE,EAAc,IAAIjB,EAAyBh0E,KAAMyG,EAAQ2C,GACzDpJ,KAAKmhB,SAAS3gB,KAAKy0E,GAErB,OAAOj1E,IACT,EAEAytE,EAAQjuE,UAAU06E,kBAAoB,SAASzzE,EAAQ2C,GACrD,IAAW5H,EAAGq4E,EAKd,OAJAr4E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC65E,EAAU75E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GAC9BxB,KAAK2f,OAAOs1D,YAAYxuE,EAAQ2C,GACxCxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU04D,GAC1C75E,IACT,EAEAytE,EAAQjuE,UAAU26E,iBAAmB,SAAS1zE,EAAQ2C,GACpD,IAAW5H,EAAGq4E,EAKd,OAJAr4E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC65E,EAAU75E,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAClCxB,KAAK2f,OAAOs1D,YAAYxuE,EAAQ2C,GACxCxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU04D,GAC1C75E,IACT,EAEAytE,EAAQjuE,UAAUyxE,YAAc,SAASz3C,EAASo3C,EAAUC,GAC1D,IAAI/N,EAAKwE,EAUT,OATAxE,EAAM9iE,KAAKyF,WACX6hE,EAAS,IAAIqJ,EAAe7N,EAAKtpC,EAASo3C,EAAUC,GACxB,IAAxB/N,EAAI3hD,SAASzf,OACfohE,EAAI3hD,SAASpR,QAAQu3D,GACZxE,EAAI3hD,SAAS,GAAGna,OAAS4lE,EAASb,YAC3CjJ,EAAI3hD,SAAS,GAAKmmD,EAElBxE,EAAI3hD,SAASpR,QAAQu3D,GAEhBxE,EAAI39B,QAAU29B,CACvB,EAEA2K,EAAQjuE,UAAU82E,IAAM,SAAStG,EAAOC,GACtC,IAAWnN,EAAK9F,EAASx7D,EAAGkB,EAAGm2E,EAAGx2E,EAAK02E,EAAM1H,EAAM2H,EAInD,IAHAlW,EAAM9iE,KAAKyF,WACXu3D,EAAU,IAAImU,EAAWrO,EAAKkN,EAAOC,GAEhCzuE,EAAIkB,EAAI,EAAGL,GADhBgvE,EAAOvO,EAAI3hD,UACgBzf,OAAQgB,EAAIL,EAAKb,IAAMkB,EAEhD,GADQ2uE,EAAK7vE,GACHwF,OAAS4lE,EAAShB,QAE1B,OADA9I,EAAI3hD,SAAS3f,GAAKw7D,EACXA,EAIX,IAAKx7D,EAAIq3E,EAAI,EAAGE,GADhBC,EAAOlW,EAAI3hD,UACiBzf,OAAQm3E,EAAIE,EAAMv3E,IAAMq3E,EAElD,GADQG,EAAKx3E,GACHi1E,OAER,OADA3T,EAAI3hD,SAAS7N,OAAO9R,EAAG,EAAGw7D,GACnBA,EAIX,OADA8F,EAAI3hD,SAAS3gB,KAAKw8D,GACXA,CACT,EAEAyQ,EAAQjuE,UAAU4nE,GAAK,WACrB,GAAIpnE,KAAKy2E,OACP,MAAM,IAAIzuE,MAAM,kFAElB,OAAOhI,KAAK2f,MACd,EAEA8tD,EAAQjuE,UAAU2lC,KAAO,WACvB,IAAI7/B,EAEJ,IADAA,EAAOtF,KACAsF,GAAM,CACX,GAAIA,EAAK0B,OAAS4lE,EAASjB,SACzB,OAAOrmE,EAAK6sE,WACP,GAAI7sE,EAAKmxE,OACd,OAAOnxE,EAEPA,EAAOA,EAAKqa,MAEhB,CACF,EAEA8tD,EAAQjuE,UAAUiG,SAAW,WAC3B,IAAIH,EAEJ,IADAA,EAAOtF,KACAsF,GAAM,CACX,GAAIA,EAAK0B,OAAS4lE,EAASjB,SACzB,OAAOrmE,EAEPA,EAAOA,EAAKqa,MAEhB,CACF,EAEA8tD,EAAQjuE,UAAU8mB,IAAM,SAAStV,GAC/B,OAAOhR,KAAKyF,WAAW6gB,IAAItV,EAC7B,EAEAy8D,EAAQjuE,UAAU4zB,KAAO,WACvB,IAAI5xB,EAEJ,IADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,OACzB,EACN,MAAM,IAAIgI,MAAM,8BAAgChI,KAAK8sE,aAEvD,OAAO9sE,KAAK2f,OAAOwB,SAAS3f,EAAI,EAClC,EAEAisE,EAAQjuE,UAAUimB,KAAO,WACvB,IAAIjkB,EAEJ,IAAW,KADXA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,QACjBwB,IAAMxB,KAAK2f,OAAOwB,SAASzf,OAAS,EAClD,MAAM,IAAIsG,MAAM,6BAA+BhI,KAAK8sE,aAEtD,OAAO9sE,KAAK2f,OAAOwB,SAAS3f,EAAI,EAClC,EAEAisE,EAAQjuE,UAAU46E,eAAiB,SAAStX,GAC1C,IAAIuX,EAKJ,OAJAA,EAAavX,EAAI39B,OAAOlmB,SACbU,OAAS3f,KACpBq6E,EAAW5D,QAAS,EACpBz2E,KAAKmhB,SAAS3gB,KAAK65E,GACZr6E,IACT,EAEAytE,EAAQjuE,UAAUstE,UAAY,SAAS9rE,GACrC,IAAIqwE,EAAM2H,EAEV,OAAa,OADbh4E,EAAOA,GAAQhB,KAAKgB,QAC4B,OAAvBqwE,EAAOrxE,KAAK2f,QAAkB0xD,EAAKrwE,UAAO,GAEhD,MAARA,EACF,YAAchB,KAAK2f,OAAO3e,KAAO,KACL,OAAvBg4E,EAAOh5E,KAAK2f,QAAkBq5D,EAAKh4E,UAAO,GAG/C,UAAYA,EAAO,eAAiBhB,KAAK2f,OAAO3e,KAAO,IAFvD,UAAYA,EAAO,IAJnB,EAQX,EAEAysE,EAAQjuE,UAAU2nE,IAAM,SAASnmE,EAAMiqC,EAAY59B,GACjD,OAAOrN,KAAK46C,QAAQ55C,EAAMiqC,EAAY59B,EACxC,EAEAogE,EAAQjuE,UAAUy2E,IAAM,SAASj1E,EAAMiqC,EAAY59B,GACjD,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEAogE,EAAQjuE,UAAU0nE,IAAM,SAAS99D,GAC/B,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEAqkE,EAAQjuE,UAAU02E,IAAM,SAAS9sE,GAC/B,OAAOpJ,KAAK48D,MAAMxzD,EACpB,EAEAqkE,EAAQjuE,UAAU22E,IAAM,SAAS/sE,GAC/B,OAAOpJ,KAAK88D,QAAQ1zD,EACtB,EAEAqkE,EAAQjuE,UAAU42E,IAAM,SAAS3vE,EAAQ2C,GACvC,OAAOpJ,KAAKi1E,YAAYxuE,EAAQ2C,EAClC,EAEAqkE,EAAQjuE,UAAUsjE,IAAM,WACtB,OAAO9iE,KAAKyF,UACd,EAEAgoE,EAAQjuE,UAAU62E,IAAM,SAAS78C,EAASo3C,EAAUC,GAClD,OAAO7wE,KAAKixE,YAAYz3C,EAASo3C,EAAUC,EAC7C,EAEApD,EAAQjuE,UAAU2F,EAAI,SAASnE,EAAMiqC,EAAY59B,GAC/C,OAAOrN,KAAK46C,QAAQ55C,EAAMiqC,EAAY59B,EACxC,EAEAogE,EAAQjuE,UAAUu2B,EAAI,SAAS/0B,EAAMiqC,EAAY59B,GAC/C,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEAogE,EAAQjuE,UAAUw+B,EAAI,SAAS50B,GAC7B,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEAqkE,EAAQjuE,UAAU2kE,EAAI,SAAS/6D,GAC7B,OAAOpJ,KAAK48D,MAAMxzD,EACpB,EAEAqkE,EAAQjuE,UAAUue,EAAI,SAAS3U,GAC7B,OAAOpJ,KAAK88D,QAAQ1zD,EACtB,EAEAqkE,EAAQjuE,UAAU+2E,EAAI,SAASntE,GAC7B,OAAOpJ,KAAK+mB,IAAI3d,EAClB,EAEAqkE,EAAQjuE,UAAUgC,EAAI,SAASiF,EAAQ2C,GACrC,OAAOpJ,KAAKi1E,YAAYxuE,EAAQ2C,EAClC,EAEAqkE,EAAQjuE,UAAU86E,EAAI,WACpB,OAAOt6E,KAAKonE,IACd,EAEAqG,EAAQjuE,UAAU+6E,iBAAmB,SAASzX,GAC5C,OAAO9iE,KAAKo6E,eAAetX,EAC7B,EAEA2K,EAAQjuE,UAAUg7E,aAAe,SAASb,EAAUc,GAClD,MAAM,IAAIzyE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAUukE,YAAc,SAAS0W,GACvC,MAAM,IAAIzyE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAUygC,YAAc,SAAS05C,GACvC,MAAM,IAAI3xE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAUk7E,cAAgB,WAChC,OAAgC,IAAzB16E,KAAKmhB,SAASzf,MACvB,EAEA+rE,EAAQjuE,UAAUu3C,UAAY,SAAS3kC,GACrC,MAAM,IAAIpK,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU0hE,UAAY,WAC5B,MAAM,IAAIl5D,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAUm7E,YAAc,SAAShM,EAASn1C,GAChD,OAAO,CACT,EAEAi0C,EAAQjuE,UAAUo7E,cAAgB,WAChC,OAA+B,IAAxB56E,KAAK+0E,QAAQrzE,MACtB,EAEA+rE,EAAQjuE,UAAUq7E,wBAA0B,SAASC,GACnD,IAAIl7D,EAAKvB,EAET,OADAuB,EAAM5f,QACM86E,EACH,EACE96E,KAAKyF,aAAeq1E,EAAMr1E,YACnC4Y,EAAMg6D,EAAiBxN,aAAewN,EAAiBnN,uBACnDr3C,KAAKu0B,SAAW,GAClB/pC,GAAOg6D,EAAiBvN,UAExBzsD,GAAOg6D,EAAiBtN,UAEnB1sD,GACEuB,EAAIm7D,WAAWD,GACjBzC,EAAiBrN,SAAWqN,EAAiBvN,UAC3ClrD,EAAIo7D,aAAaF,GACnBzC,EAAiBrN,SAAWqN,EAAiBtN,UAC3CnrD,EAAIq7D,YAAYH,GAClBzC,EAAiBvN,UAEjBuN,EAAiBtN,SAE5B,EAEA0C,EAAQjuE,UAAU07E,WAAa,SAASJ,GACtC,MAAM,IAAI9yE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU27E,aAAe,SAAS9N,GACxC,MAAM,IAAIrlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU47E,mBAAqB,SAAS/N,GAC9C,MAAM,IAAIrlE,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU67E,mBAAqB,SAAS37E,GAC9C,MAAM,IAAIsI,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU4tE,YAAc,SAAS9nE,GACvC,IAAI9D,EAAGkB,EAAG2uE,EACV,GAAI/rE,EAAK27D,WAAajhE,KAAKihE,SACzB,OAAO,EAET,GAAI37D,EAAK6b,SAASzf,SAAW1B,KAAKmhB,SAASzf,OACzC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAG2uE,EAAOrxE,KAAKmhB,SAASzf,OAAS,EAAG,GAAK2vE,EAAO3uE,GAAK2uE,EAAO3uE,GAAK2uE,EAAM7vE,EAAI,GAAK6vE,IAAS3uE,IAAMA,EAC1G,IAAK1C,KAAKmhB,SAAS3f,GAAG4rE,YAAY9nE,EAAK6b,SAAS3f,IAC9C,OAAO,EAGX,OAAO,CACT,EAEAisE,EAAQjuE,UAAU0vE,WAAa,SAASP,EAASn1C,GAC/C,MAAM,IAAIxxB,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU87E,YAAc,SAASpyE,EAAKgB,EAAMif,GAClD,MAAM,IAAInhB,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAU+7E,YAAc,SAASryE,GACvC,MAAM,IAAIlB,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAW,EAAQjuE,UAAUq6C,SAAW,SAASihC,GACpC,QAAKA,IAGEA,IAAU96E,MAAQA,KAAKg7E,aAAaF,GAC7C,EAEArN,EAAQjuE,UAAUw7E,aAAe,SAAS11E,GACxC,IAAIslB,EAA0BloB,EAAGL,EAAKgvE,EAEtC,IAAK3uE,EAAI,EAAGL,GADZgvE,EAAOrxE,KAAKmhB,UACWzf,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI4C,KADJslB,EAAQymD,EAAK3uE,IAEX,OAAO,EAGT,GADoBkoB,EAAMowD,aAAa11E,GAErC,OAAO,CAEX,CACA,OAAO,CACT,EAEAmoE,EAAQjuE,UAAUu7E,WAAa,SAASz1E,GACtC,OAAOA,EAAK01E,aAAah7E,KAC3B,EAEAytE,EAAQjuE,UAAUy7E,YAAc,SAAS31E,GACvC,IAAIk2E,EAASC,EAGb,OAFAD,EAAUx7E,KAAK07E,aAAap2E,GAC5Bm2E,EAAUz7E,KAAK07E,aAAa17E,OACX,IAAbw7E,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEAhO,EAAQjuE,UAAUm8E,YAAc,SAASr2E,GACvC,IAAIk2E,EAASC,EAGb,OAFAD,EAAUx7E,KAAK07E,aAAap2E,GAC5Bm2E,EAAUz7E,KAAK07E,aAAa17E,OACX,IAAbw7E,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEAhO,EAAQjuE,UAAUk8E,aAAe,SAASp2E,GACxC,IAAIs2E,EAAOC,EASX,OARAA,EAAM,EACND,GAAQ,EACR57E,KAAK87E,gBAAgB97E,KAAKyF,YAAY,SAASmzE,GAE7C,GADAiD,KACKD,GAAShD,IAActzE,EAC1B,OAAOs2E,GAAQ,CAEnB,IACIA,EACKC,GAEC,CAEZ,EAEApO,EAAQjuE,UAAUs8E,gBAAkB,SAASx2E,EAAMy2E,GACjD,IAAInxD,EAAOloB,EAAGL,EAAKgvE,EAAMhzD,EAGzB,IAFA/Y,IAASA,EAAOtF,KAAKyF,YAEhB/C,EAAI,EAAGL,GADZgvE,EAAO/rE,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI2b,EAAM09D,EADVnxD,EAAQymD,EAAK3uE,IAEX,OAAO2b,EAGP,GADAA,EAAMre,KAAK87E,gBAAgBlxD,EAAOmxD,GAEhC,OAAO19D,CAGb,CACF,EAEOovD,CAER,CA7uB0B,EA+uB5B,GAAEvsE,KAAKlB,0BC/wBR,WAGE+C,EAAOC,QAAwB,WAC7B,SAASs1E,EAAYrzC,GACnBjlC,KAAKilC,MAAQA,CACf,CAgBA,OAdA1lC,OAAOoX,eAAe2hE,EAAY94E,UAAW,SAAU,CACrDmO,IAAK,WACH,OAAO3N,KAAKilC,MAAMvjC,QAAU,CAC9B,IAGF42E,EAAY94E,UAAUyf,MAAQ,WAC5B,OAAOjf,KAAKilC,MAAQ,IACtB,EAEAqzC,EAAY94E,UAAU4N,KAAO,SAASyP,GACpC,OAAO7c,KAAKilC,MAAMpoB,IAAU,IAC9B,EAEOy7D,CAER,CArB8B,EAuBhC,GAAEp3E,KAAKlB,8BC1BR,WACE,IAAI4sE,EAAUW,EAEZ9G,EAAU,CAAC,EAAEhnE,eAEfmtE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3BxqE,EAAOC,QAAqC,SAAU80D,GAGpD,SAASkc,EAAyBr0D,EAAQlZ,EAAQ2C,GAEhD,GADA4qE,EAAyB5K,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC5C,MAAVlZ,EACF,MAAM,IAAIuB,MAAM,+BAAiChI,KAAK8sE,aAExD9sE,KAAKgH,KAAO4lE,EAASnB,sBACrBzrE,KAAKyG,OAASzG,KAAKoM,UAAUkpE,UAAU7uE,GACvCzG,KAAKgB,KAAOhB,KAAKyG,OACb2C,IACFpJ,KAAKoJ,MAAQpJ,KAAKoM,UAAUmpE,SAASnsE,GAEzC,CAoBA,OAzCS,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAOo2D,EAA0Blc,GAejCkc,EAAyBx0E,UAAUyf,MAAQ,WACzC,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAg0E,EAAyBx0E,UAAUgE,SAAW,SAASwN,GACrD,OAAOhR,KAAKgR,QAAQk8D,OAAOsI,sBAAsBx1E,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC3F,EAEAgjE,EAAyBx0E,UAAU4tE,YAAc,SAAS9nE,GACxD,QAAK0uE,EAAyB5K,UAAUgE,YAAY3qE,MAAMzC,KAAMsC,WAAW8qE,YAAY9nE,IAGnFA,EAAKmB,SAAWzG,KAAKyG,MAI3B,EAEOutE,CAER,CApC2C,CAoCzCzG,EAEJ,GAAErsE,KAAKlB,6BC/CR,WACE,IAAI4sE,EAAUa,EAEZhH,EAAU,CAAC,EAAEhnE,eAEfmtE,EAAW,EAAQ,OAEnBa,EAAU,EAAQ,OAElB1qE,EAAOC,QAAmB,SAAU80D,GAGlC,SAASmc,EAAOt0D,EAAQtS,GAEtB,GADA4mE,EAAO7K,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC5B,MAARtS,EACF,MAAM,IAAIrF,MAAM,qBAAuBhI,KAAK8sE,aAE9C9sE,KAAKgH,KAAO4lE,EAASZ,IACrBhsE,KAAKoJ,MAAQpJ,KAAKoM,UAAU2a,IAAI1Z,EAClC,CAUA,OA3BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAOq2D,EAAQnc,GAWfmc,EAAOz0E,UAAUyf,MAAQ,WACvB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAi0E,EAAOz0E,UAAUgE,SAAW,SAASwN,GACnC,OAAOhR,KAAKgR,QAAQk8D,OAAOnmD,IAAI/mB,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GACzE,EAEOijE,CAER,CAtByB,CAsBvBxG,EAEJ,GAAEvsE,KAAKlB,8BCjCR,WACE,IAAI4sE,EAAUkH,EAA8BkI,EAE1CvV,EAAU,CAAC,EAAEhnE,eAEfmtE,EAAW,EAAQ,OAEnBoP,EAAgB,EAAQ,MAExBlI,EAAc,EAAQ,OAEtB/wE,EAAOC,QAA4B,SAAU80D,GAG3C,SAASmkB,EAAgBC,EAAQlrE,GAC/BhR,KAAKk8E,OAASA,EACdD,EAAgB7S,UAAU1zC,YAAYx0B,KAAKlB,KAAMgR,EACnD,CAyJA,OAxKS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAUzRoe,CAAOq+D,EAAiBnkB,GAOxBmkB,EAAgBz8E,UAAUs2E,QAAU,SAASxwE,EAAM0L,EAASglE,GAC1D,OAAI1wE,EAAK62E,gBAAkBnrE,EAAQ/H,QAAU6qE,EAAYnH,SAChD,GAEAsP,EAAgB7S,UAAU0M,QAAQ50E,KAAKlB,KAAMsF,EAAM0L,EAASglE,EAEvE,EAEAiG,EAAgBz8E,UAAUiG,SAAW,SAASq9D,EAAK9xD,GACjD,IAAI4Z,EAAOppB,EAAGkB,EAAGm2E,EAAGx2E,EAAK02E,EAAMn5D,EAAKwxD,EAAMhoC,EAE1C,IAAK5nC,EAAIkB,EAAI,EAAGL,GADhBud,EAAMkjD,EAAI3hD,UACgBzf,OAAQgB,EAAIL,EAAKb,IAAMkB,GAC/CkoB,EAAQhL,EAAIpe,IACN26E,eAAiB36E,IAAMshE,EAAI3hD,SAASzf,OAAS,EAKrD,IAHAsP,EAAUhR,KAAKmtE,cAAcn8D,GAE7Bo4B,EAAU,GACLyvC,EAAI,EAAGE,GAFZ3H,EAAOtO,EAAI3hD,UAEazf,OAAQm3E,EAAIE,EAAMF,IACxCjuD,EAAQwmD,EAAKyH,GACbzvC,EAAQ5oC,KAAKR,KAAKo8E,eAAexxD,EAAO5Z,EAAS,IAEnD,OAAOo4B,CACT,EAEA6yC,EAAgBz8E,UAAU2rC,UAAY,SAASk8B,EAAKr2D,EAASglE,GAC3D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUj+B,UAAUjqC,KAAKlB,KAAMqnE,EAAKr2D,EAASglE,GACxF,EAEAiG,EAAgBz8E,UAAUo9D,MAAQ,SAASt3D,EAAM0L,EAASglE,GACxD,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUxM,MAAM17D,KAAKlB,KAAMsF,EAAM0L,EAASglE,GACrF,EAEAiG,EAAgBz8E,UAAUs9D,QAAU,SAASx3D,EAAM0L,EAASglE,GAC1D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUtM,QAAQ57D,KAAKlB,KAAMsF,EAAM0L,EAASglE,GACvF,EAEAiG,EAAgBz8E,UAAUyxE,YAAc,SAAS3rE,EAAM0L,EAASglE,GAC9D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAU6H,YAAY/vE,KAAKlB,KAAMsF,EAAM0L,EAASglE,GAC3F,EAEAiG,EAAgBz8E,UAAUkyE,QAAU,SAASpsE,EAAM0L,EAASglE,GAC1D,IAAIprD,EAAOloB,EAAGL,EAAKud,EAWnB,GAVAo2D,IAAUA,EAAQ,GAClBh2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5BzsE,KAAKk8E,OAAOnhB,MAAM/6D,KAAK61E,OAAOvwE,EAAM0L,EAASglE,IAC7Ch2E,KAAKk8E,OAAOnhB,MAAM,aAAez1D,EAAK6/B,OAAOnkC,MACzCsE,EAAK0qE,OAAS1qE,EAAK2qE,MACrBjwE,KAAKk8E,OAAOnhB,MAAM,YAAcz1D,EAAK0qE,MAAQ,MAAQ1qE,EAAK2qE,MAAQ,KACzD3qE,EAAK2qE,OACdjwE,KAAKk8E,OAAOnhB,MAAM,YAAcz1D,EAAK2qE,MAAQ,KAE3C3qE,EAAK6b,SAASzf,OAAS,EAAG,CAK5B,IAJA1B,KAAKk8E,OAAOnhB,MAAM,MAClB/6D,KAAKk8E,OAAOnhB,MAAM/6D,KAAK81E,QAAQxwE,EAAM0L,EAASglE,IAC9ChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAEvBhqE,EAAI,EAAGL,GADZud,EAAMta,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IACrCkoB,EAAQhL,EAAIld,GACZ1C,KAAKo8E,eAAexxD,EAAO5Z,EAASglE,EAAQ,GAE9ChlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B3sE,KAAKk8E,OAAOnhB,MAAM,IACpB,CAKA,OAJA/pD,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B3sE,KAAKk8E,OAAOnhB,MAAM/pD,EAAQqrE,iBAAmB,KAC7Cr8E,KAAKk8E,OAAOnhB,MAAM/6D,KAAK81E,QAAQxwE,EAAM0L,EAASglE,IAC9ChlE,EAAQ/H,MAAQ6qE,EAAYtH,KACrBxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,EACvC,EAEAiG,EAAgBz8E,UAAUo7C,QAAU,SAASt1C,EAAM0L,EAASglE,GAC1D,IAAI3O,EAAKz8C,EAAO0xD,EAAgBC,EAAgB75E,EAAGL,EAAKrB,EAAwB4e,EAAKwxD,EAMrF,IAAKpwE,KALLg1E,IAAUA,EAAQ,GAClBh2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5BzsE,KAAKk8E,OAAOnhB,MAAM/6D,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,IAAM1wE,EAAKtE,MACjE4e,EAAMta,EAAKyvE,QAEJtO,EAAQvlE,KAAK0e,EAAK5e,KACvBqmE,EAAMznD,EAAI5e,GACVhB,KAAKmrC,UAAUk8B,EAAKr2D,EAASglE,IAI/B,GADAuG,EAAoC,KADpCD,EAAiBh3E,EAAK6b,SAASzf,QACS,KAAO4D,EAAK6b,SAAS,GACtC,IAAnBm7D,GAAwBh3E,EAAK6b,SAAShB,OAAM,SAAShb,GACvD,OAAQA,EAAE6B,OAAS4lE,EAASvB,MAAQlmE,EAAE6B,OAAS4lE,EAASZ,MAAoB,KAAZ7mE,EAAEiE,KACpE,IACM4H,EAAQwrE,YACVx8E,KAAKk8E,OAAOnhB,MAAM,KAClB/pD,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B3sE,KAAKk8E,OAAOnhB,MAAM,KAAOz1D,EAAKtE,KAAO,OAErCgQ,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B3sE,KAAKk8E,OAAOnhB,MAAM/pD,EAAQqrE,iBAAmB,YAE1C,IAAIrrE,EAAQmV,QAA6B,IAAnBm2D,GAAyBC,EAAev1E,OAAS4lE,EAASvB,MAAQkR,EAAev1E,OAAS4lE,EAASZ,KAAiC,MAAxBuQ,EAAenzE,MAUjJ,CAIL,IAHApJ,KAAKk8E,OAAOnhB,MAAM,IAAM/6D,KAAK81E,QAAQxwE,EAAM0L,EAASglE,IACpDhlE,EAAQ/H,MAAQ6qE,EAAYpH,UAEvBhqE,EAAI,EAAGL,GADZ+uE,EAAO9rE,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IACtCkoB,EAAQwmD,EAAK1uE,GACb1C,KAAKo8E,eAAexxD,EAAO5Z,EAASglE,EAAQ,GAE9ChlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B3sE,KAAKk8E,OAAOnhB,MAAM/6D,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,KAAO1wE,EAAKtE,KAAO,IAC3E,MAnBEhB,KAAKk8E,OAAOnhB,MAAM,KAClB/pD,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B17D,EAAQyrE,sBAERz8E,KAAKo8E,eAAeG,EAAgBvrE,EAASglE,EAAQ,GACrDhlE,EAAQyrE,sBAERzrE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B3sE,KAAKk8E,OAAOnhB,MAAM,KAAOz1D,EAAKtE,KAAO,KAcvC,OAFAhB,KAAKk8E,OAAOnhB,MAAM/6D,KAAK81E,QAAQxwE,EAAM0L,EAASglE,IAC9ChlE,EAAQ/H,MAAQ6qE,EAAYtH,KACrBxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,EACvC,EAEAiG,EAAgBz8E,UAAUg2E,sBAAwB,SAASlwE,EAAM0L,EAASglE,GACxE,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUoM,sBAAsBt0E,KAAKlB,KAAMsF,EAAM0L,EAASglE,GACrG,EAEAiG,EAAgBz8E,UAAUunB,IAAM,SAASzhB,EAAM0L,EAASglE,GACtD,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUriD,IAAI7lB,KAAKlB,KAAMsF,EAAM0L,EAASglE,GACnF,EAEAiG,EAAgBz8E,UAAU6N,KAAO,SAAS/H,EAAM0L,EAASglE,GACvD,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAU/7D,KAAKnM,KAAKlB,KAAMsF,EAAM0L,EAASglE,GACpF,EAEAiG,EAAgBz8E,UAAUkwE,WAAa,SAASpqE,EAAM0L,EAASglE,GAC7D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUsG,WAAWxuE,KAAKlB,KAAMsF,EAAM0L,EAASglE,GAC1F,EAEAiG,EAAgBz8E,UAAUqwE,WAAa,SAASvqE,EAAM0L,EAASglE,GAC7D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUyG,WAAW3uE,KAAKlB,KAAMsF,EAAM0L,EAASglE,GAC1F,EAEAiG,EAAgBz8E,UAAUgxE,UAAY,SAASlrE,EAAM0L,EAASglE,GAC5D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUoH,UAAUtvE,KAAKlB,KAAMsF,EAAM0L,EAASglE,GACzF,EAEAiG,EAAgBz8E,UAAUkxE,YAAc,SAASprE,EAAM0L,EAASglE,GAC9D,OAAOh2E,KAAKk8E,OAAOnhB,MAAMkhB,EAAgB7S,UAAUsH,YAAYxvE,KAAKlB,KAAMsF,EAAM0L,EAASglE,GAC3F,EAEOiG,CAER,CAjKkC,CAiKhCD,EAEJ,GAAE96E,KAAKlB,8BC9KR,WACE,IAAqBg8E,EAEnBvV,EAAU,CAAC,EAAEhnE,eAEfu8E,EAAgB,EAAQ,MAExBj5E,EAAOC,QAA4B,SAAU80D,GAG3C,SAASga,EAAgB9gE,GACvB8gE,EAAgB1I,UAAU1zC,YAAYx0B,KAAKlB,KAAMgR,EACnD,CAiBA,OA3BS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAMzRoe,CAAOk0D,EAAiBha,GAMxBga,EAAgBtyE,UAAUiG,SAAW,SAASq9D,EAAK9xD,GACjD,IAAI4Z,EAAOppB,EAAGa,EAAKk0E,EAAG32D,EAItB,IAHA5O,EAAUhR,KAAKmtE,cAAcn8D,GAC7BulE,EAAI,GAEC/0E,EAAI,EAAGa,GADZud,EAAMkjD,EAAI3hD,UACYzf,OAAQF,EAAIa,EAAKb,IACrCopB,EAAQhL,EAAIpe,GACZ+0E,GAAKv2E,KAAKo8E,eAAexxD,EAAO5Z,EAAS,GAK3C,OAHIA,EAAQmV,QAAUowD,EAAEp1E,OAAO6P,EAAQ0rE,QAAQh7E,UAAYsP,EAAQ0rE,UACjEnG,EAAIA,EAAEp1E,MAAM,GAAI6P,EAAQ0rE,QAAQh7E,SAE3B60E,CACT,EAEOzE,CAER,CAxBkC,CAwBhCkK,EAEJ,GAAE96E,KAAKlB,0BCjCR,WACE,IACEwR,EAAO,SAAS3R,EAAIsgE,GAAK,OAAO,WAAY,OAAOtgE,EAAG4C,MAAM09D,EAAI79D,UAAY,CAAG,EAC/EmkE,EAAU,CAAC,EAAEhnE,eAEfsD,EAAOC,QAA2B,WAChC,SAAS+uE,EAAe/gE,GAGtB,IAAI9H,EAAK0W,EAAKxW,EAOd,IAAKF,KATLlJ,KAAK28E,gBAAkBnrE,EAAKxR,KAAK28E,gBAAiB38E,MAClDA,KAAK48E,gBAAkBprE,EAAKxR,KAAK48E,gBAAiB58E,MAElDgR,IAAYA,EAAU,CAAC,GACvBhR,KAAKgR,QAAUA,EACVhR,KAAKgR,QAAQwoB,UAChBx5B,KAAKgR,QAAQwoB,QAAU,OAEzB5Z,EAAM5O,EAAQ5E,WAAa,CAAC,EAErBq6D,EAAQvlE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKkJ,GAAOE,EAEhB,CAqNA,OAnNA2oE,EAAevyE,UAAUwB,KAAO,SAASyd,GACvC,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK28E,gBAAgB,GAAKl+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAU6N,KAAO,SAASoR,GACvC,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB58E,KAAK68E,WAAW,GAAKp+D,GAAO,IAC1D,EAEAszD,EAAevyE,UAAUo9D,MAAQ,SAASn+C,GACxC,OAAIze,KAAKgR,QAAQokE,aACR32D,GAGTA,GADAA,EAAM,GAAKA,GAAO,IACRxW,QAAQ,MAAO,mBAClBjI,KAAK48E,gBAAgBn+D,GAC9B,EAEAszD,EAAevyE,UAAUs9D,QAAU,SAASr+C,GAC1C,GAAIze,KAAKgR,QAAQokE,aACf,OAAO32D,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVrF,MAAM,MACZ,MAAM,IAAIpR,MAAM,6CAA+CyW,GAEjE,OAAOze,KAAK48E,gBAAgBn+D,EAC9B,EAEAszD,EAAevyE,UAAUunB,IAAM,SAAStI,GACtC,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEF,GAAKA,GAAO,EACrB,EAEAszD,EAAevyE,UAAUutE,SAAW,SAAStuD,GAC3C,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB58E,KAAK88E,UAAUr+D,EAAM,GAAKA,GAAO,IAC/D,EAEAszD,EAAevyE,UAAU81E,UAAY,SAAS72D,GAC5C,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAU+1E,SAAW,SAAS92D,GAC3C,GAAIze,KAAKgR,QAAQokE,aACf,OAAO32D,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVrF,MAAM,OACZ,MAAM,IAAIpR,MAAM,yCAA2CyW,GAE7D,OAAOze,KAAK48E,gBAAgBn+D,EAC9B,EAEAszD,EAAevyE,UAAUsxE,WAAa,SAASryD,GAC7C,GAAIze,KAAKgR,QAAQokE,aACf,OAAO32D,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTrF,MAAM,aACb,MAAM,IAAIpR,MAAM,2BAA6ByW,GAE/C,OAAOA,CACT,EAEAszD,EAAevyE,UAAUuxE,YAAc,SAAStyD,GAC9C,GAAIze,KAAKgR,QAAQokE,aACf,OAAO32D,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTrF,MAAM,iCACb,MAAM,IAAIpR,MAAM,qBAAuByW,GAEzC,OAAOze,KAAK48E,gBAAgBn+D,EAC9B,EAEAszD,EAAevyE,UAAUwxE,cAAgB,SAASvyD,GAChD,OAAIze,KAAKgR,QAAQokE,aACR32D,EAELA,EACK,MAEA,IAEX,EAEAszD,EAAevyE,UAAU2wE,SAAW,SAAS1xD,GAC3C,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAU4wE,SAAW,SAAS3xD,GAC3C,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAUowE,gBAAkB,SAASnxD,GAClD,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAUgwE,WAAa,SAAS/wD,GAC7C,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAUiwE,cAAgB,SAAShxD,GAChD,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAU+wE,eAAiB,SAAS9xD,GACjD,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAU8wE,SAAW,SAAS7xD,GAC3C,OAAIze,KAAKgR,QAAQokE,aACR32D,EAEFze,KAAK48E,gBAAgB,GAAKn+D,GAAO,GAC1C,EAEAszD,EAAevyE,UAAU05E,cAAgB,IAEzCnH,EAAevyE,UAAUi6E,aAAe,IAExC1H,EAAevyE,UAAU65E,eAAiB,QAE1CtH,EAAevyE,UAAU85E,gBAAkB,SAE3CvH,EAAevyE,UAAU+5E,kBAAoB,WAE7CxH,EAAevyE,UAAUg6E,cAAgB,OAEzCzH,EAAevyE,UAAUo9E,gBAAkB,SAAS3+D,GAClD,IAAI4N,EAAOxN,EACX,GAAIre,KAAKgR,QAAQokE,aACf,OAAOn3D,EAGT,GADA4N,EAAQ,GACqB,QAAzB7rB,KAAKgR,QAAQwoB,SAEf,GADA3N,EAAQ,gHACJxN,EAAMJ,EAAI7E,MAAMyS,GAClB,MAAM,IAAI7jB,MAAM,gCAAkCiW,EAAM,aAAeI,EAAIxB,YAExE,GAA6B,QAAzB7c,KAAKgR,QAAQwoB,UACtB3N,EAAQ,4FACJxN,EAAMJ,EAAI7E,MAAMyS,IAClB,MAAM,IAAI7jB,MAAM,gCAAkCiW,EAAM,aAAeI,EAAIxB,OAG/E,OAAOoB,CACT,EAEA8zD,EAAevyE,UAAUm9E,gBAAkB,SAAS1+D,GAClD,IAAI4N,EACJ,GAAI7rB,KAAKgR,QAAQokE,aACf,OAAOn3D,EAIT,GAFAje,KAAK48E,gBAAgB3+D,GACrB4N,EAAQ,gXACH5N,EAAI7E,MAAMyS,GACb,MAAM,IAAI7jB,MAAM,6BAElB,OAAOiW,CACT,EAEA8zD,EAAevyE,UAAUq9E,WAAa,SAAS5+D,GAC7C,IAAI8+D,EACJ,OAAI/8E,KAAKgR,QAAQokE,aACRn3D,GAET8+D,EAAW/8E,KAAKgR,QAAQgsE,iBAAmB,cAAgB,KACpD/+D,EAAIhW,QAAQ80E,EAAU,SAAS90E,QAAQ,KAAM,QAAQA,QAAQ,KAAM,QAAQA,QAAQ,MAAO,SACnG,EAEA8pE,EAAevyE,UAAUs9E,UAAY,SAAS7+D,GAC5C,IAAI8+D,EACJ,OAAI/8E,KAAKgR,QAAQokE,aACRn3D,GAET8+D,EAAW/8E,KAAKgR,QAAQgsE,iBAAmB,cAAgB,KACpD/+D,EAAIhW,QAAQ80E,EAAU,SAAS90E,QAAQ,KAAM,QAAQA,QAAQ,KAAM,UAAUA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SACrJ,EAEO8pE,CAER,CAvOiC,EAyOnC,GAAE7wE,KAAKlB,8BC9OR,WACE,IAAI4sE,EAAUW,EAEZ9G,EAAU,CAAC,EAAEhnE,eAEfmtE,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3BxqE,EAAOC,QAAoB,SAAU80D,GAGnC,SAASoc,EAAQv0D,EAAQtS,GAEvB,GADA6mE,EAAQ9K,UAAU1zC,YAAYx0B,KAAKlB,KAAM2f,GAC7B,MAARtS,EACF,MAAM,IAAIrF,MAAM,yBAA2BhI,KAAK8sE,aAElD9sE,KAAKgB,KAAO,QACZhB,KAAKgH,KAAO4lE,EAASvB,KACrBrrE,KAAKoJ,MAAQpJ,KAAKoM,UAAUiB,KAAKA,EACnC,CA2CA,OA7DS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAc8mD,EAAQvlE,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASigE,IAASnpE,KAAK01B,YAAc9K,CAAO,CAAEu+C,EAAK3pE,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAI2pE,EAAQv+C,EAAMw+C,UAAYzpD,EAAOngB,SAAyB,CAQzRoe,CAAOs2D,EAASpc,GAYhBv4D,OAAOoX,eAAeu9D,EAAQ10E,UAAW,6BAA8B,CACrEmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAK8sE,YAC/D,IAGFvtE,OAAOoX,eAAeu9D,EAAQ10E,UAAW,YAAa,CACpDmO,IAAK,WACH,IAAI8X,EAAM2N,EAAMnV,EAGhB,IAFAA,EAAM,GACNmV,EAAOpzB,KAAKi9E,gBACL7pD,GACLnV,EAAMmV,EAAKlpB,KAAO+T,EAClBmV,EAAOA,EAAK6pD,gBAId,IAFAh/D,GAAOje,KAAKkK,KACZub,EAAOzlB,KAAKk9E,YACLz3D,GACLxH,GAAYwH,EAAKvb,KACjBub,EAAOA,EAAKy3D,YAEd,OAAOj/D,CACT,IAGFi2D,EAAQ10E,UAAUyf,MAAQ,WACxB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAk0E,EAAQ10E,UAAUgE,SAAW,SAASwN,GACpC,OAAOhR,KAAKgR,QAAQk8D,OAAO7/D,KAAKrN,KAAMA,KAAKgR,QAAQk8D,OAAOC,cAAcn8D,GAC1E,EAEAkjE,EAAQ10E,UAAU29E,UAAY,SAAS33D,GACrC,MAAM,IAAIxd,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEAoH,EAAQ10E,UAAU49E,iBAAmB,SAASC,GAC5C,MAAM,IAAIr1E,MAAM,sCAAwChI,KAAK8sE,YAC/D,EAEOoH,CAER,CAxD0B,CAwDxB3G,EAEJ,GAAErsE,KAAKlB,6BCnER,WACE,IAAI4sE,EAAUkH,EAA2M5rE,EACvNu+D,EAAU,CAAC,EAAEhnE,eAEfyI,EAAS,gBAET0kE,EAAW,EAAQ,OAEF,EAAQ,OAEZ,EAAQ,OAEV,EAAQ,OAEN,EAAQ,OAER,EAAQ,OAEZ,EAAQ,MAEP,EAAQ,OAES,EAAQ,OAExB,EAAQ,OAEH,EAAQ,OAER,EAAQ,OAET,EAAQ,MAEN,EAAQ,OAEzBkH,EAAc,EAAQ,OAEtB/wE,EAAOC,QAA0B,WAC/B,SAASg5E,EAAchrE,GACrB,IAAI9H,EAAK0W,EAAKxW,EAId,IAAKF,KAHL8H,IAAYA,EAAU,CAAC,GACvBhR,KAAKgR,QAAUA,EACf4O,EAAM5O,EAAQk8D,QAAU,CAAC,EAElBzG,EAAQvlE,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAK,IAAMkJ,GAAOlJ,KAAKkJ,GACvBlJ,KAAKkJ,GAAOE,EAEhB,CAsXA,OApXA4yE,EAAcx8E,UAAU2tE,cAAgB,SAASn8D,GAC/C,IAAIssE,EAAiB19D,EAAKwxD,EAAMC,EAAM2H,EAAMuE,EAAMC,EAAMC,EAmBxD,OAlBAzsE,IAAYA,EAAU,CAAC,GACvBA,EAAU9I,EAAO,CAAC,EAAGlI,KAAKgR,QAASA,IACnCssE,EAAkB,CAChBpQ,OAAQltE,OAEMmmB,OAASnV,EAAQmV,SAAU,EAC3Cm3D,EAAgBd,WAAaxrE,EAAQwrE,aAAc,EACnDc,EAAgBzH,OAAmC,OAAzBj2D,EAAM5O,EAAQ6kE,QAAkBj2D,EAAM,KAChE09D,EAAgBZ,QAAsC,OAA3BtL,EAAOpgE,EAAQ0rE,SAAmBtL,EAAO,KACpEkM,EAAgB93D,OAAoC,OAA1B6rD,EAAOrgE,EAAQwU,QAAkB6rD,EAAO,EAClEiM,EAAgBI,oBAAoH,OAA7F1E,EAA+C,OAAvCuE,EAAOvsE,EAAQ0sE,qBAA+BH,EAAOvsE,EAAQ2sE,qBAA+B3E,EAAO,EAClJsE,EAAgBjB,iBAA2G,OAAvFmB,EAA4C,OAApCC,EAAOzsE,EAAQqrE,kBAA4BoB,EAAOzsE,EAAQ4sE,kBAA4BJ,EAAO,IAChG,IAArCF,EAAgBjB,mBAClBiB,EAAgBjB,iBAAmB,KAErCiB,EAAgBb,oBAAsB,EACtCa,EAAgBO,KAAO,CAAC,EACxBP,EAAgBr0E,MAAQ6qE,EAAYtH,KAC7B8Q,CACT,EAEAtB,EAAcx8E,UAAUq2E,OAAS,SAASvwE,EAAM0L,EAASglE,GACvD,IAAI8H,EACJ,OAAK9sE,EAAQmV,QAAUnV,EAAQyrE,oBACtB,GACEzrE,EAAQmV,SACjB23D,GAAe9H,GAAS,GAAKhlE,EAAQwU,OAAS,GAC5B,EACT,IAAI5jB,MAAMk8E,GAAahlE,KAAK9H,EAAQ6kE,QAGxC,EACT,EAEAmG,EAAcx8E,UAAUs2E,QAAU,SAASxwE,EAAM0L,EAASglE,GACxD,OAAKhlE,EAAQmV,QAAUnV,EAAQyrE,oBACtB,GAEAzrE,EAAQ0rE,OAEnB,EAEAV,EAAcx8E,UAAU2rC,UAAY,SAASk8B,EAAKr2D,EAASglE,GACzD,IAAIO,EAIJ,OAHAv2E,KAAK+9E,cAAc1W,EAAKr2D,EAASglE,GACjCO,EAAI,IAAMlP,EAAIrmE,KAAO,KAAOqmE,EAAIj+D,MAAQ,IACxCpJ,KAAKg+E,eAAe3W,EAAKr2D,EAASglE,GAC3BO,CACT,EAEAyF,EAAcx8E,UAAUo9D,MAAQ,SAASt3D,EAAM0L,EAASglE,GACtD,IAAIO,EAUJ,OATAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,YACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAKjxE,EAAK8D,MACV4H,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAK,MAAQv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACzChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUs9D,QAAU,SAASx3D,EAAM0L,EAASglE,GACxD,IAAIO,EAUJ,OATAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,WACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAKjxE,EAAK8D,MACV4H,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAK,UAASv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GAC1ChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUyxE,YAAc,SAAS3rE,EAAM0L,EAASglE,GAC5D,IAAIO,EAiBJ,OAhBAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,QACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAK,aAAejxE,EAAKk0B,QAAU,IACd,MAAjBl0B,EAAKsrE,WACP2F,GAAK,cAAgBjxE,EAAKsrE,SAAW,KAEhB,MAAnBtrE,EAAKurE,aACP0F,GAAK,gBAAkBjxE,EAAKurE,WAAa,KAE3C7/D,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,KAChC9F,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUkyE,QAAU,SAASpsE,EAAM0L,EAASglE,GACxD,IAAIprD,EAAOppB,EAAGa,EAAKk0E,EAAG32D,EAWtB,GAVAo2D,IAAUA,EAAQ,GAClBh2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAC/BO,GAAK,aAAejxE,EAAK6/B,OAAOnkC,KAC5BsE,EAAK0qE,OAAS1qE,EAAK2qE,MACrBsG,GAAK,YAAcjxE,EAAK0qE,MAAQ,MAAQ1qE,EAAK2qE,MAAQ,IAC5C3qE,EAAK2qE,QACdsG,GAAK,YAAcjxE,EAAK2qE,MAAQ,KAE9B3qE,EAAK6b,SAASzf,OAAS,EAAG,CAK5B,IAJA60E,GAAK,KACLA,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAEvBlrE,EAAI,EAAGa,GADZud,EAAMta,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IACrCopB,EAAQhL,EAAIpe,GACZ+0E,GAAKv2E,KAAKo8E,eAAexxD,EAAO5Z,EAASglE,EAAQ,GAEnDhlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAK,GACP,CAMA,OALAvlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,IAChC9F,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUo7C,QAAU,SAASt1C,EAAM0L,EAASglE,GACxD,IAAI3O,EAAKz8C,EAAO0xD,EAAgBC,EAAgB/6E,EAAGkB,EAAGL,EAAK02E,EAAM/3E,EAAMi9E,EAAkB1H,EAAG32D,EAAKwxD,EAAMC,EAQvG,IAAKrwE,KAPLg1E,IAAUA,EAAQ,GAClBiI,GAAmB,EACnB1H,EAAI,GACJv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,GAAKv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,IAAM1wE,EAAKtE,KACpD4e,EAAMta,EAAKyvE,QAEJtO,EAAQvlE,KAAK0e,EAAK5e,KACvBqmE,EAAMznD,EAAI5e,GACVu1E,GAAKv2E,KAAKmrC,UAAUk8B,EAAKr2D,EAASglE,IAIpC,GADAuG,EAAoC,KADpCD,EAAiBh3E,EAAK6b,SAASzf,QACS,KAAO4D,EAAK6b,SAAS,GACtC,IAAnBm7D,GAAwBh3E,EAAK6b,SAAShB,OAAM,SAAShb,GACvD,OAAQA,EAAE6B,OAAS4lE,EAASvB,MAAQlmE,EAAE6B,OAAS4lE,EAASZ,MAAoB,KAAZ7mE,EAAEiE,KACpE,IACM4H,EAAQwrE,YACVjG,GAAK,IACLvlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAK,KAAOjxE,EAAKtE,KAAO,IAAMhB,KAAK81E,QAAQxwE,EAAM0L,EAASglE,KAE1DhlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,KAAOr8E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,SAEhE,IAAIhlE,EAAQmV,QAA6B,IAAnBm2D,GAAyBC,EAAev1E,OAAS4lE,EAASvB,MAAQkR,EAAev1E,OAAS4lE,EAASZ,KAAiC,MAAxBuQ,EAAenzE,MAUjJ,CACL,GAAI4H,EAAQ0sE,oBAEV,IAAKl8E,EAAI,EAAGa,GADZ+uE,EAAO9rE,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IAEtC,KADAopB,EAAQwmD,EAAK5vE,IACFwF,OAAS4lE,EAASvB,MAAQzgD,EAAM5jB,OAAS4lE,EAASZ,MAAwB,MAAfphD,EAAMxhB,MAAgB,CAC1F4H,EAAQyrE,sBACRwB,GAAmB,EACnB,KACF,CAMJ,IAHA1H,GAAK,IAAMv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACvChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAEvBhqE,EAAI,EAAGq2E,GADZ1H,EAAO/rE,EAAK6b,UACYzf,OAAQgB,EAAIq2E,EAAMr2E,IACxCkoB,EAAQymD,EAAK3uE,GACb6zE,GAAKv2E,KAAKo8E,eAAexxD,EAAO5Z,EAASglE,EAAQ,GAEnDhlE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,KAAO1wE,EAAKtE,KAAO,IACxDi9E,GACFjtE,EAAQyrE,sBAEVlG,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYtH,IAC9B,MAnCE+J,GAAK,IACLvlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B17D,EAAQyrE,sBACRwB,GAAmB,EACnB1H,GAAKv2E,KAAKo8E,eAAeG,EAAgBvrE,EAASglE,EAAQ,GAC1DhlE,EAAQyrE,sBACRwB,GAAmB,EACnBjtE,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAK,KAAOjxE,EAAKtE,KAAO,IAAMhB,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GA6B5D,OADAh2E,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAU48E,eAAiB,SAAS92E,EAAM0L,EAASglE,GAC/D,OAAQ1wE,EAAK0B,MACX,KAAK4lE,EAAStB,MACZ,OAAOtrE,KAAK48D,MAAMt3D,EAAM0L,EAASglE,GACnC,KAAKpJ,EAASlB,QACZ,OAAO1rE,KAAK88D,QAAQx3D,EAAM0L,EAASglE,GACrC,KAAKpJ,EAASzB,QACZ,OAAOnrE,KAAK46C,QAAQt1C,EAAM0L,EAASglE,GACrC,KAAKpJ,EAASZ,IACZ,OAAOhsE,KAAK+mB,IAAIzhB,EAAM0L,EAASglE,GACjC,KAAKpJ,EAASvB,KACZ,OAAOrrE,KAAKqN,KAAK/H,EAAM0L,EAASglE,GAClC,KAAKpJ,EAASnB,sBACZ,OAAOzrE,KAAKw1E,sBAAsBlwE,EAAM0L,EAASglE,GACnD,KAAKpJ,EAAST,MACZ,MAAO,GACT,KAAKS,EAASb,YACZ,OAAO/rE,KAAKixE,YAAY3rE,EAAM0L,EAASglE,GACzC,KAAKpJ,EAAShB,QACZ,OAAO5rE,KAAK0xE,QAAQpsE,EAAM0L,EAASglE,GACrC,KAAKpJ,EAASX,qBACZ,OAAOjsE,KAAK0vE,WAAWpqE,EAAM0L,EAASglE,GACxC,KAAKpJ,EAASV,mBACZ,OAAOlsE,KAAK6vE,WAAWvqE,EAAM0L,EAASglE,GACxC,KAAKpJ,EAASpB,kBACZ,OAAOxrE,KAAKwwE,UAAUlrE,EAAM0L,EAASglE,GACvC,KAAKpJ,EAASd,oBACZ,OAAO9rE,KAAK0wE,YAAYprE,EAAM0L,EAASglE,GACzC,QACE,MAAM,IAAIhuE,MAAM,0BAA4B1C,EAAKowB,YAAY10B,MAEnE,EAEAg7E,EAAcx8E,UAAUg2E,sBAAwB,SAASlwE,EAAM0L,EAASglE,GACtE,IAAIO,EAcJ,OAbAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,KACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAKjxE,EAAKmB,OACNnB,EAAK8D,QACPmtE,GAAK,IAAMjxE,EAAK8D,OAElB4H,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,KAChC9F,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUunB,IAAM,SAASzhB,EAAM0L,EAASglE,GACpD,IAAIO,EAUJ,OATAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAC/BhlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAKjxE,EAAK8D,MACV4H,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAU6N,KAAO,SAAS/H,EAAM0L,EAASglE,GACrD,IAAIO,EAUJ,OATAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAC/BhlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAKjxE,EAAK8D,MACV4H,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKv2E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GACjChlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUkwE,WAAa,SAASpqE,EAAM0L,EAASglE,GAC3D,IAAIO,EAgBJ,OAfAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,YACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAK,IAAMjxE,EAAK8pE,YAAc,IAAM9pE,EAAK+pE,cAAgB,IAAM/pE,EAAKgqE,cACtC,aAA1BhqE,EAAKiqE,mBACPgH,GAAK,IAAMjxE,EAAKiqE,kBAEdjqE,EAAKiM,eACPglE,GAAK,KAAOjxE,EAAKiM,aAAe,KAElCP,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,IAAMr8E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GAClEhlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUqwE,WAAa,SAASvqE,EAAM0L,EAASglE,GAC3D,IAAIO,EAUJ,OATAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,YACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAK,IAAMjxE,EAAKtE,KAAO,IAAMsE,EAAK8D,MAClC4H,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,IAAMr8E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GAClEhlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUgxE,UAAY,SAASlrE,EAAM0L,EAASglE,GAC1D,IAAIO,EAyBJ,OAxBAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,WACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UACxBpnE,EAAKyqE,KACPwG,GAAK,MAEPA,GAAK,IAAMjxE,EAAKtE,KACZsE,EAAK8D,MACPmtE,GAAK,KAAOjxE,EAAK8D,MAAQ,KAErB9D,EAAK0qE,OAAS1qE,EAAK2qE,MACrBsG,GAAK,YAAcjxE,EAAK0qE,MAAQ,MAAQ1qE,EAAK2qE,MAAQ,IAC5C3qE,EAAK2qE,QACdsG,GAAK,YAAcjxE,EAAK2qE,MAAQ,KAE9B3qE,EAAK+qE,QACPkG,GAAK,UAAYjxE,EAAK+qE,QAG1Br/D,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,IAAMr8E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GAClEhlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUkxE,YAAc,SAASprE,EAAM0L,EAASglE,GAC5D,IAAIO,EAiBJ,OAhBAv2E,KAAK21E,SAASrwE,EAAM0L,EAASglE,GAC7BhlE,EAAQ/H,MAAQ6qE,EAAYrH,QAC5B8J,EAAIv2E,KAAK61E,OAAOvwE,EAAM0L,EAASglE,GAAS,aACxChlE,EAAQ/H,MAAQ6qE,EAAYpH,UAC5B6J,GAAK,IAAMjxE,EAAKtE,KACZsE,EAAK0qE,OAAS1qE,EAAK2qE,MACrBsG,GAAK,YAAcjxE,EAAK0qE,MAAQ,MAAQ1qE,EAAK2qE,MAAQ,IAC5C3qE,EAAK0qE,MACduG,GAAK,YAAcjxE,EAAK0qE,MAAQ,IACvB1qE,EAAK2qE,QACdsG,GAAK,YAAcjxE,EAAK2qE,MAAQ,KAElCj/D,EAAQ/H,MAAQ6qE,EAAYnH,SAC5B4J,GAAKvlE,EAAQqrE,iBAAmB,IAAMr8E,KAAK81E,QAAQxwE,EAAM0L,EAASglE,GAClEhlE,EAAQ/H,MAAQ6qE,EAAYtH,KAC5BxsE,KAAK01E,UAAUpwE,EAAM0L,EAASglE,GACvBO,CACT,EAEAyF,EAAcx8E,UAAUm2E,SAAW,SAASrwE,EAAM0L,EAASglE,GAAQ,EAEnEgG,EAAcx8E,UAAUk2E,UAAY,SAASpwE,EAAM0L,EAASglE,GAAQ,EAEpEgG,EAAcx8E,UAAUu+E,cAAgB,SAAS1W,EAAKr2D,EAASglE,GAAQ,EAEvEgG,EAAcx8E,UAAUw+E,eAAiB,SAAS3W,EAAKr2D,EAASglE,GAAQ,EAEjEgG,CAER,CApYgC,EAsYlC,GAAE96E,KAAKlB,8BC1aR,WACE,IAAI4sE,EAAUkH,EAAarF,EAAsBuD,EAAamC,EAAe8H,EAAiBnK,EAAiB5pE,EAAQmkE,EAAYzsD,EAEnIA,EAAM,EAAQ,OAAc1X,EAAS0X,EAAI1X,OAAQmkE,EAAazsD,EAAIysD,WAElEoC,EAAuB,EAAQ,OAE/BuD,EAAc,EAAQ,OAEtBmC,EAAgB,EAAQ,OAExBrC,EAAkB,EAAQ,OAE1BmK,EAAkB,EAAQ,OAE1BrP,EAAW,EAAQ,OAEnBkH,EAAc,EAAQ,OAEtB/wE,EAAOC,QAAQpC,OAAS,SAASI,EAAMsmE,EAAQtK,EAAShsD,GACtD,IAAI8xD,EAAK39B,EACT,GAAY,MAARnkC,EACF,MAAM,IAAIgH,MAAM,8BAWlB,OATAgJ,EAAU9I,EAAO,CAAC,EAAGo/D,EAAQtK,EAAShsD,GAEtCm0B,GADA29B,EAAM,IAAIkP,EAAYhhE,IACX4pC,QAAQ55C,GACdgQ,EAAQu2D,WACXzE,EAAImO,YAAYjgE,GACM,MAAjBA,EAAQg/D,OAAoC,MAAjBh/D,EAAQi/D,OACtCnN,EAAIwT,IAAItlE,IAGLm0B,CACT,EAEApiC,EAAOC,QAAQk7E,MAAQ,SAASltE,EAASojE,EAAQC,GAC/C,IAAIjD,EAKJ,OAJI/E,EAAWr7D,KACaojE,GAA1BhD,EAAO,CAACpgE,EAASojE,IAAuB,GAAIC,EAAQjD,EAAK,GACzDpgE,EAAU,CAAC,GAETojE,EACK,IAAID,EAAcnjE,EAASojE,EAAQC,GAEnC,IAAIrC,EAAYhhE,EAE3B,EAEAjO,EAAOC,QAAQm7E,aAAe,SAASntE,GACrC,OAAO,IAAI8gE,EAAgB9gE,EAC7B,EAEAjO,EAAOC,QAAQo7E,aAAe,SAASlC,EAAQlrE,GAC7C,OAAO,IAAIirE,EAAgBC,EAAQlrE,EACrC,EAEAjO,EAAOC,QAAQq7E,eAAiB,IAAI5P,EAEpC1rE,EAAOC,QAAQi+D,SAAW2L,EAE1B7pE,EAAOC,QAAQs7E,YAAcxK,CAE9B,GAAE5yE,KAAKlB,ugCCpCR,MAAwGslB,EAAhF,QAAZngB,GAAmG,YAAhF,UAAIu2B,OAAO,SAASE,SAAU,UAAIF,OAAO,SAAS6iD,OAAOp5E,EAAEs8B,KAAK7F,QAApF,IAACz2B,EAsBZ,MAAMq5E,EACJC,SAAW,GACX,aAAAC,CAAc1gD,GACZh+B,KAAK2+E,cAAc3gD,GAAIh+B,KAAKy+E,SAASj+E,KAAKw9B,EAC5C,CACA,eAAA4gD,CAAgB5gD,GACd,MAAMu4C,EAAgB,iBAALv4C,EAAgBh+B,KAAK6+E,cAAc7gD,GAAKh+B,KAAK6+E,cAAc7gD,EAAEp0B,KACnE,IAAP2sE,EAIJv2E,KAAKy+E,SAASnrE,OAAOijE,EAAG,GAHtBjxD,EAAE9c,KAAK,mCAAoC,CAAEmgC,MAAO3K,EAAGpjB,QAAS5a,KAAKkpC,cAIzE,CAMA,UAAAA,CAAWlL,GACT,OAAOA,EAAIh+B,KAAKy+E,SAASxvE,QAAQsnE,GAA0B,mBAAbA,EAAEvxC,SAAwBuxC,EAAEvxC,QAAQhH,KAAWh+B,KAAKy+E,QACpG,CACA,aAAAI,CAAc7gD,GACZ,OAAOh+B,KAAKy+E,SAAS1iC,WAAWw6B,GAAMA,EAAE3sE,KAAOo0B,GACjD,CACA,aAAA2gD,CAAc3gD,GACZ,IAAKA,EAAEp0B,KAAOo0B,EAAE6G,cAAiB7G,EAAE8G,gBAAiB9G,EAAE0G,YAAe1G,EAAE7U,QACrE,MAAM,IAAInhB,MAAM,iBAClB,GAAmB,iBAARg2B,EAAEp0B,IAA0C,iBAAjBo0B,EAAE6G,YACtC,MAAM,IAAI78B,MAAM,sCAClB,GAAIg2B,EAAE0G,WAAmC,iBAAf1G,EAAE0G,WAAyB1G,EAAE8G,eAA2C,iBAAnB9G,EAAE8G,cAC/E,MAAM,IAAI98B,MAAM,yBAClB,QAAkB,IAAdg2B,EAAEgH,SAA0C,mBAAbhH,EAAEgH,QACnC,MAAM,IAAIh9B,MAAM,4BAClB,GAAwB,mBAAbg2B,EAAE7U,QACX,MAAM,IAAInhB,MAAM,4BAClB,GAAI,UAAWg2B,GAAuB,iBAAXA,EAAEsF,MAC3B,MAAM,IAAIt7B,MAAM,0BAClB,IAAkC,IAA9BhI,KAAK6+E,cAAc7gD,EAAEp0B,IACvB,MAAM,IAAI5B,MAAM,kBACpB,EAEF,MAyBM82E,EAAI,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAAOC,EAAI,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OACrF,SAASC,EAAG75E,EAAG64B,GAAI,EAAIu4C,GAAI,EAAI1hB,GAAI,GACjC0hB,EAAIA,IAAM1hB,EAAe,iBAAL1vD,IAAkBA,EAAI8V,OAAO9V,IACjD,IAAI4wB,EAAI5wB,EAAI,EAAI0uB,KAAKg0B,MAAMh0B,KAAKprB,IAAItD,GAAK0uB,KAAKprB,IAAIosD,EAAI,IAAM,OAAS,EACrE9+B,EAAIlC,KAAKiM,KAAKy2C,EAAIwI,EAAEr9E,OAASo9E,EAAEp9E,QAAU,EAAGq0B,GAC5C,MAAMv0B,EAAI+0E,EAAIwI,EAAEhpD,GAAK+oD,EAAE/oD,GACvB,IAAIouC,GAAKh/D,EAAI0uB,KAAKowB,IAAI4Q,EAAI,IAAM,KAAM9+B,IAAIzI,QAAQ,GAClD,OAAa,IAAN0Q,GAAkB,IAANjI,GAAiB,QAANouC,EAAc,OAAS,OAASoS,EAAIwI,EAAE,GAAKD,EAAE,KAAe3a,EAARpuC,EAAI,EAAQ40C,WAAWxG,GAAG72C,QAAQ,GAASq9C,WAAWxG,GAAG8a,gBAAe,WAAO9a,EAAI,IAAM3iE,EAC7K,CA0CA,IAAI09E,EAAoB,CAAE/5E,IAAOA,EAAEg6E,QAAU,UAAWh6E,EAAE22C,OAAS,SAAU32C,GAArD,CAAyD+5E,GAAK,CAAC,GACvF,MAAME,EACJC,QACA,WAAA3pD,CAAYsI,GACVh+B,KAAKs/E,eAAethD,GAAIh+B,KAAKq/E,QAAUrhD,CACzC,CACA,MAAIp0B,GACF,OAAO5J,KAAKq/E,QAAQz1E,EACtB,CACA,eAAIi7B,GACF,OAAO7kC,KAAKq/E,QAAQx6C,WACtB,CACA,SAAIv9B,GACF,OAAOtH,KAAKq/E,QAAQ/3E,KACtB,CACA,iBAAIw9B,GACF,OAAO9kC,KAAKq/E,QAAQv6C,aACtB,CACA,WAAIE,GACF,OAAOhlC,KAAKq/E,QAAQr6C,OACtB,CACA,QAAIrqB,GACF,OAAO3a,KAAKq/E,QAAQ1kE,IACtB,CACA,aAAIk2B,GACF,OAAO7wC,KAAKq/E,QAAQxuC,SACtB,CACA,SAAIvN,GACF,OAAOtjC,KAAKq/E,QAAQ/7C,KACtB,CACA,UAAI3jB,GACF,OAAO3f,KAAKq/E,QAAQ1/D,MACtB,CACA,WAAI,GACF,OAAO3f,KAAKq/E,QAAQr+D,OACtB,CACA,UAAIw6B,GACF,OAAOx7C,KAAKq/E,QAAQ7jC,MACtB,CACA,gBAAIE,GACF,OAAO17C,KAAKq/E,QAAQ3jC,YACtB,CACA,cAAA4jC,CAAethD,GACb,IAAKA,EAAEp0B,IAAqB,iBAARo0B,EAAEp0B,GACpB,MAAM,IAAI5B,MAAM,cAClB,IAAKg2B,EAAE6G,aAAuC,mBAAjB7G,EAAE6G,YAC7B,MAAM,IAAI78B,MAAM,gCAClB,GAAI,UAAWg2B,GAAuB,mBAAXA,EAAE12B,MAC3B,MAAM,IAAIU,MAAM,0BAClB,IAAKg2B,EAAE8G,eAA2C,mBAAnB9G,EAAE8G,cAC/B,MAAM,IAAI98B,MAAM,kCAClB,IAAKg2B,EAAErjB,MAAyB,mBAAVqjB,EAAErjB,KACtB,MAAM,IAAI3S,MAAM,yBAClB,GAAI,YAAag2B,GAAyB,mBAAbA,EAAEgH,QAC7B,MAAM,IAAIh9B,MAAM,4BAClB,GAAI,cAAeg2B,GAA2B,mBAAfA,EAAE6S,UAC/B,MAAM,IAAI7oC,MAAM,8BAClB,GAAI,UAAWg2B,GAAuB,iBAAXA,EAAEsF,MAC3B,MAAM,IAAIt7B,MAAM,iBAClB,GAAI,WAAYg2B,GAAwB,iBAAZA,EAAEre,OAC5B,MAAM,IAAI3X,MAAM,kBAClB,GAAIg2B,EAAEhd,UAAYzhB,OAAO6O,OAAO8wE,GAAGp2E,SAASk1B,EAAEhd,SAC5C,MAAM,IAAIhZ,MAAM,mBAClB,GAAI,WAAYg2B,GAAwB,mBAAZA,EAAEwd,OAC5B,MAAM,IAAIxzC,MAAM,2BAClB,GAAI,iBAAkBg2B,GAA8B,mBAAlBA,EAAE0d,aAClC,MAAM,IAAI1zC,MAAM,gCACpB,EAEF,MAMGq4D,EAAK,WACN,cAAcz8D,OAAO27E,gBAAkB,MAAQ37E,OAAO27E,gBAAkB,GAAIj6D,EAAEqe,MAAM,4BAA6B//B,OAAO27E,eAC1H,EA6DGC,EAAK,WACN,cAAc57E,OAAO67E,mBAAqB,MAAQ77E,OAAO67E,mBAAqB,GAAIn6D,EAAEqe,MAAM,gCAAiC//B,OAAO67E,kBACpI,EAsBA,IAAIC,EAAoB,CAAEv6E,IAAOA,EAAEA,EAAEmgC,KAAO,GAAK,OAAQngC,EAAEA,EAAE4qC,OAAS,GAAK,SAAU5qC,EAAEA,EAAEq5C,KAAO,GAAK,OAAQr5C,EAAEA,EAAE0lC,OAAS,GAAK,SAAU1lC,EAAEA,EAAEw6E,OAAS,GAAK,SAAUx6E,EAAEA,EAAEirD,MAAQ,IAAM,QAASjrD,EAAEA,EAAEylC,IAAM,IAAM,MAAOzlC,GAA/L,CAAmMu6E,GAAK,CAAC,GAuBjO,MAAME,EAAI,CACR,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WACCl9E,EAAI,CACLyhE,EAAG,OACH0b,GAAI,0BACJC,GAAI,yBACJC,IAAK,6CAUJC,EAAI,WACL,cAAcp8E,OAAOq8E,mBAAqB,MAAQr8E,OAAOq8E,mBAAqB,IAAIL,IAAKh8E,OAAOq8E,mBAAmB/wE,KAAK/J,GAAM,IAAIA,SAAQ2T,KAAK,IAC/I,EAAGonE,EAAI,WACL,cAAct8E,OAAOu8E,mBAAqB,MAAQv8E,OAAOu8E,mBAAqB,IAAKz9E,IAAMnD,OAAO4K,KAAKvG,OAAOu8E,oBAAoBjxE,KAAK/J,GAAM,SAASA,MAAMvB,OAAOu8E,qBAAqBh7E,QAAO2T,KAAK,IACpM,EAAGsnE,EAAK,WACN,MAAO,0CACOF,iCAEVF,yCAGN,EAUGK,EAAK,SAASl7E,GACf,MAAO,4DACU+6E,8HAKbF,iGAKe,WAAKv+C,0nBA0BRt8B,yXAkBlB,EAuBMm7E,EAAK,SAASn7E,EAAI,IACtB,IAAI64B,EAAI0hD,EAAEp6C,KACV,OAAOngC,KAAOA,EAAE2D,SAAS,MAAQ3D,EAAE2D,SAAS,QAAUk1B,GAAK0hD,EAAE3vC,QAAS5qC,EAAE2D,SAAS,OAASk1B,GAAK0hD,EAAElhC,OAAQr5C,EAAE2D,SAAS,MAAQ3D,EAAE2D,SAAS,MAAQ3D,EAAE2D,SAAS,QAAUk1B,GAAK0hD,EAAE70C,QAAS1lC,EAAE2D,SAAS,OAASk1B,GAAK0hD,EAAEC,QAASx6E,EAAE2D,SAAS,OAASk1B,GAAK0hD,EAAEtvB,QAASpyB,CAC9P,EAsBA,IAAIm8B,EAAoB,CAAEh1D,IAAOA,EAAE+hC,OAAS,SAAU/hC,EAAEgjC,KAAO,OAAQhjC,GAA/C,CAAmDg1D,GAAK,CAAC,GAsBjF,MAAMomB,EAAI,SAASp7E,EAAG64B,GACpB,OAAsB,OAAf74B,EAAEiU,MAAM4kB,EACjB,EAAGy7B,EAAI,CAACt0D,EAAG64B,KACT,GAAI74B,EAAEyE,IAAqB,iBAARzE,EAAEyE,GACnB,MAAM,IAAI5B,MAAM,4BAClB,IAAK7C,EAAEgf,OACL,MAAM,IAAInc,MAAM,4BAClB,IACE,IAAItB,IAAIvB,EAAEgf,OACZ,CAAE,MACA,MAAM,IAAInc,MAAM,oDAClB,CACA,IAAK7C,EAAEgf,OAAOjU,WAAW,QACvB,MAAM,IAAIlI,MAAM,oDAClB,GAAI7C,EAAEunC,SAAWvnC,EAAEunC,iBAAiBj7B,MAClC,MAAM,IAAIzJ,MAAM,sBAClB,GAAI7C,EAAEq7E,UAAYr7E,EAAEq7E,kBAAkB/uE,MACpC,MAAM,IAAIzJ,MAAM,uBAClB,IAAK7C,EAAEynC,MAAyB,iBAAVznC,EAAEynC,OAAqBznC,EAAEynC,KAAKxzB,MAAM,yBACxD,MAAM,IAAIpR,MAAM,qCAClB,GAAI,SAAU7C,GAAsB,iBAAVA,EAAEuK,WAA+B,IAAXvK,EAAEuK,KAChD,MAAM,IAAI1H,MAAM,qBAClB,GAAI,gBAAiB7C,QAAuB,IAAlBA,EAAEigC,eAAoD,iBAAjBjgC,EAAEigC,aAA2BjgC,EAAEigC,aAAes6C,EAAEp6C,MAAQngC,EAAEigC,aAAes6C,EAAE90C,KACxI,MAAM,IAAI5iC,MAAM,uBAClB,GAAI7C,EAAEonC,OAAqB,OAAZpnC,EAAEonC,OAAoC,iBAAXpnC,EAAEonC,MAC1C,MAAM,IAAIvkC,MAAM,sBAClB,GAAI7C,EAAE8lC,YAAqC,iBAAhB9lC,EAAE8lC,WAC3B,MAAM,IAAIjjC,MAAM,2BAClB,GAAI7C,EAAEggC,MAAyB,iBAAVhgC,EAAEggC,KACrB,MAAM,IAAIn9B,MAAM,qBAClB,GAAI7C,EAAEggC,OAAShgC,EAAEggC,KAAKj1B,WAAW,KAC/B,MAAM,IAAIlI,MAAM,wCAClB,GAAI7C,EAAEggC,OAAShgC,EAAEgf,OAAOrb,SAAS3D,EAAEggC,MACjC,MAAM,IAAIn9B,MAAM,mCAClB,GAAI7C,EAAEggC,MAAQo7C,EAAEp7E,EAAEgf,OAAQ6Z,GAAI,CAC5B,MAAMu4C,EAAIpxE,EAAEgf,OAAO/K,MAAM4kB,GAAG,GAC5B,IAAK74B,EAAEgf,OAAOrb,UAAS,UAAGytE,EAAGpxE,EAAEggC,OAC7B,MAAM,IAAIn9B,MAAM,4DACpB,CACA,GAAI7C,EAAEC,SAAW7F,OAAO6O,OAAOqyE,GAAG33E,SAAS3D,EAAEC,QAC3C,MAAM,IAAI4C,MAAM,oCAAoC,EAuBxD,IAAIy4E,EAAoB,CAAEt7E,IAAOA,EAAEu7E,IAAM,MAAOv7E,EAAEknD,OAAS,SAAUlnD,EAAEipC,QAAU,UAAWjpC,EAAEw7E,OAAS,SAAUx7E,GAAzF,CAA6Fs7E,GAAK,CAAC,GAC3H,MAAMG,EACJC,MACAzkC,YACA0kC,iBAAmB,mCACnB,WAAAprD,CAAYsI,EAAGu4C,GACb9c,EAAEz7B,EAAGu4C,GAAKv2E,KAAK8gF,kBAAmB9gF,KAAK6gF,MAAQ7iD,EAC/C,MAAM62B,EAAI,CAER7kD,IAAK,CAAC+lB,EAAGv0B,EAAG2iE,KAAOnkE,KAAK+gF,cAAelwE,QAAQb,IAAI+lB,EAAGv0B,EAAG2iE,IACzD6c,eAAgB,CAACjrD,EAAGv0B,KAAOxB,KAAK+gF,cAAelwE,QAAQmwE,eAAejrD,EAAGv0B,KAG3ExB,KAAKo8C,YAAc,IAAIxrC,MAAMotB,EAAEiN,YAAc,CAAC,EAAG4pB,UAAW70D,KAAK6gF,MAAM51C,WAAYsrC,IAAMv2E,KAAK8gF,iBAAmBvK,EACnH,CAIA,UAAIpyD,GACF,OAAOnkB,KAAK6gF,MAAM18D,OAAOlc,QAAQ,OAAQ,GAC3C,CAIA,iBAAIk4C,GACF,MAAQ55C,OAAQy3B,GAAM,IAAIt3B,IAAI1G,KAAKmkB,QACnC,OAAO6Z,GAAI,QAAGh+B,KAAKmkB,OAAOhjB,MAAM68B,EAAEt8B,QACpC,CAIA,YAAIwoC,GACF,OAAO,cAAGlqC,KAAKmkB,OACjB,CAIA,aAAI6zB,GACF,OAAO,aAAGh4C,KAAKmkB,OACjB,CAKA,WAAIgjB,GACF,GAAInnC,KAAKmlC,KAAM,CACb,IAAIoxC,EAAIv2E,KAAKmkB,OACbnkB,KAAKihF,iBAAmB1K,EAAIA,EAAE39D,MAAM5Y,KAAK8gF,kBAAkBp9D,OAC3D,MAAMmxC,EAAI0hB,EAAEljE,QAAQrT,KAAKmlC,MAAOpP,EAAI/1B,KAAKmlC,KAAKl9B,QAAQ,MAAO,IAC7D,OAAO,aAAEsuE,EAAEp1E,MAAM0zD,EAAI9+B,EAAEr0B,SAAW,IACpC,CACA,MAAMs8B,EAAI,IAAIt3B,IAAI1G,KAAKmkB,QACvB,OAAO,aAAE6Z,EAAE9H,SACb,CAIA,QAAI0W,GACF,OAAO5sC,KAAK6gF,MAAMj0C,IACpB,CAIA,SAAIF,GACF,OAAO1sC,KAAK6gF,MAAMn0C,KACpB,CAIA,UAAI8zC,GACF,OAAOxgF,KAAK6gF,MAAML,MACpB,CAIA,QAAI9wE,GACF,OAAO1P,KAAK6gF,MAAMnxE,IACpB,CAIA,cAAIu7B,GACF,OAAOjrC,KAAKo8C,WACd,CAIA,eAAIhX,GACF,OAAsB,OAAfplC,KAAKusC,OAAmBvsC,KAAKihF,oBAAqD,IAA3BjhF,KAAK6gF,MAAMz7C,YAAyBplC,KAAK6gF,MAAMz7C,YAAcs6C,EAAEp6C,KAAxEo6C,EAAElhC,IACzD,CAIA,SAAIjS,GACF,OAAOvsC,KAAKihF,eAAiBjhF,KAAK6gF,MAAMt0C,MAAQ,IAClD,CAIA,kBAAI00C,GACF,OAAOV,EAAEvgF,KAAKmkB,OAAQnkB,KAAK8gF,iBAC7B,CAIA,QAAI37C,GACF,OAAOnlC,KAAK6gF,MAAM17C,KAAOnlC,KAAK6gF,MAAM17C,KAAKl9B,QAAQ,WAAY,MAAQjI,KAAKihF,iBAAkB,aAAEjhF,KAAKmkB,QAAQvL,MAAM5Y,KAAK8gF,kBAAkBp9D,OAAS,IACnJ,CAIA,QAAI5T,GACF,GAAI9P,KAAKmlC,KAAM,CACb,IAAInH,EAAIh+B,KAAKmkB,OACbnkB,KAAKihF,iBAAmBjjD,EAAIA,EAAEplB,MAAM5Y,KAAK8gF,kBAAkBp9D,OAC3D,MAAM6yD,EAAIv4C,EAAE3qB,QAAQrT,KAAKmlC,MAAO0vB,EAAI70D,KAAKmlC,KAAKl9B,QAAQ,MAAO,IAC7D,OAAO+1B,EAAE78B,MAAMo1E,EAAI1hB,EAAEnzD,SAAW,GAClC,CACA,OAAQ1B,KAAKmnC,QAAU,IAAMnnC,KAAKkqC,UAAUjiC,QAAQ,QAAS,IAC/D,CAKA,UAAIw9B,GACF,OAAOzlC,KAAK6gF,OAAOj3E,IAAM5J,KAAKirC,YAAYxF,MAC5C,CAIA,UAAIrgC,GACF,OAAOpF,KAAK6gF,OAAOz7E,MACrB,CAIA,UAAIA,CAAO44B,GACTh+B,KAAK6gF,MAAMz7E,OAAS44B,CACtB,CAOA,IAAAkjD,CAAKljD,GACHy7B,EAAE,IAAKz5D,KAAK6gF,MAAO18D,OAAQ6Z,GAAKh+B,KAAK8gF,kBAAmB9gF,KAAK6gF,MAAM18D,OAAS6Z,EAAGh+B,KAAK+gF,aACtF,CAOA,MAAA3gC,CAAOpiB,GACL,GAAIA,EAAEl1B,SAAS,KACb,MAAM,IAAId,MAAM,oBAClBhI,KAAKkhF,MAAK,aAAElhF,KAAKmkB,QAAU,IAAM6Z,EACnC,CAIA,WAAA+iD,GACE/gF,KAAK6gF,MAAMn0C,QAAU1sC,KAAK6gF,MAAMn0C,MAAwB,IAAIj7B,KAC9D,EAuBF,MAAM0vE,UAAWP,EACf,QAAI55E,GACF,OAAOmzD,EAAEhyB,IACX,EAuBF,MAAM7xB,UAAWsqE,EACf,WAAAlrD,CAAYsI,GACVqK,MAAM,IACDrK,EACH4O,KAAM,wBAEV,CACA,QAAI5lC,GACF,OAAOmzD,EAAEjzB,MACX,CACA,aAAI8Q,GACF,OAAO,IACT,CACA,QAAIpL,GACF,MAAO,sBACT,EAwBF,MAAMw0C,EAAI,WAAU,WAAK3/C,MAAO9/B,GAAK,QAAG,OAAQ0/E,EAAK,SAASl8E,EAAIxD,EAAIq8B,EAAI,CAAC,GACzE,MAAMu4C,GAAI,QAAGpxE,EAAG,CAAEwmC,QAAS3N,IAC3B,SAAS62B,EAAErzD,GACT+0E,EAAE+K,WAAW,IACRtjD,EAEH,mBAAoB,iBAEpB4N,aAAcpqC,GAAK,IAEvB,CACA,OAAO,QAAGqzD,GAAIA,GAAE,YAAO,UAAK9oB,MAAM,SAAS,CAACvqC,EAAG2iE,KAC7C,MAAMmW,EAAInW,EAAEx4B,QACZ,OAAO2uC,GAAGruC,SAAWk4B,EAAEl4B,OAASquC,EAAEruC,cAAequC,EAAEruC,QAASs1C,MAAM//E,EAAG2iE,EAAE,IACrEoS,CACN,EAAGiL,EAAKx1E,MAAO7G,EAAG64B,EAAI,IAAKu4C,EAAI6K,WAAaj8E,EAAEmoC,qBAAqB,GAAGipC,IAAIv4C,IAAK,CAC7E4L,SAAS,EACT1/B,KAndO,+CACYg2E,iCAEfF,wIAidJr0C,QAAS,CAEPM,OAAQ,UAEVsB,aAAa,KACXrjC,KAAK+E,QAAQ8mB,GAAMA,EAAEyW,WAAaxO,IAAG9uB,KAAK6mB,GAAM0rD,EAAG1rD,EAAGwgD,KAAKkL,EAAK,SAASt8E,EAAG64B,EAAIojD,EAAG7K,EAAI50E,GACzF,MAAMkzD,GAAI,WAAKpzB,IACf,IAAKozB,EACH,MAAM,IAAI7sD,MAAM,oBAClB,MAAM+tB,EAAI5wB,EAAE4b,MAAOvf,EAAI8+E,EAAGvqD,GAAGqP,aAAc++B,GAAKpuC,IAAI,aAAe8+B,GAAGrxD,WAAY82E,EAAI,CACpF1wE,GAAImsB,GAAG0P,QAAU,EACjBthB,OAAQ,GAAGoyD,IAAIpxE,EAAEqnC,WACjBE,MAAO,IAAIj7B,KAAKA,KAAKlF,MAAMpH,EAAEwnC,UAC7BC,KAAMznC,EAAEynC,MAAQ,2BAChBl9B,KAAMqmB,GAAGrmB,MAAQuL,OAAOw7B,SAAS1gB,EAAE2rD,kBAAoB,KACvDt8C,YAAa5jC,EACb+qC,MAAO43B,EACPh/B,KAAMnH,EACNiN,WAAY,IACP9lC,KACA4wB,EACH8W,WAAY9W,IAAI,iBAGpB,cAAcukD,EAAErvC,YAAYlqB,MAAkB,SAAX5b,EAAE6B,KAAkB,IAAIm6E,EAAG7G,GAAK,IAAIhkE,EAAGgkE,EAC5E,EAsBA,MAAMqH,EACJC,OAAS,GACTC,aAAe,KACf,QAAAhvB,CAAS70B,GACP,GAAIh+B,KAAK4hF,OAAOz+C,MAAMozC,GAAMA,EAAE3sE,KAAOo0B,EAAEp0B,KACrC,MAAM,IAAI5B,MAAM,WAAWg2B,EAAEp0B,4BAC/B5J,KAAK4hF,OAAOphF,KAAKw9B,EACnB,CACA,MAAA+7C,CAAO/7C,GACL,MAAMu4C,EAAIv2E,KAAK4hF,OAAO7lC,WAAW8Y,GAAMA,EAAEjrD,KAAOo0B,KACzC,IAAPu4C,GAAYv2E,KAAK4hF,OAAOtuE,OAAOijE,EAAG,EACpC,CACA,SAAIrzC,GACF,OAAOljC,KAAK4hF,MACd,CACA,SAAAl+C,CAAU1F,GACRh+B,KAAK6hF,aAAe7jD,CACtB,CACA,UAAIgJ,GACF,OAAOhnC,KAAK6hF,YACd,EAEF,MAAMC,EAAK,WACT,cAAcl+E,OAAOm+E,eAAiB,MAAQn+E,OAAOm+E,eAAiB,IAAIJ,EAAMr8D,EAAEqe,MAAM,mCAAoC//B,OAAOm+E,cACrI,EAsBA,MAAMC,EACJC,QACA,WAAAvsD,CAAYsI,GACVkkD,EAAGlkD,GAAIh+B,KAAKiiF,QAAUjkD,CACxB,CACA,MAAIp0B,GACF,OAAO5J,KAAKiiF,QAAQr4E,EACtB,CACA,SAAItC,GACF,OAAOtH,KAAKiiF,QAAQ36E,KACtB,CACA,UAAI2Z,GACF,OAAOjhB,KAAKiiF,QAAQhhE,MACtB,CACA,QAAIlG,GACF,OAAO/a,KAAKiiF,QAAQlnE,IACtB,CACA,WAAIu7B,GACF,OAAOt2C,KAAKiiF,QAAQ3rC,OACtB,EAEF,MAAM4rC,EAAK,SAAS/8E,GAClB,IAAKA,EAAEyE,IAAqB,iBAARzE,EAAEyE,GACpB,MAAM,IAAI5B,MAAM,2BAClB,IAAK7C,EAAEmC,OAA2B,iBAAXnC,EAAEmC,MACvB,MAAM,IAAIU,MAAM,8BAClB,IAAK7C,EAAE8b,QAA6B,mBAAZ9b,EAAE8b,OACxB,MAAM,IAAIjZ,MAAM,iCAClB,GAAI7C,EAAE4V,MAAyB,mBAAV5V,EAAE4V,KACrB,MAAM,IAAI/S,MAAM,0CAClB,GAAI7C,EAAEmxC,SAA+B,mBAAbnxC,EAAEmxC,QACxB,MAAM,IAAItuC,MAAM,qCAClB,OAAO,CACT,EACA,IAAIm6E,EAAI,CAAC,EAAGC,EAAI,CAAC,GACjB,SAAUj9E,GACR,MAAM64B,EAAI,gLAAyO62B,EAAI,IAAM72B,EAAI,KAAlEA,EAAwD,iDAA2BjI,EAAI,IAAIvd,OAAO,IAAMq8C,EAAI,KAgB3S1vD,EAAEk9E,QAAU,SAAS/H,GACnB,cAAcA,EAAI,GACpB,EAAGn1E,EAAEm9E,cAAgB,SAAShI,GAC5B,OAAiC,IAA1B/6E,OAAO4K,KAAKmwE,GAAG54E,MACxB,EAAGyD,EAAEo9E,MAAQ,SAASjI,EAAG/2E,EAAG4C,GAC1B,GAAI5C,EAAG,CACL,MAAM9B,EAAIlC,OAAO4K,KAAK5G,GAAIwxD,EAAItzD,EAAEC,OAChC,IAAK,IAAIqc,EAAI,EAAGA,EAAIg3C,EAAGh3C,IACJu8D,EAAE74E,EAAEsc,IAAf,WAAN5X,EAA2B,CAAC5C,EAAE9B,EAAEsc,KAAiBxa,EAAE9B,EAAEsc,GACzD,CACF,EAAG5Y,EAAEinE,SAAW,SAASkO,GACvB,OAAOn1E,EAAEk9E,QAAQ/H,GAAKA,EAAI,EAC5B,EAAGn1E,EAAEq9E,OAhBE,SAASlI,GACd,MAAM/2E,EAAIwyB,EAAEpb,KAAK2/D,GACjB,QAAe,OAAN/2E,UAAqBA,EAAI,IACpC,EAaiB4B,EAAEs9E,cA5BkS,SAASnI,EAAG/2E,GAC/T,MAAM4C,EAAI,GACV,IAAI1E,EAAI8B,EAAEoX,KAAK2/D,GACf,KAAO74E,GAAK,CACV,MAAMszD,EAAI,GACVA,EAAEjN,WAAavkD,EAAEglD,UAAY9mD,EAAE,GAAGC,OAClC,MAAMqc,EAAItc,EAAEC,OACZ,IAAK,IAAIwiE,EAAI,EAAGA,EAAInmD,EAAGmmD,IACrBnP,EAAEv0D,KAAKiB,EAAEyiE,IACX/9D,EAAE3F,KAAKu0D,GAAItzD,EAAI8B,EAAEoX,KAAK2/D,EACxB,CACA,OAAOn0E,CACT,EAgBsChB,EAAEu9E,WAAa7tB,CACtD,CA9BD,CA8BGutB,GACH,MAAMO,EAAIP,EAAGQ,EAAK,CAChBC,wBAAwB,EAExBC,aAAc,IAkGhB,SAASC,EAAE59E,GACT,MAAa,MAANA,GAAmB,OAANA,GAAmB,OAANA,GACxB,OAANA,CACL,CACA,SAAS69E,EAAE79E,EAAG64B,GACZ,MAAMu4C,EAAIv4C,EACV,KAAOA,EAAI74B,EAAEzD,OAAQs8B,IACnB,GAAY,KAAR74B,EAAE64B,IAAqB,KAAR74B,EAAE64B,GAAW,CAC9B,MAAM62B,EAAI1vD,EAAE4gB,OAAOwwD,EAAGv4C,EAAIu4C,GAC1B,GAAIv4C,EAAI,GAAW,QAAN62B,EACX,OAAO79C,GAAE,aAAc,6DAA8DisE,GAAE99E,EAAG64B,IAC5F,GAAY,KAAR74B,EAAE64B,IAAyB,KAAZ74B,EAAE64B,EAAI,GAAW,CAClCA,IACA,KACF,CACE,QACJ,CACF,OAAOA,CACT,CACA,SAASklD,EAAE/9E,EAAG64B,GACZ,GAAI74B,EAAEzD,OAASs8B,EAAI,GAAkB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAChD,IAAKA,GAAK,EAAGA,EAAI74B,EAAEzD,OAAQs8B,IACzB,GAAa,MAAT74B,EAAE64B,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,OACG,GAAI74B,EAAEzD,OAASs8B,EAAI,GAAkB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAAY,CACvK,IAAIu4C,EAAI,EACR,IAAKv4C,GAAK,EAAGA,EAAI74B,EAAEzD,OAAQs8B,IACzB,GAAa,MAAT74B,EAAE64B,GACJu4C,SACG,GAAa,MAATpxE,EAAE64B,KAAeu4C,IAAW,IAANA,GAC7B,KACN,MAAO,GAAIpxE,EAAEzD,OAASs8B,EAAI,GAAkB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAC3J,IAAKA,GAAK,EAAGA,EAAI74B,EAAEzD,OAAQs8B,IACzB,GAAa,MAAT74B,EAAE64B,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GAAY,CACxDA,GAAK,EACL,KACF,CAEJ,OAAOA,CACT,CAzIAmkD,EAAEgB,SAAW,SAASh+E,EAAG64B,GACvBA,EAAIz+B,OAAO2I,OAAO,CAAC,EAAG06E,EAAI5kD,GAC1B,MAAMu4C,EAAI,GACV,IAAI1hB,GAAI,EAAI9+B,GAAI,EACP,WAAT5wB,EAAE,KAAoBA,EAAIA,EAAE4gB,OAAO,IACnC,IAAK,IAAIvkB,EAAI,EAAGA,EAAI2D,EAAEzD,OAAQF,IAC5B,GAAa,MAAT2D,EAAE3D,IAA2B,MAAb2D,EAAE3D,EAAI,IACxB,GAAIA,GAAK,EAAGA,EAAIwhF,EAAE79E,EAAG3D,GAAIA,EAAE0c,IACzB,OAAO1c,MACJ,IAAa,MAAT2D,EAAE3D,GAyEN,CACL,GAAIuhF,EAAE59E,EAAE3D,IACN,SACF,OAAOwV,GAAE,cAAe,SAAW7R,EAAE3D,GAAK,qBAAsByhF,GAAE99E,EAAG3D,GACvE,CA7EyB,CACvB,IAAI2iE,EAAI3iE,EACR,GAAIA,IAAc,MAAT2D,EAAE3D,GAAY,CACrBA,EAAI0hF,EAAE/9E,EAAG3D,GACT,QACF,CAAO,CACL,IAAI84E,GAAI,EACC,MAATn1E,EAAE3D,KAAe84E,GAAI,EAAI94E,KACzB,IAAI+B,EAAI,GACR,KAAO/B,EAAI2D,EAAEzD,QAAmB,MAATyD,EAAE3D,IAAuB,MAAT2D,EAAE3D,IAAuB,OAAT2D,EAAE3D,IAAuB,OAAT2D,EAAE3D,IACnE,OAAT2D,EAAE3D,GAAaA,IACV+B,GAAK4B,EAAE3D,GACT,GAAI+B,EAAIA,EAAEgY,OAA4B,MAApBhY,EAAEA,EAAE7B,OAAS,KAAe6B,EAAIA,EAAE+3D,UAAU,EAAG/3D,EAAE7B,OAAS,GAAIF,MAAO4hF,GAAG7/E,GAAI,CAC5F,IAAIwxD,EACJ,OAA+BA,EAAJ,IAApBxxD,EAAEgY,OAAO7Z,OAAmB,2BAAiC,QAAU6B,EAAI,wBAAyByT,GAAE,aAAc+9C,EAAGkuB,GAAE99E,EAAG3D,GACrI,CACA,MAAM2E,EAAIk9E,EAAGl+E,EAAG3D,GAChB,IAAU,IAAN2E,EACF,OAAO6Q,GAAE,cAAe,mBAAqBzT,EAAI,qBAAsB0/E,GAAE99E,EAAG3D,IAC9E,IAAIC,EAAI0E,EAAEiD,MACV,GAAI5H,EAAI2E,EAAE0W,MAA2B,MAApBpb,EAAEA,EAAEC,OAAS,GAAY,CACxC,MAAMqzD,EAAIvzD,EAAIC,EAAEC,OAChBD,EAAIA,EAAE65D,UAAU,EAAG75D,EAAEC,OAAS,GAC9B,MAAMqc,EAAIulE,GAAE7hF,EAAGu8B,GACf,IAAU,IAANjgB,EAGF,OAAO/G,GAAE+G,EAAEG,IAAIqlE,KAAMxlE,EAAEG,IAAIyW,IAAKsuD,GAAE99E,EAAG4vD,EAAIh3C,EAAEG,IAAI28C,OAF/ChG,GAAI,CAGR,MAAO,GAAIylB,EACT,KAAIn0E,EAAEq9E,UAgBJ,OAAOxsE,GAAE,aAAc,gBAAkBzT,EAAI,iCAAkC0/E,GAAE99E,EAAG3D,IAfpF,GAAIC,EAAE8Z,OAAO7Z,OAAS,EACpB,OAAOsV,GAAE,aAAc,gBAAkBzT,EAAI,+CAAgD0/E,GAAE99E,EAAGg/D,IACpG,CACE,MAAMpP,EAAIwhB,EAAE7yD,MACZ,GAAIngB,IAAMwxD,EAAEsH,QAAS,CACnB,IAAIt+C,EAAIklE,GAAE99E,EAAG4vD,EAAE0uB,aACf,OAAOzsE,GACL,aACA,yBAA2B+9C,EAAEsH,QAAU,qBAAuBt+C,EAAE88C,KAAO,SAAW98C,EAAE2lE,IAAM,6BAA+BngF,EAAI,KAC7H0/E,GAAE99E,EAAGg/D,GAET,CACY,GAAZoS,EAAE70E,SAAgBq0B,GAAI,EACxB,CAEuF,KACtF,CACH,MAAMg/B,EAAIuuB,GAAE7hF,EAAGu8B,GACf,IAAU,IAAN+2B,EACF,OAAO/9C,GAAE+9C,EAAE72C,IAAIqlE,KAAMxuB,EAAE72C,IAAIyW,IAAKsuD,GAAE99E,EAAG3D,EAAIC,EAAEC,OAASqzD,EAAE72C,IAAI28C,OAC5D,IAAU,IAAN9kC,EACF,OAAO/e,GAAE,aAAc,sCAAuCisE,GAAE99E,EAAG3D,KACtC,IAA/Bw8B,EAAE8kD,aAAazvE,QAAQ9P,IAAagzE,EAAE/1E,KAAK,CAAE67D,QAAS94D,EAAGkgF,YAAatf,IAAMtP,GAAI,CAClF,CACA,IAAKrzD,IAAKA,EAAI2D,EAAEzD,OAAQF,IACtB,GAAa,MAAT2D,EAAE3D,GACJ,IAAiB,MAAb2D,EAAE3D,EAAI,GAAY,CACpBA,IAAKA,EAAI0hF,EAAE/9E,EAAG3D,GACd,QACF,CAAO,GAAiB,MAAb2D,EAAE3D,EAAI,GAIf,MAHA,GAAIA,EAAIwhF,EAAE79E,IAAK3D,GAAIA,EAAE0c,IACnB,OAAO1c,CAEJ,MACJ,GAAa,MAAT2D,EAAE3D,GAAY,CACrB,MAAMuzD,EAAI4uB,GAAGx+E,EAAG3D,GAChB,IAAU,GAANuzD,EACF,OAAO/9C,GAAE,cAAe,4BAA6BisE,GAAE99E,EAAG3D,IAC5DA,EAAIuzD,CACN,MAAO,IAAU,IAANh/B,IAAagtD,EAAE59E,EAAE3D,IAC1B,OAAOwV,GAAE,aAAc,wBAAyBisE,GAAE99E,EAAG3D,IAChD,MAAT2D,EAAE3D,IAAcA,GAClB,CACF,CAIA,CACF,OAAIqzD,EACc,GAAZ0hB,EAAE70E,OACGsV,GAAE,aAAc,iBAAmBu/D,EAAE,GAAGla,QAAU,KAAM4mB,GAAE99E,EAAGoxE,EAAE,GAAGkN,gBACvElN,EAAE70E,OAAS,IACNsV,GAAE,aAAc,YAAc7K,KAAKC,UAAUmqE,EAAErnE,KAAK1N,GAAMA,EAAE66D,UAAU,KAAM,GAAGp0D,QAAQ,SAAU,IAAM,WAAY,CAAE4yD,KAAM,EAAG6oB,IAAK,IAErI1sE,GAAE,aAAc,sBAAuB,EAElD,EA2CA,MAAM4sE,EAAK,IAAKC,EAAK,IACrB,SAASR,EAAGl+E,EAAG64B,GACb,IAAIu4C,EAAI,GAAI1hB,EAAI,GAAI9+B,GAAI,EACxB,KAAOiI,EAAI74B,EAAEzD,OAAQs8B,IAAK,CACxB,GAAI74B,EAAE64B,KAAO4lD,GAAMz+E,EAAE64B,KAAO6lD,EACpB,KAANhvB,EAAWA,EAAI1vD,EAAE64B,GAAK62B,IAAM1vD,EAAE64B,KAAO62B,EAAI,SACtC,GAAa,MAAT1vD,EAAE64B,IAAoB,KAAN62B,EAAU,CACjC9+B,GAAI,EACJ,KACF,CACAwgD,GAAKpxE,EAAE64B,EACT,CACA,MAAa,KAAN62B,GAAgB,CACrBzrD,MAAOmtE,EACP15D,MAAOmhB,EACPwlD,UAAWztD,EAEf,CACA,MAAM+tD,GAAK,IAAItrE,OAAO,0DAA0D,KAChF,SAAS8qE,GAAEn+E,EAAG64B,GACZ,MAAMu4C,EAAIoM,EAAEF,cAAct9E,EAAG2+E,IAAKjvB,EAAI,CAAC,EACvC,IAAK,IAAI9+B,EAAI,EAAGA,EAAIwgD,EAAE70E,OAAQq0B,IAAK,CACjC,GAAuB,IAAnBwgD,EAAExgD,GAAG,GAAGr0B,OACV,OAAOsV,GAAE,cAAe,cAAgBu/D,EAAExgD,GAAG,GAAK,8BAA+BxG,GAAEgnD,EAAExgD,KACvF,QAAgB,IAAZwgD,EAAExgD,GAAG,SAA6B,IAAZwgD,EAAExgD,GAAG,GAC7B,OAAO/e,GAAE,cAAe,cAAgBu/D,EAAExgD,GAAG,GAAK,sBAAuBxG,GAAEgnD,EAAExgD,KAC/E,QAAgB,IAAZwgD,EAAExgD,GAAG,KAAkBiI,EAAE6kD,uBAC3B,OAAO7rE,GAAE,cAAe,sBAAwBu/D,EAAExgD,GAAG,GAAK,oBAAqBxG,GAAEgnD,EAAExgD,KACrF,MAAMv0B,EAAI+0E,EAAExgD,GAAG,GACf,IAAKguD,GAAGviF,GACN,OAAOwV,GAAE,cAAe,cAAgBxV,EAAI,wBAAyB+tB,GAAEgnD,EAAExgD,KAC3E,GAAK8+B,EAAEp1D,eAAe+B,GAGpB,OAAOwV,GAAE,cAAe,cAAgBxV,EAAI,iBAAkB+tB,GAAEgnD,EAAExgD,KAFlE8+B,EAAErzD,GAAK,CAGX,CACA,OAAO,CACT,CAWA,SAASmiF,GAAGx+E,EAAG64B,GACb,GAAkB,MAAT74B,IAAL64B,GACF,OAAQ,EACV,GAAa,MAAT74B,EAAE64B,GACJ,OAdJ,SAAY74B,EAAG64B,GACb,IAAIu4C,EAAI,KACR,IAAc,MAATpxE,EAAE64B,KAAeA,IAAKu4C,EAAI,cAAev4C,EAAI74B,EAAEzD,OAAQs8B,IAAK,CAC/D,GAAa,MAAT74B,EAAE64B,GACJ,OAAOA,EACT,IAAK74B,EAAE64B,GAAG5kB,MAAMm9D,GACd,KACJ,CACA,OAAQ,CACV,CAKgByN,CAAG7+E,IAAR64B,GACT,IAAIu4C,EAAI,EACR,KAAOv4C,EAAI74B,EAAEzD,OAAQs8B,IAAKu4C,IACxB,KAAMpxE,EAAE64B,GAAG5kB,MAAM,OAASm9D,EAAI,IAAK,CACjC,GAAa,MAATpxE,EAAE64B,GACJ,MACF,OAAQ,CACV,CACF,OAAOA,CACT,CACA,SAAShnB,GAAE7R,EAAG64B,EAAGu4C,GACf,MAAO,CACLr4D,IAAK,CACHqlE,KAAMp+E,EACNwvB,IAAKqJ,EACL68B,KAAM0b,EAAE1b,MAAQ0b,EAChBmN,IAAKnN,EAAEmN,KAGb,CACA,SAASK,GAAG5+E,GACV,OAAOw9E,EAAEH,OAAOr9E,EAClB,CACA,SAASi+E,GAAGj+E,GACV,OAAOw9E,EAAEH,OAAOr9E,EAClB,CACA,SAAS89E,GAAE99E,EAAG64B,GACZ,MAAMu4C,EAAIpxE,EAAEm2D,UAAU,EAAGt9B,GAAGplB,MAAM,SAClC,MAAO,CACLiiD,KAAM0b,EAAE70E,OAERgiF,IAAKnN,EAAEA,EAAE70E,OAAS,GAAGA,OAAS,EAElC,CACA,SAAS6tB,GAAEpqB,GACT,OAAOA,EAAE2iD,WAAa3iD,EAAE,GAAGzD,MAC7B,CACA,IAAIm3E,GAAI,CAAC,EACT,MAAMoL,GAAK,CACTC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhB1B,wBAAwB,EAGxB2B,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAAS7/E,EAAG64B,GAC7B,OAAOA,CACT,EACAinD,wBAAyB,SAAS9/E,EAAG64B,GACnC,OAAOA,CACT,EACAknD,UAAW,GAEXC,sBAAsB,EACtBn7E,QAAS,KAAM,EACfo7E,iBAAiB,EACjBtC,aAAc,GACduC,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASxgF,EAAG64B,EAAGu4C,GACxB,OAAOpxE,CACT,GAKF0zE,GAAE+M,aAHM,SAASzgF,GACf,OAAO5F,OAAO2I,OAAO,CAAC,EAAG+7E,GAAI9+E,EAC/B,EAEA0zE,GAAEgN,eAAiB5B,GAanB,MAAM6B,GAAK1D,EAmCX,SAAS2D,GAAG5gF,EAAG64B,GACb,IAAIu4C,EAAI,GACR,KAAOv4C,EAAI74B,EAAEzD,QAAmB,MAATyD,EAAE64B,IAAuB,MAAT74B,EAAE64B,GAAYA,IACnDu4C,GAAKpxE,EAAE64B,GACT,GAAIu4C,EAAIA,EAAEh7D,QAA4B,IAApBg7D,EAAEljE,QAAQ,KAC1B,MAAM,IAAIrL,MAAM,sCAClB,MAAM6sD,EAAI1vD,EAAE64B,KACZ,IAAIjI,EAAI,GACR,KAAOiI,EAAI74B,EAAEzD,QAAUyD,EAAE64B,KAAO62B,EAAG72B,IACjCjI,GAAK5wB,EAAE64B,GACT,MAAO,CAACu4C,EAAGxgD,EAAGiI,EAChB,CACA,SAASgoD,GAAG7gF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EACvD,CACA,SAASioD,GAAG9gF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EACvI,CACA,SAASkoD,GAAG/gF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EAC3J,CACA,SAASmoD,GAAGhhF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EAC3J,CACA,SAASooD,GAAGjhF,EAAG64B,GACb,MAAoB,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,EAC/K,CACA,SAASqoD,GAAGlhF,GACV,GAAI2gF,GAAGtD,OAAOr9E,GACZ,OAAOA,EACT,MAAM,IAAI6C,MAAM,uBAAuB7C,IACzC,CAEA,MAAMmhF,GAAK,wBAAyBC,GAAK,+EACxCtrE,OAAOw7B,UAAY7yC,OAAO6yC,WAAax7B,OAAOw7B,SAAW7yC,OAAO6yC,WAChEx7B,OAAO0vD,YAAc/mE,OAAO+mE,aAAe1vD,OAAO0vD,WAAa/mE,OAAO+mE,YACvE,MAAM6b,GAAK,CACT3B,KAAK,EACLC,cAAc,EACd2B,aAAc,IACd1B,WAAW,GAiCb,MAAM3+D,GAAKg8D,EAAGsE,GAxHd,MACE,WAAAhxD,CAAYsI,GACVh+B,KAAK6yE,QAAU70C,EAAGh+B,KAAK4qB,MAAQ,GAAI5qB,KAAK,MAAQ,CAAC,CACnD,CACA,GAAA6T,CAAImqB,EAAGu4C,GACC,cAANv4C,IAAsBA,EAAI,cAAeh+B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAACw9B,GAAIu4C,GAClE,CACA,QAAAoQ,CAAS3oD,GACO,cAAdA,EAAE60C,UAA4B70C,EAAE60C,QAAU,cAAe70C,EAAE,OAASz+B,OAAO4K,KAAK6zB,EAAE,OAAOt8B,OAAS,EAAI1B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAACw9B,EAAE60C,SAAU70C,EAAEpT,MAAO,KAAMoT,EAAE,QAAWh+B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAACw9B,EAAE60C,SAAU70C,EAAEpT,OACpM,GA+GoBg8D,GA3GtB,SAAYzhF,EAAG64B,GACb,MAAMu4C,EAAI,CAAC,EACX,GAAiB,MAAbpxE,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,GA6B5G,MAAM,IAAIh2B,MAAM,kCA7BwG,CACxHg2B,GAAQ,EACR,IAAI62B,EAAI,EAAG9+B,GAAI,EAAIv0B,GAAI,EAAI2iE,EAAI,GAC/B,KAAOnmC,EAAI74B,EAAEzD,OAAQs8B,IACnB,GAAa,MAAT74B,EAAE64B,IAAex8B,EAiBd,GAAa,MAAT2D,EAAE64B,IACX,GAAIx8B,EAAiB,MAAb2D,EAAE64B,EAAI,IAA2B,MAAb74B,EAAE64B,EAAI,KAAex8B,GAAI,EAAIqzD,KAAOA,IAAW,IAANA,EACnE,UAEO,MAAT1vD,EAAE64B,GAAajI,GAAI,EAAKouC,GAAKh/D,EAAE64B,OArBT,CACtB,GAAIjI,GAAKkwD,GAAG9gF,EAAG64B,GACbA,GAAK,GAAI6oD,WAAYpoE,IAAKuf,GAAK+nD,GAAG5gF,EAAG64B,EAAI,IAA0B,IAAtBvf,IAAIpL,QAAQ,OAAgBkjE,EAAE8P,GAAGQ,aAAe,CAC3FC,KAAMtuE,OAAO,IAAIquE,cAAe,KAChCpoE,WAEC,GAAIsX,GAAKmwD,GAAG/gF,EAAG64B,GAClBA,GAAK,OACF,GAAIjI,GAAKowD,GAAGhhF,EAAG64B,GAClBA,GAAK,OACF,GAAIjI,GAAKqwD,GAAGjhF,EAAG64B,GAClBA,GAAK,MACF,KAAIgoD,GAGP,MAAM,IAAIh+E,MAAM,mBAFhBxG,GAAI,CAE8B,CACpCqzD,IAAKsP,EAAI,EACX,CAKF,GAAU,IAANtP,EACF,MAAM,IAAI7sD,MAAM,mBACpB,CAEA,MAAO,CAAE++E,SAAUxQ,EAAG/0E,EAAGw8B,EAC3B,EA0E+BgpD,GA9B/B,SAAY7hF,EAAG64B,EAAI,CAAC,GAClB,GAAIA,EAAIz+B,OAAO2I,OAAO,CAAC,EAAGs+E,GAAIxoD,IAAK74B,GAAiB,iBAALA,EAC7C,OAAOA,EACT,IAAIoxE,EAAIpxE,EAAEoW,OACV,QAAmB,IAAfyiB,EAAEipD,UAAuBjpD,EAAEipD,SAASjhF,KAAKuwE,GAC3C,OAAOpxE,EACT,GAAI64B,EAAE6mD,KAAOyB,GAAGtgF,KAAKuwE,GACnB,OAAOt7D,OAAOw7B,SAAS8/B,EAAG,IAC5B,CACE,MAAM1hB,EAAI0xB,GAAG5rE,KAAK47D,GAClB,GAAI1hB,EAAG,CACL,MAAM9+B,EAAI8+B,EAAE,GAAIrzD,EAAIqzD,EAAE,GACtB,IAAIsP,EAcV,SAAYh/D,GACV,OAAOA,IAAyB,IAApBA,EAAEkO,QAAQ,OAAgD,OAAhClO,EAAIA,EAAE8C,QAAQ,MAAO,KAAiB9C,EAAI,IAAe,MAATA,EAAE,GAAaA,EAAI,IAAMA,EAAwB,MAApBA,EAAEA,EAAEzD,OAAS,KAAeyD,EAAIA,EAAE4gB,OAAO,EAAG5gB,EAAEzD,OAAS,KAAMyD,CAClL,CAhBc+hF,CAAGryB,EAAE,IACb,MAAMylB,EAAIzlB,EAAE,IAAMA,EAAE,GACpB,IAAK72B,EAAE8mD,cAAgBtjF,EAAEE,OAAS,GAAKq0B,GAAc,MAATwgD,EAAE,GAC5C,OAAOpxE,EACT,IAAK64B,EAAE8mD,cAAgBtjF,EAAEE,OAAS,IAAMq0B,GAAc,MAATwgD,EAAE,GAC7C,OAAOpxE,EACT,CACE,MAAM5B,EAAI0X,OAAOs7D,GAAIpwE,EAAI,GAAK5C,EAC9B,OAA6B,IAAtB4C,EAAEkwB,OAAO,SAAkBikD,EAAIt8C,EAAE+mD,UAAYxhF,EAAI4B,GAAwB,IAApBoxE,EAAEljE,QAAQ,KAAoB,MAANlN,GAAmB,KAANg+D,GAAYh+D,IAAMg+D,GAAKpuC,GAAK5vB,IAAM,IAAMg+D,EAAI5gE,EAAI4B,EAAI3D,EAAI2iE,IAAMh+D,GAAK4vB,EAAIouC,IAAMh+D,EAAI5C,EAAI4B,EAAIoxE,IAAMpwE,GAAKowE,IAAMxgD,EAAI5vB,EAAI5C,EAAI4B,CACzN,CACF,CACE,OAAOA,CACX,CACF,EA8BA,SAASqvD,GAAGrvD,GACV,MAAM64B,EAAIz+B,OAAO4K,KAAKhF,GACtB,IAAK,IAAIoxE,EAAI,EAAGA,EAAIv4C,EAAEt8B,OAAQ60E,IAAK,CACjC,MAAM1hB,EAAI72B,EAAEu4C,GACZv2E,KAAKmnF,aAAatyB,GAAK,CACrBhpC,MAAO,IAAIrT,OAAO,IAAMq8C,EAAI,IAAK,KACjCp2C,IAAKtZ,EAAE0vD,GAEX,CACF,CACA,SAASuyB,GAAGjiF,EAAG64B,EAAGu4C,EAAG1hB,EAAG9+B,EAAGv0B,EAAG2iE,GAC5B,QAAU,IAANh/D,IAAiBnF,KAAKgR,QAAQ0zE,aAAe7vB,IAAM1vD,EAAIA,EAAEoW,QAASpW,EAAEzD,OAAS,GAAI,CACnFyiE,IAAMh/D,EAAInF,KAAKqnF,qBAAqBliF,IACpC,MAAMm1E,EAAIt6E,KAAKgR,QAAQg0E,kBAAkBhnD,EAAG74B,EAAGoxE,EAAGxgD,EAAGv0B,GACrD,OAAY,MAAL84E,EAAYn1E,SAAWm1E,UAAYn1E,GAAKm1E,IAAMn1E,EAAIm1E,EAAIt6E,KAAKgR,QAAQ0zE,YAAiFv/E,EAAEoW,SAAWpW,EAAjFmiF,GAAEniF,EAAGnF,KAAKgR,QAAQwzE,cAAexkF,KAAKgR,QAAQ4zE,oBAA2Gz/E,CAClP,CACF,CACA,SAASoiF,GAAGpiF,GACV,GAAInF,KAAKgR,QAAQuzE,eAAgB,CAC/B,MAAMvmD,EAAI74B,EAAEyT,MAAM,KAAM29D,EAAoB,MAAhBpxE,EAAEqe,OAAO,GAAa,IAAM,GACxD,GAAa,UAATwa,EAAE,GACJ,MAAO,GACI,IAAbA,EAAEt8B,SAAiByD,EAAIoxE,EAAIv4C,EAAE,GAC/B,CACA,OAAO74B,CACT,CACA,MAAMqiF,GAAK,IAAIhvE,OAAO,+CAA+C,MACrE,SAASosD,GAAGz/D,EAAG64B,EAAGu4C,GAChB,IAAKv2E,KAAKgR,QAAQszE,kBAAgC,iBAALn/E,EAAe,CAC1D,MAAM0vD,EAAIzuC,GAAGq8D,cAAct9E,EAAGqiF,IAAKzxD,EAAI8+B,EAAEnzD,OAAQF,EAAI,CAAC,EACtD,IAAK,IAAI2iE,EAAI,EAAGA,EAAIpuC,EAAGouC,IAAK,CAC1B,MAAMmW,EAAIt6E,KAAKynF,iBAAiB5yB,EAAEsP,GAAG,IACrC,IAAI5gE,EAAIsxD,EAAEsP,GAAG,GAAIh+D,EAAInG,KAAKgR,QAAQmzE,oBAAsB7J,EACxD,GAAIA,EAAE54E,OACJ,GAAI1B,KAAKgR,QAAQ00E,yBAA2Bv/E,EAAInG,KAAKgR,QAAQ00E,uBAAuBv/E,IAAW,cAANA,IAAsBA,EAAI,mBAAqB,IAAN5C,EAAc,CAC9IvD,KAAKgR,QAAQ0zE,aAAenhF,EAAIA,EAAEgY,QAAShY,EAAIvD,KAAKqnF,qBAAqB9jF,GACzE,MAAM9B,EAAIzB,KAAKgR,QAAQi0E,wBAAwB3K,EAAG/2E,EAAGy6B,GACzCx8B,EAAE2E,GAAT,MAAL1E,EAAmB8B,SAAW9B,UAAY8B,GAAK9B,IAAM8B,EAAW9B,EAAW6lF,GACzE/jF,EACAvD,KAAKgR,QAAQyzE,oBACbzkF,KAAKgR,QAAQ4zE,mBAEjB,MACE5kF,KAAKgR,QAAQ6xE,yBAA2BrhF,EAAE2E,IAAK,EACrD,CACA,IAAK5G,OAAO4K,KAAK3I,GAAGE,OAClB,OACF,GAAI1B,KAAKgR,QAAQozE,oBAAqB,CACpC,MAAMjgB,EAAI,CAAC,EACX,OAAOA,EAAEnkE,KAAKgR,QAAQozE,qBAAuB5iF,EAAG2iE,CAClD,CACA,OAAO3iE,CACT,CACF,CACA,MAAMkmF,GAAK,SAASviF,GAClBA,EAAIA,EAAE8C,QAAQ,SAAU,MAExB,MAAM+1B,EAAI,IAAI0oD,GAAE,QAChB,IAAInQ,EAAIv4C,EAAG62B,EAAI,GAAI9+B,EAAI,GACvB,IAAK,IAAIv0B,EAAI,EAAGA,EAAI2D,EAAEzD,OAAQF,IAC5B,GAAa,MAAT2D,EAAE3D,GACJ,GAAiB,MAAb2D,EAAE3D,EAAI,GAAY,CACpB,MAAM84E,EAAIprD,GAAE/pB,EAAG,IAAK3D,EAAG,8BACvB,IAAI+B,EAAI4B,EAAEm2D,UAAU95D,EAAI,EAAG84E,GAAG/+D,OAC9B,GAAIvb,KAAKgR,QAAQuzE,eAAgB,CAC/B,MAAMxvB,EAAIxxD,EAAE8P,QAAQ,MACb,IAAP0hD,IAAaxxD,EAAIA,EAAEwiB,OAAOgvC,EAAI,GAChC,CACA/0D,KAAKgR,QAAQy0E,mBAAqBliF,EAAIvD,KAAKgR,QAAQy0E,iBAAiBliF,IAAKgzE,IAAM1hB,EAAI70D,KAAK2nF,oBAAoB9yB,EAAG0hB,EAAGxgD,IAClH,MAAM5vB,EAAI4vB,EAAEulC,UAAUvlC,EAAE6xD,YAAY,KAAO,GAC3C,GAAIrkF,IAA+C,IAA1CvD,KAAKgR,QAAQ8xE,aAAazvE,QAAQ9P,GACzC,MAAM,IAAIyE,MAAM,kDAAkDzE,MACpE,IAAI9B,EAAI,EACR0E,IAA+C,IAA1CnG,KAAKgR,QAAQ8xE,aAAazvE,QAAQlN,IAAa1E,EAAIs0B,EAAE6xD,YAAY,IAAK7xD,EAAE6xD,YAAY,KAAO,GAAI5nF,KAAK6nF,cAAcnkE,OAASjiB,EAAIs0B,EAAE6xD,YAAY,KAAM7xD,EAAIA,EAAEulC,UAAU,EAAG75D,GAAI80E,EAAIv2E,KAAK6nF,cAAcnkE,MAAOmxC,EAAI,GAAIrzD,EAAI84E,CAC3N,MAAO,GAAiB,MAAbn1E,EAAE3D,EAAI,GAAY,CAC3B,IAAI84E,EAAIpgE,GAAE/U,EAAG3D,GAAG,EAAI,MACpB,IAAK84E,EACH,MAAM,IAAItyE,MAAM,yBAClB,GAAI6sD,EAAI70D,KAAK2nF,oBAAoB9yB,EAAG0hB,EAAGxgD,KAAM/1B,KAAKgR,QAAQu0E,mBAAmC,SAAdjL,EAAEje,SAAsBr8D,KAAKgR,QAAQw0E,cAAe,CACjI,MAAMjiF,EAAI,IAAImjF,GAAEpM,EAAEje,SAClB94D,EAAEsQ,IAAI7T,KAAKgR,QAAQqzE,aAAc,IAAK/J,EAAEje,UAAYie,EAAEwN,QAAUxN,EAAEyN,iBAAmBxkF,EAAE,MAAQvD,KAAKgoF,mBAAmB1N,EAAEwN,OAAQ/xD,EAAGukD,EAAEje,UAAWr8D,KAAK2mF,SAASpQ,EAAGhzE,EAAGwyB,EACvK,CACAv0B,EAAI84E,EAAE2N,WAAa,CACrB,MAAO,GAA2B,QAAvB9iF,EAAE4gB,OAAOvkB,EAAI,EAAG,GAAc,CACvC,MAAM84E,EAAIprD,GAAE/pB,EAAG,SAAO3D,EAAI,EAAG,0BAC7B,GAAIxB,KAAKgR,QAAQo0E,gBAAiB,CAChC,MAAM7hF,EAAI4B,EAAEm2D,UAAU95D,EAAI,EAAG84E,EAAI,GACjCzlB,EAAI70D,KAAK2nF,oBAAoB9yB,EAAG0hB,EAAGxgD,GAAIwgD,EAAE1iE,IAAI7T,KAAKgR,QAAQo0E,gBAAiB,CAAC,CAAE,CAACplF,KAAKgR,QAAQqzE,cAAe9gF,IAC7G,CACA/B,EAAI84E,CACN,MAAO,GAA2B,OAAvBn1E,EAAE4gB,OAAOvkB,EAAI,EAAG,GAAa,CACtC,MAAM84E,EAAIsM,GAAGzhF,EAAG3D,GAChBxB,KAAKkoF,gBAAkB5N,EAAEyM,SAAUvlF,EAAI84E,EAAE94E,CAC3C,MAAO,GAA2B,OAAvB2D,EAAE4gB,OAAOvkB,EAAI,EAAG,GAAa,CACtC,MAAM84E,EAAIprD,GAAE/pB,EAAG,MAAO3D,EAAG,wBAA0B,EAAG+B,EAAI4B,EAAEm2D,UAAU95D,EAAI,EAAG84E,GAC7EzlB,EAAI70D,KAAK2nF,oBAAoB9yB,EAAG0hB,EAAGxgD,GACnC,IAAI5vB,EAAInG,KAAKmoF,cAAc5kF,EAAGgzE,EAAE1D,QAAS98C,GAAG,GAAI,GAAI,GAAI,GACnD,MAAL5vB,IAAcA,EAAI,IAAKnG,KAAKgR,QAAQ2zE,cAAgBpO,EAAE1iE,IAAI7T,KAAKgR,QAAQ2zE,cAAe,CAAC,CAAE,CAAC3kF,KAAKgR,QAAQqzE,cAAe9gF,KAAQgzE,EAAE1iE,IAAI7T,KAAKgR,QAAQqzE,aAAcl+E,GAAI3E,EAAI84E,EAAI,CAC7K,KAAO,CACL,IAAIA,EAAIpgE,GAAE/U,EAAG3D,EAAGxB,KAAKgR,QAAQuzE,gBAAiBhhF,EAAI+2E,EAAEje,QACpD,MAAMl2D,EAAIm0E,EAAE8N,WACZ,IAAI3mF,EAAI64E,EAAEwN,OAAQ/yB,EAAIulB,EAAEyN,eAAgBhqE,EAAIu8D,EAAE2N,WAC9CjoF,KAAKgR,QAAQy0E,mBAAqBliF,EAAIvD,KAAKgR,QAAQy0E,iBAAiBliF,IAAKgzE,GAAK1hB,GAAmB,SAAd0hB,EAAE1D,UAAuBhe,EAAI70D,KAAK2nF,oBAAoB9yB,EAAG0hB,EAAGxgD,GAAG,IAClJ,MAAMmuC,EAAIqS,EACV,GAAIrS,IAAuD,IAAlDlkE,KAAKgR,QAAQ8xE,aAAazvE,QAAQ6wD,EAAE2O,WAAoB0D,EAAIv2E,KAAK6nF,cAAcnkE,MAAOqS,EAAIA,EAAEulC,UAAU,EAAGvlC,EAAE6xD,YAAY,OAAQrkF,IAAMy6B,EAAE60C,UAAY98C,GAAKA,EAAI,IAAMxyB,EAAIA,GAAIvD,KAAKqoF,aAAaroF,KAAKgR,QAAQk0E,UAAWnvD,EAAGxyB,GAAI,CAClO,IAAI8d,EAAI,GACR,GAAI5f,EAAEC,OAAS,GAAKD,EAAEmmF,YAAY,OAASnmF,EAAEC,OAAS,EACpDF,EAAI84E,EAAE2N,gBACH,IAA8C,IAA1CjoF,KAAKgR,QAAQ8xE,aAAazvE,QAAQ9P,GACzC/B,EAAI84E,EAAE2N,eACH,CACH,MAAMK,EAAItoF,KAAKuoF,iBAAiBpjF,EAAGgB,EAAG4X,EAAI,GAC1C,IAAKuqE,EACH,MAAM,IAAItgF,MAAM,qBAAqB7B,KACvC3E,EAAI8mF,EAAE9mF,EAAG6f,EAAIinE,EAAEE,UACjB,CACA,MAAMtnE,EAAI,IAAIwlE,GAAEnjF,GAChBA,IAAM9B,GAAKszD,IAAM7zC,EAAE,MAAQlhB,KAAKgoF,mBAAmBvmF,EAAGs0B,EAAGxyB,IAAK8d,IAAMA,EAAIrhB,KAAKmoF,cAAc9mE,EAAG9d,EAAGwyB,GAAG,EAAIg/B,GAAG,GAAI,IAAMh/B,EAAIA,EAAEhQ,OAAO,EAAGgQ,EAAE6xD,YAAY,MAAO1mE,EAAErN,IAAI7T,KAAKgR,QAAQqzE,aAAchjE,GAAIrhB,KAAK2mF,SAASpQ,EAAGr1D,EAAG6U,EACrN,KAAO,CACL,GAAIt0B,EAAEC,OAAS,GAAKD,EAAEmmF,YAAY,OAASnmF,EAAEC,OAAS,EAAG,CACnC,MAApB6B,EAAEA,EAAE7B,OAAS,IAAc6B,EAAIA,EAAEwiB,OAAO,EAAGxiB,EAAE7B,OAAS,GAAIq0B,EAAIA,EAAEhQ,OAAO,EAAGgQ,EAAEr0B,OAAS,GAAID,EAAI8B,GAAK9B,EAAIA,EAAEskB,OAAO,EAAGtkB,EAAEC,OAAS,GAAI1B,KAAKgR,QAAQy0E,mBAAqBliF,EAAIvD,KAAKgR,QAAQy0E,iBAAiBliF,IACrM,MAAM8d,EAAI,IAAIqlE,GAAEnjF,GAChBA,IAAM9B,GAAKszD,IAAM1zC,EAAE,MAAQrhB,KAAKgoF,mBAAmBvmF,EAAGs0B,EAAGxyB,IAAKvD,KAAK2mF,SAASpQ,EAAGl1D,EAAG0U,GAAIA,EAAIA,EAAEhQ,OAAO,EAAGgQ,EAAE6xD,YAAY,KACtH,KAAO,CACL,MAAMvmE,EAAI,IAAIqlE,GAAEnjF,GAChBvD,KAAK6nF,cAAcrnF,KAAK+1E,GAAIhzE,IAAM9B,GAAKszD,IAAM1zC,EAAE,MAAQrhB,KAAKgoF,mBAAmBvmF,EAAGs0B,EAAGxyB,IAAKvD,KAAK2mF,SAASpQ,EAAGl1D,EAAG0U,GAAIwgD,EAAIl1D,CACxH,CACAwzC,EAAI,GAAIrzD,EAAIuc,CACd,CACF,MAEA82C,GAAK1vD,EAAE3D,GACX,OAAOw8B,EAAEpT,KACX,EACA,SAAS69D,GAAGtjF,EAAG64B,EAAGu4C,GAChB,MAAM1hB,EAAI70D,KAAKgR,QAAQ20E,UAAU3nD,EAAE60C,QAAS0D,EAAGv4C,EAAE,QAC3C,IAAN62B,IAAyB,iBAALA,IAAkB72B,EAAE60C,QAAUhe,GAAI1vD,EAAEwhF,SAAS3oD,GACnE,CACA,MAAM0qD,GAAK,SAASvjF,GAClB,GAAInF,KAAKgR,QAAQq0E,gBAAiB,CAChC,IAAK,IAAIrnD,KAAKh+B,KAAKkoF,gBAAiB,CAClC,MAAM3R,EAAIv2E,KAAKkoF,gBAAgBlqD,GAC/B74B,EAAIA,EAAE8C,QAAQsuE,EAAEuQ,KAAMvQ,EAAE93D,IAC1B,CACA,IAAK,IAAIuf,KAAKh+B,KAAKmnF,aAAc,CAC/B,MAAM5Q,EAAIv2E,KAAKmnF,aAAanpD,GAC5B74B,EAAIA,EAAE8C,QAAQsuE,EAAE1qD,MAAO0qD,EAAE93D,IAC3B,CACA,GAAIze,KAAKgR,QAAQs0E,aACf,IAAK,IAAItnD,KAAKh+B,KAAKslF,aAAc,CAC/B,MAAM/O,EAAIv2E,KAAKslF,aAAatnD,GAC5B74B,EAAIA,EAAE8C,QAAQsuE,EAAE1qD,MAAO0qD,EAAE93D,IAC3B,CACFtZ,EAAIA,EAAE8C,QAAQjI,KAAK2oF,UAAU98D,MAAO7rB,KAAK2oF,UAAUlqE,IACrD,CACA,OAAOtZ,CACT,EACA,SAASyjF,GAAGzjF,EAAG64B,EAAGu4C,EAAG1hB,GACnB,OAAO1vD,SAAY,IAAN0vD,IAAiBA,EAAoC,IAAhCt1D,OAAO4K,KAAK6zB,EAAEpT,OAAOlpB,aAO9C,KAP6DyD,EAAInF,KAAKmoF,cAC7EhjF,EACA64B,EAAE60C,QACF0D,GACA,IACAv4C,EAAE,OAAwC,IAAhCz+B,OAAO4K,KAAK6zB,EAAE,OAAOt8B,OAC/BmzD,KACuB,KAAN1vD,GAAY64B,EAAEnqB,IAAI7T,KAAKgR,QAAQqzE,aAAcl/E,GAAIA,EAAI,IAAKA,CAC/E,CACA,SAAS0jF,GAAG1jF,EAAG64B,EAAGu4C,GAChB,MAAM1hB,EAAI,KAAO0hB,EACjB,IAAK,MAAMxgD,KAAK5wB,EAAG,CACjB,MAAM3D,EAAI2D,EAAE4wB,GACZ,GAAI8+B,IAAMrzD,GAAKw8B,IAAMx8B,EACnB,OAAO,CACX,CACA,OAAO,CACT,CA0BA,SAAS0tB,GAAE/pB,EAAG64B,EAAGu4C,EAAG1hB,GAClB,MAAM9+B,EAAI5wB,EAAEkO,QAAQ2qB,EAAGu4C,GACvB,IAAW,IAAPxgD,EACF,MAAM,IAAI/tB,MAAM6sD,GAClB,OAAO9+B,EAAIiI,EAAEt8B,OAAS,CACxB,CACA,SAASwY,GAAE/U,EAAG64B,EAAGu4C,EAAG1hB,EAAI,KACtB,MAAM9+B,EAhCR,SAAY5wB,EAAG64B,EAAGu4C,EAAI,KACpB,IAAI1hB,EAAG9+B,EAAI,GACX,IAAK,IAAIv0B,EAAIw8B,EAAGx8B,EAAI2D,EAAEzD,OAAQF,IAAK,CACjC,IAAI2iE,EAAIh/D,EAAE3D,GACV,GAAIqzD,EACFsP,IAAMtP,IAAMA,EAAI,SACb,GAAU,MAANsP,GAAmB,MAANA,EACpBtP,EAAIsP,OACD,GAAIA,IAAMoS,EAAE,GACf,KAAIA,EAAE,GAOJ,MAAO,CACLrsE,KAAM6rB,EACNlZ,MAAOrb,GART,GAAI2D,EAAE3D,EAAI,KAAO+0E,EAAE,GACjB,MAAO,CACLrsE,KAAM6rB,EACNlZ,MAAOrb,EAMV,KAEG,OAAN2iE,IAAcA,EAAI,KACpBpuC,GAAKouC,CACP,CACF,CAQY2kB,CAAG3jF,EAAG64B,EAAI,EAAG62B,GACvB,IAAK9+B,EACH,OACF,IAAIv0B,EAAIu0B,EAAE7rB,KACV,MAAMi6D,EAAIpuC,EAAElZ,MAAOy9D,EAAI94E,EAAE60B,OAAO,MAChC,IAAI9yB,EAAI/B,EAAG2E,GAAI,GACR,IAAPm0E,IAAa/2E,EAAI/B,EAAE85D,UAAU,EAAGgf,GAAI94E,EAAIA,EAAE85D,UAAUgf,EAAI,GAAGyO,aAC3D,MAAMtnF,EAAI8B,EACV,GAAIgzE,EAAG,CACL,MAAMxhB,EAAIxxD,EAAE8P,QAAQ,MACb,IAAP0hD,IAAaxxD,EAAIA,EAAEwiB,OAAOgvC,EAAI,GAAI5uD,EAAI5C,IAAMwyB,EAAE7rB,KAAK6b,OAAOgvC,EAAI,GAChE,CACA,MAAO,CACLsH,QAAS94D,EACTukF,OAAQtmF,EACRymF,WAAY9jB,EACZ4jB,eAAgB5hF,EAChBiiF,WAAY3mF,EAEhB,CACA,SAASunF,GAAG7jF,EAAG64B,EAAGu4C,GAChB,MAAM1hB,EAAI0hB,EACV,IAAIxgD,EAAI,EACR,KAAOwgD,EAAIpxE,EAAEzD,OAAQ60E,IACnB,GAAa,MAATpxE,EAAEoxE,GACJ,GAAiB,MAAbpxE,EAAEoxE,EAAI,GAAY,CACpB,MAAM/0E,EAAI0tB,GAAE/pB,EAAG,IAAKoxE,EAAG,GAAGv4C,mBAC1B,GAAI74B,EAAEm2D,UAAUib,EAAI,EAAG/0E,GAAG+Z,SAAWyiB,IAAMjI,IAAW,IAANA,GAC9C,MAAO,CACLyyD,WAAYrjF,EAAEm2D,UAAUzG,EAAG0hB,GAC3B/0E,KAEJ+0E,EAAI/0E,CACN,MAAO,GAAiB,MAAb2D,EAAEoxE,EAAI,GACfA,EAAIrnD,GAAE/pB,EAAG,KAAMoxE,EAAI,EAAG,gCACnB,GAA2B,QAAvBpxE,EAAE4gB,OAAOwwD,EAAI,EAAG,GACvBA,EAAIrnD,GAAE/pB,EAAG,SAAOoxE,EAAI,EAAG,gCACpB,GAA2B,OAAvBpxE,EAAE4gB,OAAOwwD,EAAI,EAAG,GACvBA,EAAIrnD,GAAE/pB,EAAG,MAAOoxE,EAAG,2BAA6B,MAC7C,CACH,MAAM/0E,EAAI0Y,GAAE/U,EAAGoxE,EAAG,KAClB/0E,KAAOA,GAAKA,EAAE66D,WAAar+B,GAAuC,MAAlCx8B,EAAEsmF,OAAOtmF,EAAEsmF,OAAOpmF,OAAS,IAAcq0B,IAAKwgD,EAAI/0E,EAAEymF,WACtF,CACN,CACA,SAASX,GAAEniF,EAAG64B,EAAGu4C,GACf,GAAIv4C,GAAiB,iBAAL74B,EAAe,CAC7B,MAAM0vD,EAAI1vD,EAAEoW,OACZ,MAAa,SAANs5C,GAA0B,UAANA,GAAqBmyB,GAAG7hF,EAAGoxE,EACxD,CACE,OAAOnwD,GAAGi8D,QAAQl9E,GAAKA,EAAI,EAC/B,CACA,IAAa8jF,GAAK,CAAC,EAInB,SAASC,GAAG/jF,EAAG64B,EAAGu4C,GAChB,IAAI1hB,EACJ,MAAM9+B,EAAI,CAAC,EACX,IAAK,IAAIv0B,EAAI,EAAGA,EAAI2D,EAAEzD,OAAQF,IAAK,CACjC,MAAM2iE,EAAIh/D,EAAE3D,GAAI84E,EAAI6O,GAAGhlB,GACvB,IAAI5gE,EAAI,GACR,GAAmBA,OAAT,IAANgzE,EAAmB+D,EAAQ/D,EAAI,IAAM+D,EAAGA,IAAMt8C,EAAEqmD,kBAC5C,IAANxvB,EAAeA,EAAIsP,EAAEmW,GAAKzlB,GAAK,GAAKsP,EAAEmW,OACnC,CACH,QAAU,IAANA,EACF,SACF,GAAInW,EAAEmW,GAAI,CACR,IAAIn0E,EAAI+iF,GAAG/kB,EAAEmW,GAAIt8C,EAAGz6B,GACpB,MAAM9B,EAAI2nF,GAAGjjF,EAAG63B,GAChBmmC,EAAE,MAAQklB,GAAGljF,EAAGg+D,EAAE,MAAO5gE,EAAGy6B,GAA+B,IAA1Bz+B,OAAO4K,KAAKhE,GAAGzE,aAAsC,IAAtByE,EAAE63B,EAAEqmD,eAA6BrmD,EAAEmnD,qBAAyE,IAA1B5lF,OAAO4K,KAAKhE,GAAGzE,SAAiBs8B,EAAEmnD,qBAAuBh/E,EAAE63B,EAAEqmD,cAAgB,GAAKl+E,EAAI,IAA9GA,EAAIA,EAAE63B,EAAEqmD,mBAAoH,IAATtuD,EAAEukD,IAAiBvkD,EAAEt2B,eAAe66E,IAAM14E,MAAMoI,QAAQ+rB,EAAEukD,MAAQvkD,EAAEukD,GAAK,CAACvkD,EAAEukD,KAAMvkD,EAAEukD,GAAG95E,KAAK2F,IAAM63B,EAAEh0B,QAAQswE,EAAG/2E,EAAG9B,GAAKs0B,EAAEukD,GAAK,CAACn0E,GAAK4vB,EAAEukD,GAAKn0E,CAC1X,CACF,CACF,CACA,MAAmB,iBAAL0uD,EAAgBA,EAAEnzD,OAAS,IAAMq0B,EAAEiI,EAAEqmD,cAAgBxvB,QAAW,IAANA,IAAiB9+B,EAAEiI,EAAEqmD,cAAgBxvB,GAAI9+B,CACnH,CACA,SAASozD,GAAGhkF,GACV,MAAM64B,EAAIz+B,OAAO4K,KAAKhF,GACtB,IAAK,IAAIoxE,EAAI,EAAGA,EAAIv4C,EAAEt8B,OAAQ60E,IAAK,CACjC,MAAM1hB,EAAI72B,EAAEu4C,GACZ,GAAU,OAAN1hB,EACF,OAAOA,CACX,CACF,CACA,SAASw0B,GAAGlkF,EAAG64B,EAAGu4C,EAAG1hB,GACnB,GAAI72B,EAAG,CACL,MAAMjI,EAAIx2B,OAAO4K,KAAK6zB,GAAIx8B,EAAIu0B,EAAEr0B,OAChC,IAAK,IAAIyiE,EAAI,EAAGA,EAAI3iE,EAAG2iE,IAAK,CAC1B,MAAMmW,EAAIvkD,EAAEouC,GACZtP,EAAE7qD,QAAQswE,EAAG/D,EAAI,IAAM+D,GAAG,GAAI,GAAMn1E,EAAEm1E,GAAK,CAACt8C,EAAEs8C,IAAMn1E,EAAEm1E,GAAKt8C,EAAEs8C,EAC/D,CACF,CACF,CACA,SAAS8O,GAAGjkF,EAAG64B,GACb,MAAQqmD,aAAc9N,GAAMv4C,EAAG62B,EAAIt1D,OAAO4K,KAAKhF,GAAGzD,OAClD,QAAgB,IAANmzD,IAAiB,IAANA,IAAY1vD,EAAEoxE,IAAqB,kBAARpxE,EAAEoxE,IAA4B,IAATpxE,EAAEoxE,IACzE,CACA0S,GAAGK,SA5CH,SAAYnkF,EAAG64B,GACb,OAAOkrD,GAAG/jF,EAAG64B,EACf,EA2CA,MAAQ4nD,aAAc2D,IAAO1Q,GAAGljC,GAzUvB,MACP,WAAAjgB,CAAYsI,GACVh+B,KAAKgR,QAAUgtB,EAAGh+B,KAAKw0E,YAAc,KAAMx0E,KAAK6nF,cAAgB,GAAI7nF,KAAKkoF,gBAAkB,CAAC,EAAGloF,KAAKmnF,aAAe,CACjHqC,KAAM,CAAE39D,MAAO,qBAAsBpN,IAAK,KAC1CuqE,GAAI,CAAEn9D,MAAO,mBAAoBpN,IAAK,KACtCgqE,GAAI,CAAE58D,MAAO,mBAAoBpN,IAAK,KACtCgrE,KAAM,CAAE59D,MAAO,qBAAsBpN,IAAK,MACzCze,KAAK2oF,UAAY,CAAE98D,MAAO,oBAAqBpN,IAAK,KAAOze,KAAKslF,aAAe,CAChFoE,MAAO,CAAE79D,MAAO,iBAAkBpN,IAAK,KAMvCkrE,KAAM,CAAE99D,MAAO,iBAAkBpN,IAAK,KACtCmrE,MAAO,CAAE/9D,MAAO,kBAAmBpN,IAAK,KACxCorE,IAAK,CAAEh+D,MAAO,gBAAiBpN,IAAK,KACpCqrE,KAAM,CAAEj+D,MAAO,kBAAmBpN,IAAK,KACvCsrE,UAAW,CAAEl+D,MAAO,iBAAkBpN,IAAK,KAC3CurE,IAAK,CAAEn+D,MAAO,gBAAiBpN,IAAK,KACpCwrE,IAAK,CAAEp+D,MAAO,iBAAkBpN,IAAK,MACpCze,KAAKkqF,oBAAsB11B,GAAIx0D,KAAKmqF,SAAWzC,GAAI1nF,KAAKmoF,cAAgBf,GAAIpnF,KAAKynF,iBAAmBF,GAAIvnF,KAAKgoF,mBAAqBpjB,GAAI5kE,KAAKqoF,aAAeQ,GAAI7oF,KAAKqnF,qBAAuBqB,GAAI1oF,KAAKuoF,iBAAmBS,GAAIhpF,KAAK2nF,oBAAsBiB,GAAI5oF,KAAK2mF,SAAW8B,EAC9Q,IAmTyCa,SAAUc,IAAOnB,GAAIoB,GAAKlI,EAiDrE,SAASmI,GAAGnlF,EAAG64B,EAAGu4C,EAAG1hB,GACnB,IAAI9+B,EAAI,GAAIv0B,GAAI,EAChB,IAAK,IAAI2iE,EAAI,EAAGA,EAAIh/D,EAAEzD,OAAQyiE,IAAK,CACjC,MAAMmW,EAAIn1E,EAAEg/D,GAAI5gE,EAAIgnF,GAAGjQ,GACvB,QAAU,IAAN/2E,EACF,SACF,IAAI4C,EAAI,GACR,GAAqBA,EAAJ,IAAbowE,EAAE70E,OAAmB6B,EAAQ,GAAGgzE,KAAKhzE,IAAKA,IAAMy6B,EAAEqmD,aAAc,CAClE,IAAIhjE,EAAIi5D,EAAE/2E,GACVinF,GAAGrkF,EAAG63B,KAAO3c,EAAI2c,EAAEgnD,kBAAkBzhF,EAAG8d,GAAIA,EAAIopE,GAAGppE,EAAG2c,IAAKx8B,IAAMu0B,GAAK8+B,GAAI9+B,GAAK1U,EAAG7f,GAAI,EACtF,QACF,CAAO,GAAI+B,IAAMy6B,EAAE2mD,cAAe,CAChCnjF,IAAMu0B,GAAK8+B,GAAI9+B,GAAK,YAAYukD,EAAE/2E,GAAG,GAAGy6B,EAAEqmD,mBAAoB7iF,GAAI,EAClE,QACF,CAAO,GAAI+B,IAAMy6B,EAAEonD,gBAAiB,CAClCrvD,GAAK8+B,EAAI,UAAOylB,EAAE/2E,GAAG,GAAGy6B,EAAEqmD,sBAAoB7iF,GAAI,EAClD,QACF,CAAO,GAAa,MAAT+B,EAAE,GAAY,CACvB,MAAM8d,EAAIqpE,GAAEpQ,EAAE,MAAOt8C,GAAI9c,EAAU,SAAN3d,EAAe,GAAKsxD,EACjD,IAAIyzB,EAAIhO,EAAE/2E,GAAG,GAAGy6B,EAAEqmD,cAClBiE,EAAiB,IAAbA,EAAE5mF,OAAe,IAAM4mF,EAAI,GAAIvyD,GAAK7U,EAAI,IAAI3d,IAAI+kF,IAAIjnE,MAAO7f,GAAI,EACnE,QACF,CACA,IAAIC,EAAIozD,EACF,KAANpzD,IAAaA,GAAKu8B,EAAE2sD,UACpB,MAAyB5sE,EAAI82C,EAAI,IAAItxD,IAA3BmnF,GAAEpQ,EAAE,MAAOt8C,KAAyBkmC,EAAIomB,GAAGhQ,EAAE/2E,GAAIy6B,EAAG73B,EAAG1E,IAClC,IAA/Bu8B,EAAE8kD,aAAazvE,QAAQ9P,GAAYy6B,EAAE4sD,qBAAuB70D,GAAKhY,EAAI,IAAMgY,GAAKhY,EAAI,KAASmmD,GAAkB,IAAbA,EAAExiE,SAAiBs8B,EAAE6sD,kBAAoC3mB,GAAKA,EAAE4mB,SAAS,KAAO/0D,GAAKhY,EAAI,IAAImmD,IAAIrP,MAAMtxD,MAAQwyB,GAAKhY,EAAI,IAAKmmD,GAAW,KAANrP,IAAaqP,EAAEp7D,SAAS,OAASo7D,EAAEp7D,SAAS,OAASitB,GAAK8+B,EAAI72B,EAAE2sD,SAAWzmB,EAAIrP,EAAI9+B,GAAKmuC,EAAGnuC,GAAK,KAAKxyB,MAA9LwyB,GAAKhY,EAAI,KAA4Lvc,GAAI,CACtV,CACA,OAAOu0B,CACT,CACA,SAASw0D,GAAGplF,GACV,MAAM64B,EAAIz+B,OAAO4K,KAAKhF,GACtB,IAAK,IAAIoxE,EAAI,EAAGA,EAAIv4C,EAAEt8B,OAAQ60E,IAAK,CACjC,MAAM1hB,EAAI72B,EAAEu4C,GACZ,GAAIpxE,EAAE1F,eAAeo1D,IAAY,OAANA,EACzB,OAAOA,CACX,CACF,CACA,SAAS61B,GAAEvlF,EAAG64B,GACZ,IAAIu4C,EAAI,GACR,GAAIpxE,IAAM64B,EAAEsmD,iBACV,IAAK,IAAIzvB,KAAK1vD,EAAG,CACf,IAAKA,EAAE1F,eAAeo1D,GACpB,SACF,IAAI9+B,EAAIiI,EAAEinD,wBAAwBpwB,EAAG1vD,EAAE0vD,IACvC9+B,EAAI00D,GAAG10D,EAAGiI,IAAU,IAANjI,GAAYiI,EAAE+sD,0BAA4BxU,GAAK,IAAI1hB,EAAE9uC,OAAOiY,EAAEmmD,oBAAoBziF,UAAY60E,GAAK,IAAI1hB,EAAE9uC,OAAOiY,EAAEmmD,oBAAoBziF,YAAYq0B,IAClK,CACF,OAAOwgD,CACT,CACA,SAASiU,GAAGrlF,EAAG64B,GAEb,IAAIu4C,GADJpxE,EAAIA,EAAE4gB,OAAO,EAAG5gB,EAAEzD,OAASs8B,EAAEqmD,aAAa3iF,OAAS,IACzCqkB,OAAO5gB,EAAEyiF,YAAY,KAAO,GACtC,IAAK,IAAI/yB,KAAK72B,EAAEknD,UACd,GAAIlnD,EAAEknD,UAAUrwB,KAAO1vD,GAAK64B,EAAEknD,UAAUrwB,KAAO,KAAO0hB,EACpD,OAAO,EACX,OAAO,CACT,CACA,SAASkU,GAAGtlF,EAAG64B,GACb,GAAI74B,GAAKA,EAAEzD,OAAS,GAAKs8B,EAAEqnD,gBACzB,IAAK,IAAI9O,EAAI,EAAGA,EAAIv4C,EAAE+oD,SAASrlF,OAAQ60E,IAAK,CAC1C,MAAM1hB,EAAI72B,EAAE+oD,SAASxQ,GACrBpxE,EAAIA,EAAE8C,QAAQ4sD,EAAEhpC,MAAOgpC,EAAEp2C,IAC3B,CACF,OAAOtZ,CACT,CAEA,MAAM6lF,GAtEN,SAAY7lF,EAAG64B,GACb,IAAIu4C,EAAI,GACR,OAAOv4C,EAAEymB,QAAUzmB,EAAE2sD,SAASjpF,OAAS,IAAM60E,EAJpC,MAI6C+T,GAAGnlF,EAAG64B,EAAG,GAAIu4C,EACrE,EAmEe0U,GAAK,CAClB9G,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACflgC,QAAQ,EACRkmC,SAAU,KACVE,mBAAmB,EACnBD,sBAAsB,EACtBG,2BAA2B,EAC3B/F,kBAAmB,SAAS7/E,EAAG64B,GAC7B,OAAOA,CACT,EACAinD,wBAAyB,SAAS9/E,EAAG64B,GACnC,OAAOA,CACT,EACAkmD,eAAe,EACfkB,iBAAiB,EACjBtC,aAAc,GACdiE,SAAU,CACR,CAAEl7D,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,SAEpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,QACpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,QACpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,UACpC,CAAEoN,MAAO,IAAIrT,OAAO,IAAK,KAAMiG,IAAK,WAEtC4mE,iBAAiB,EACjBH,UAAW,GAGXgG,cAAc,GAEhB,SAASlwE,GAAE7V,GACTnF,KAAKgR,QAAUzR,OAAO2I,OAAO,CAAC,EAAG+iF,GAAI9lF,GAAInF,KAAKgR,QAAQszE,kBAAoBtkF,KAAKgR,QAAQozE,oBAAsBpkF,KAAKmrF,YAAc,WAC9H,OAAO,CACT,GAAKnrF,KAAKorF,cAAgBprF,KAAKgR,QAAQmzE,oBAAoBziF,OAAQ1B,KAAKmrF,YAAcE,IAAKrrF,KAAKsrF,qBAAuBC,GAAIvrF,KAAKgR,QAAQyzC,QAAUzkD,KAAKwrF,UAAYC,GAAIzrF,KAAK0rF,WAAa,MACxL1rF,KAAK2rF,QAAU,OACZ3rF,KAAKwrF,UAAY,WACnB,MAAO,EACT,EAAGxrF,KAAK0rF,WAAa,IAAK1rF,KAAK2rF,QAAU,GAC3C,CA4CA,SAASJ,GAAGpmF,EAAG64B,EAAGu4C,GAChB,MAAM1hB,EAAI70D,KAAK4rF,IAAIzmF,EAAGoxE,EAAI,GAC1B,YAAwC,IAAjCpxE,EAAEnF,KAAKgR,QAAQqzE,eAAsD,IAA1B9kF,OAAO4K,KAAKhF,GAAGzD,OAAe1B,KAAK6rF,iBAAiB1mF,EAAEnF,KAAKgR,QAAQqzE,cAAermD,EAAG62B,EAAEi3B,QAASvV,GAAKv2E,KAAK+rF,gBAAgBl3B,EAAEp2C,IAAKuf,EAAG62B,EAAEi3B,QAASvV,EACnM,CAiCA,SAASkV,GAAGtmF,GACV,OAAOnF,KAAKgR,QAAQ25E,SAASrmE,OAAOnf,EACtC,CACA,SAASkmF,GAAGlmF,GACV,SAAOA,EAAE+K,WAAWlQ,KAAKgR,QAAQmzE,sBAAwBh/E,IAAMnF,KAAKgR,QAAQqzE,eAAel/E,EAAE4gB,OAAO/lB,KAAKorF,cAC3G,CApFApwE,GAAExb,UAAUo8B,MAAQ,SAASz2B,GAC3B,OAAOnF,KAAKgR,QAAQkzE,cAAgB8G,GAAG7lF,EAAGnF,KAAKgR,UAAYpP,MAAMoI,QAAQ7E,IAAMnF,KAAKgR,QAAQg7E,eAAiBhsF,KAAKgR,QAAQg7E,cAActqF,OAAS,IAAMyD,EAAI,CACzJ,CAACnF,KAAKgR,QAAQg7E,eAAgB7mF,IAC5BnF,KAAK4rF,IAAIzmF,EAAG,GAAGsZ,IACrB,EACAzD,GAAExb,UAAUosF,IAAM,SAASzmF,EAAG64B,GAC5B,IAAIu4C,EAAI,GAAI1hB,EAAI,GAChB,IAAK,IAAI9+B,KAAK5wB,EACZ,GAAI5F,OAAOC,UAAUC,eAAeyB,KAAKiE,EAAG4wB,GAC1C,UAAW5wB,EAAE4wB,GAAK,IAChB/1B,KAAKmrF,YAAYp1D,KAAO8+B,GAAK,SAC1B,GAAa,OAAT1vD,EAAE4wB,GACT/1B,KAAKmrF,YAAYp1D,GAAK8+B,GAAK,GAAc,MAAT9+B,EAAE,GAAa8+B,GAAK70D,KAAKwrF,UAAUxtD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK0rF,WAAa72B,GAAK70D,KAAKwrF,UAAUxtD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK0rF,gBACrJ,GAAIvmF,EAAE4wB,aAActkB,KACvBojD,GAAK70D,KAAK6rF,iBAAiB1mF,EAAE4wB,GAAIA,EAAG,GAAIiI,QACrC,GAAmB,iBAAR74B,EAAE4wB,GAAgB,CAChC,MAAMv0B,EAAIxB,KAAKmrF,YAAYp1D,GAC3B,GAAIv0B,EACF+0E,GAAKv2E,KAAKisF,iBAAiBzqF,EAAG,GAAK2D,EAAE4wB,SAClC,GAAIA,IAAM/1B,KAAKgR,QAAQqzE,aAAc,CACxC,IAAIlgB,EAAInkE,KAAKgR,QAAQg0E,kBAAkBjvD,EAAG,GAAK5wB,EAAE4wB,IACjD8+B,GAAK70D,KAAKqnF,qBAAqBljB,EACjC,MACEtP,GAAK70D,KAAK6rF,iBAAiB1mF,EAAE4wB,GAAIA,EAAG,GAAIiI,EAC5C,MAAO,GAAIp8B,MAAMoI,QAAQ7E,EAAE4wB,IAAK,CAC9B,MAAMv0B,EAAI2D,EAAE4wB,GAAGr0B,OACf,IAAIyiE,EAAI,GACR,IAAK,IAAImW,EAAI,EAAGA,EAAI94E,EAAG84E,IAAK,CAC1B,MAAM/2E,EAAI4B,EAAE4wB,GAAGukD,UACR/2E,EAAI,MAAc,OAANA,EAAsB,MAATwyB,EAAE,GAAa8+B,GAAK70D,KAAKwrF,UAAUxtD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK0rF,WAAa72B,GAAK70D,KAAKwrF,UAAUxtD,GAAK,IAAMjI,EAAI,IAAM/1B,KAAK0rF,WAAyB,iBAALnoF,EAAgBvD,KAAKgR,QAAQk6E,aAAe/mB,GAAKnkE,KAAK4rF,IAAIroF,EAAGy6B,EAAI,GAAGvf,IAAM0lD,GAAKnkE,KAAKsrF,qBAAqB/nF,EAAGwyB,EAAGiI,GAAKmmC,GAAKnkE,KAAK6rF,iBAAiBtoF,EAAGwyB,EAAG,GAAIiI,GACvU,CACAh+B,KAAKgR,QAAQk6E,eAAiB/mB,EAAInkE,KAAK+rF,gBAAgB5nB,EAAGpuC,EAAG,GAAIiI,IAAK62B,GAAKsP,CAC7E,MAAO,GAAInkE,KAAKgR,QAAQozE,qBAAuBruD,IAAM/1B,KAAKgR,QAAQozE,oBAAqB,CACrF,MAAM5iF,EAAIjC,OAAO4K,KAAKhF,EAAE4wB,IAAKouC,EAAI3iE,EAAEE,OACnC,IAAK,IAAI44E,EAAI,EAAGA,EAAInW,EAAGmW,IACrB/D,GAAKv2E,KAAKisF,iBAAiBzqF,EAAE84E,GAAI,GAAKn1E,EAAE4wB,GAAGv0B,EAAE84E,IACjD,MACEzlB,GAAK70D,KAAKsrF,qBAAqBnmF,EAAE4wB,GAAIA,EAAGiI,GAC9C,MAAO,CAAE8tD,QAASvV,EAAG93D,IAAKo2C,EAC5B,EACA75C,GAAExb,UAAUysF,iBAAmB,SAAS9mF,EAAG64B,GACzC,OAAOA,EAAIh+B,KAAKgR,QAAQi0E,wBAAwB9/E,EAAG,GAAK64B,GAAIA,EAAIh+B,KAAKqnF,qBAAqBrpD,GAAIh+B,KAAKgR,QAAQ+5E,2BAAmC,SAAN/sD,EAAe,IAAM74B,EAAI,IAAMA,EAAI,KAAO64B,EAAI,GACxL,EAKAhjB,GAAExb,UAAUusF,gBAAkB,SAAS5mF,EAAG64B,EAAGu4C,EAAG1hB,GAC9C,GAAU,KAAN1vD,EACF,MAAgB,MAAT64B,EAAE,GAAah+B,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAI,IAAMv2E,KAAK0rF,WAAa1rF,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAIv2E,KAAKk+D,SAASlgC,GAAKh+B,KAAK0rF,WAC5I,CACE,IAAI31D,EAAI,KAAOiI,EAAIh+B,KAAK0rF,WAAYlqF,EAAI,GACxC,MAAgB,MAATw8B,EAAE,KAAex8B,EAAI,IAAKu0B,EAAI,KAAMwgD,GAAW,KAANA,IAAiC,IAApBpxE,EAAEkO,QAAQ,MAAmG,IAAjCrT,KAAKgR,QAAQo0E,iBAA0BpnD,IAAMh+B,KAAKgR,QAAQo0E,iBAAgC,IAAb5jF,EAAEE,OAAe1B,KAAKwrF,UAAU32B,GAAK,UAAO1vD,UAASnF,KAAK2rF,QAAU3rF,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAI/0E,EAAIxB,KAAK0rF,WAAavmF,EAAInF,KAAKwrF,UAAU32B,GAAK9+B,EAArR/1B,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAI/0E,EAAI,IAAM2D,EAAI4wB,CACvI,CACF,EACA/a,GAAExb,UAAU0+D,SAAW,SAAS/4D,GAC9B,IAAI64B,EAAI,GACR,OAAiD,IAA1Ch+B,KAAKgR,QAAQ8xE,aAAazvE,QAAQlO,GAAYnF,KAAKgR,QAAQ45E,uBAAyB5sD,EAAI,KAAwCA,EAAjCh+B,KAAKgR,QAAQ65E,kBAAwB,IAAU,MAAM1lF,IAAK64B,CAClK,EACAhjB,GAAExb,UAAUqsF,iBAAmB,SAAS1mF,EAAG64B,EAAGu4C,EAAG1hB,GAC/C,IAAmC,IAA/B70D,KAAKgR,QAAQ2zE,eAAwB3mD,IAAMh+B,KAAKgR,QAAQ2zE,cAC1D,OAAO3kF,KAAKwrF,UAAU32B,GAAK,YAAY1vD,OAASnF,KAAK2rF,QACvD,IAAqC,IAAjC3rF,KAAKgR,QAAQo0E,iBAA0BpnD,IAAMh+B,KAAKgR,QAAQo0E,gBAC5D,OAAOplF,KAAKwrF,UAAU32B,GAAK,UAAO1vD,UAASnF,KAAK2rF,QAClD,GAAa,MAAT3tD,EAAE,GACJ,OAAOh+B,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAI,IAAMv2E,KAAK0rF,WACtD,CACE,IAAI31D,EAAI/1B,KAAKgR,QAAQg0E,kBAAkBhnD,EAAG74B,GAC1C,OAAO4wB,EAAI/1B,KAAKqnF,qBAAqBtxD,GAAU,KAANA,EAAW/1B,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAIv2E,KAAKk+D,SAASlgC,GAAKh+B,KAAK0rF,WAAa1rF,KAAKwrF,UAAU32B,GAAK,IAAM72B,EAAIu4C,EAAI,IAAMxgD,EAAI,KAAOiI,EAAIh+B,KAAK0rF,UACzL,CACF,EACA1wE,GAAExb,UAAU6nF,qBAAuB,SAASliF,GAC1C,GAAIA,GAAKA,EAAEzD,OAAS,GAAK1B,KAAKgR,QAAQq0E,gBACpC,IAAK,IAAIrnD,EAAI,EAAGA,EAAIh+B,KAAKgR,QAAQ+1E,SAASrlF,OAAQs8B,IAAK,CACrD,MAAMu4C,EAAIv2E,KAAKgR,QAAQ+1E,SAAS/oD,GAChC74B,EAAIA,EAAE8C,QAAQsuE,EAAE1qD,MAAO0qD,EAAE93D,IAC3B,CACF,OAAOtZ,CACT,EASA,IAAI+mF,GAAI,CACNC,UArPO,MACP,WAAAz2D,CAAYsI,GACVh+B,KAAKosF,iBAAmB,CAAC,EAAGpsF,KAAKgR,QAAUu4E,GAAGvrD,EAChD,CAMA,KAAAzxB,CAAMyxB,EAAGu4C,GACP,GAAgB,iBAALv4C,EACT,KAAIA,EAAEx6B,SAGJ,MAAM,IAAIwE,MAAM,mDAFhBg2B,EAAIA,EAAEx6B,UAE4D,CACtE,GAAI+yE,EAAG,EACC,IAANA,IAAaA,EAAI,CAAC,GAClB,MAAM/0E,EAAI6oF,GAAGlH,SAASnlD,EAAGu4C,GACzB,IAAU,IAAN/0E,EACF,MAAMwG,MAAM,GAAGxG,EAAE0c,IAAIyW,OAAOnzB,EAAE0c,IAAI28C,QAAQr5D,EAAE0c,IAAIwlE,MACpD,CACA,MAAM7uB,EAAI,IAAIlf,GAAG31C,KAAKgR,SACtB6jD,EAAEq1B,oBAAoBlqF,KAAKosF,kBAC3B,MAAMr2D,EAAI8+B,EAAEs1B,SAASnsD,GACrB,OAAOh+B,KAAKgR,QAAQkzE,oBAAuB,IAANnuD,EAAeA,EAAIq0D,GAAGr0D,EAAG/1B,KAAKgR,QACrE,CAMA,SAAAq7E,CAAUruD,EAAGu4C,GACX,IAAwB,IAApBA,EAAEljE,QAAQ,KACZ,MAAM,IAAIrL,MAAM,+BAClB,IAAwB,IAApBg2B,EAAE3qB,QAAQ,OAAmC,IAApB2qB,EAAE3qB,QAAQ,KACrC,MAAM,IAAIrL,MAAM,wEAClB,GAAU,MAANuuE,EACF,MAAM,IAAIvuE,MAAM,6CAClBhI,KAAKosF,iBAAiBpuD,GAAKu4C,CAC7B,GA+MA+V,aAHSnK,EAIToK,WALOvxE,IA0CT,MAAMwxE,GACJC,MACA,WAAA/2D,CAAYsI,GACV0uD,GAAG1uD,GAAIh+B,KAAKysF,MAAQzuD,CACtB,CACA,MAAIp0B,GACF,OAAO5J,KAAKysF,MAAM7iF,EACpB,CACA,QAAI5I,GACF,OAAOhB,KAAKysF,MAAMzrF,IACpB,CACA,WAAIimD,GACF,OAAOjnD,KAAKysF,MAAMxlC,OACpB,CACA,cAAI8K,GACF,OAAO/xD,KAAKysF,MAAM16B,UACpB,CACA,gBAAIC,GACF,OAAOhyD,KAAKysF,MAAMz6B,YACpB,CACA,eAAIjlB,GACF,OAAO/sC,KAAKysF,MAAM1/C,WACpB,CACA,QAAInhC,GACF,OAAO5L,KAAKysF,MAAM7gF,IACpB,CACA,QAAIA,CAAKoyB,GACPh+B,KAAKysF,MAAM7gF,KAAOoyB,CACpB,CACA,SAAIsF,GACF,OAAOtjC,KAAKysF,MAAMnpD,KACpB,CACA,SAAIA,CAAMtF,GACRh+B,KAAKysF,MAAMnpD,MAAQtF,CACrB,CACA,UAAI5e,GACF,OAAOpf,KAAKysF,MAAMrtE,MACpB,CACA,UAAIA,CAAO4e,GACTh+B,KAAKysF,MAAMrtE,OAAS4e,CACtB,CACA,WAAI6lB,GACF,OAAO7jD,KAAKysF,MAAM5oC,OACpB,CACA,aAAI8oC,GACF,OAAO3sF,KAAKysF,MAAME,SACpB,CACA,UAAIhtE,GACF,OAAO3f,KAAKysF,MAAM9sE,MACpB,CACA,UAAIglB,GACF,OAAO3kC,KAAKysF,MAAM9nD,MACpB,CACA,YAAIP,GACF,OAAOpkC,KAAKysF,MAAMroD,QACpB,CACA,YAAIA,CAASpG,GACXh+B,KAAKysF,MAAMroD,SAAWpG,CACxB,CACA,kBAAI0nB,GACF,OAAO1lD,KAAKysF,MAAM/mC,cACpB,EAEF,MAAMgnC,GAAK,SAASvnF,GAClB,IAAKA,EAAEyE,IAAqB,iBAARzE,EAAEyE,GACpB,MAAM,IAAI5B,MAAM,4CAClB,IAAK7C,EAAEnE,MAAyB,iBAAVmE,EAAEnE,KACtB,MAAM,IAAIgH,MAAM,8CAClB,GAAI7C,EAAE0+C,SAAW1+C,EAAE0+C,QAAQniD,OAAS,KAAOyD,EAAE8hD,SAA+B,iBAAb9hD,EAAE8hD,SAC/D,MAAM,IAAIj/C,MAAM,qEAClB,IAAK7C,EAAE4nC,aAAuC,mBAAjB5nC,EAAE4nC,YAC7B,MAAM,IAAI/kC,MAAM,uDAClB,IAAK7C,EAAEyG,MAAyB,iBAAVzG,EAAEyG,OA3G1B,SAAYzG,GACV,GAAgB,iBAALA,EACT,MAAM,IAAI/E,UAAU,uCAAuC+E,OAC7D,GAA+B,KAA3BA,EAAIA,EAAEoW,QAAU7Z,SAA+C,IAA/BwqF,GAAEI,aAAanJ,SAASh+E,GAC1D,OAAO,EACT,IAAI64B,EACJ,MAAMu4C,EAAI,IAAI2V,GAAEC,UAChB,IACEnuD,EAAIu4C,EAAEhqE,MAAMpH,EACd,CAAE,MACA,OAAO,CACT,CACA,SAAU64B,KAAO,QAASA,GAC5B,CA8F+C4uD,CAAGznF,EAAEyG,MAChD,MAAM,IAAI5D,MAAM,wDAClB,KAAM,UAAW7C,IAAwB,iBAAXA,EAAEm+B,MAC9B,MAAM,IAAIt7B,MAAM,+CAClB,GAAI7C,EAAE0+C,SAAW1+C,EAAE0+C,QAAQx1C,SAAS2vB,IAClC,KAAMA,aAAagkD,GACjB,MAAM,IAAIh6E,MAAM,gEAAgE,IAChF7C,EAAEwnF,WAAmC,mBAAfxnF,EAAEwnF,UAC1B,MAAM,IAAI3kF,MAAM,qCAClB,GAAI7C,EAAEwa,QAA6B,iBAAZxa,EAAEwa,OACvB,MAAM,IAAI3X,MAAM,gCAClB,GAAI,WAAY7C,GAAwB,kBAAZA,EAAEw/B,OAC5B,MAAM,IAAI38B,MAAM,iCAClB,GAAI,aAAc7C,GAA0B,kBAAdA,EAAEi/B,SAC9B,MAAM,IAAIp8B,MAAM,mCAClB,GAAI7C,EAAEugD,gBAA6C,iBAApBvgD,EAAEugD,eAC/B,MAAM,IAAI19C,MAAM,wCAClB,OAAO,CACT,EA2BG6kF,GAAK,SAAS1nF,GACf,cA/gEcvB,OAAOkpF,gBAAkB,MAAQlpF,OAAOkpF,gBAAkB,IAAItO,EAAMl5D,EAAEqe,MAAM,4BAA6B//B,OAAOkpF,iBA+gEnH5jD,WAAW/jC,GAAG4V,MAAK,CAACw7D,EAAG1hB,SAAkB,IAAZ0hB,EAAEjzC,YAAgC,IAAZuxB,EAAEvxB,OAAoBizC,EAAEjzC,QAAUuxB,EAAEvxB,MAAQizC,EAAEjzC,MAAQuxB,EAAEvxB,MAAQizC,EAAE1xC,YAAYkoD,cAAcl4B,EAAEhwB,iBAAa,EAAQ,CAAEkqB,SAAS,EAAIi+B,YAAa,UAC/M,8PCjmEIh8E,EAAU,CAAC,EAEfA,EAAQsuB,kBAAoB,IAC5BtuB,EAAQuuB,cAAgB,IAElBvuB,EAAQwuB,OAAS,SAAc,KAAM,QAE3CxuB,EAAQyuB,OAAS,IACjBzuB,EAAQ0uB,mBAAqB,IAEhB,IAAI,IAAS1uB,GAKJ,KAAW,IAAQ2uB,QAAS,IAAQA,6EC1BnD,MAAMstD,UAAoBjlF,MAChC,WAAA0tB,CAAYhB,GACX2T,MAAM3T,GAAU,wBAChB10B,KAAKgB,KAAO,aACb,CAEA,cAAI81D,GACH,OAAO,CACR,EAGD,MAAMo2B,EAAe3tF,OAAOkgB,OAAO,CAClCwS,QAAS5uB,OAAO,WAChB8pF,SAAU9pF,OAAO,YACjBoxB,SAAUpxB,OAAO,YACjB+pF,SAAU/pF,OAAO,cAGH,MAAMgqF,EACpB,SAAOxtF,CAAGytF,GACT,MAAO,IAAI3wD,IAAe,IAAI0wD,GAAY,CAACtgF,EAASC,EAAQogC,KAC3DzQ,EAAWn8B,KAAK4sC,GAChBkgD,KAAgB3wD,GAAYtnB,KAAKtI,EAASC,EAAO,GAEnD,CAEA,GAAkB,GAClB,IAAkB,EAClB,GAASkgF,EAAaj7D,QACtB,GACA,GAEA,WAAAyD,CAAYihC,GACX32D,MAAK,EAAW,IAAI8M,SAAQ,CAACC,EAASC,KACrChN,MAAK,EAAUgN,EAEf,MAcMogC,EAAWjkB,IAChB,GAAInpB,MAAK,IAAWktF,EAAaj7D,QAChC,MAAM,IAAIjqB,MAAM,2DAA2DhI,MAAK,EAAOutF,gBAGxFvtF,MAAK,EAAgBQ,KAAK2oB,EAAQ,EAGnC5pB,OAAO24B,iBAAiBkV,EAAU,CACjCogD,aAAc,CACb7/E,IAAK,IAAM3N,MAAK,EAChBgQ,IAAKy9E,IACJztF,MAAK,EAAkBytF,CAAO,KAKjC92B,GA/BkBvtD,IACbpJ,MAAK,IAAWktF,EAAaC,UAAa//C,EAASogD,eACtDzgF,EAAQ3D,GACRpJ,MAAK,EAAUktF,EAAaz4D,UAC7B,IAGgBzvB,IACZhF,MAAK,IAAWktF,EAAaC,UAAa//C,EAASogD,eACtDxgF,EAAOhI,GACPhF,MAAK,EAAUktF,EAAaE,UAC7B,GAoB6BhgD,EAAS,GAEzC,CAGA,IAAA/3B,CAAKq4E,EAAaC,GACjB,OAAO3tF,MAAK,EAASqV,KAAKq4E,EAAaC,EACxC,CAEA,MAAMA,GACL,OAAO3tF,MAAK,EAAS2V,MAAMg4E,EAC5B,CAEA,QAAQC,GACP,OAAO5tF,MAAK,EAASw3D,QAAQo2B,EAC9B,CAEA,MAAA9wD,CAAOpI,GACN,GAAI10B,MAAK,IAAWktF,EAAaj7D,QAAjC,CAMA,GAFAjyB,MAAK,EAAUktF,EAAaC,UAExBntF,MAAK,EAAgB0B,OAAS,EACjC,IACC,IAAK,MAAMynB,KAAWnpB,MAAK,EAC1BmpB,GAEF,CAAE,MAAOnkB,GAER,YADAhF,MAAK,EAAQgF,EAEd,CAGGhF,MAAK,GACRA,MAAK,EAAQ,IAAIitF,EAAYv4D,GAhB9B,CAkBD,CAEA,cAAIoiC,GACH,OAAO92D,MAAK,IAAWktF,EAAaC,QACrC,CAEA,GAAUlkF,GACLjJ,MAAK,IAAWktF,EAAaj7D,UAChCjyB,MAAK,EAASiJ,EAEhB,EAGD1J,OAAOg0D,eAAe85B,EAAY7tF,UAAWsN,QAAQtN,yBCtH9C,MAAMquF,UAAqB7lF,MACjC,WAAA0tB,CAAYrtB,GACXggC,MAAMhgC,GACNrI,KAAKgB,KAAO,cACb,EAOM,MAAM8sF,UAAmB9lF,MAC/B,WAAA0tB,CAAYrtB,GACXggC,QACAroC,KAAKgB,KAAO,aACZhB,KAAKqI,QAAUA,CAChB,EAMD,MAAM0lF,EAAkBC,QAA4CxrF,IAA5B0B,WAAW+pF,aAChD,IAAIH,EAAWE,GACf,IAAIC,aAAaD,GAKdE,EAAmB1gD,IACxB,MAAM9Y,OAA2BlyB,IAAlBgrC,EAAO9Y,OACnBq5D,EAAgB,+BAChBvgD,EAAO9Y,OAEV,OAAOA,aAAkB1sB,MAAQ0sB,EAASq5D,EAAgBr5D,EAAO,ECjCnD,MAAMy5D,EACjB,GAAS,GACT,OAAAC,CAAQr4E,EAAK/E,GAKT,MAAM4pC,EAAU,CACZyzC,UALJr9E,EAAU,CACNq9E,SAAU,KACPr9E,IAGeq9E,SAClBt4E,OAEJ,GAAI/V,KAAK0P,MAAQ1P,MAAK,EAAOA,KAAK0P,KAAO,GAAG2+E,UAAYr9E,EAAQq9E,SAE5D,YADAruF,MAAK,EAAOQ,KAAKo6C,GAGrB,MAAM/9B,ECdC,SAAoByxE,EAAOllF,EAAOmlF,GAC7C,IAAIC,EAAQ,EACR7gB,EAAQ2gB,EAAM5sF,OAClB,KAAOisE,EAAQ,GAAG,CACd,MAAMn8C,EAAOqC,KAAK46D,MAAM9gB,EAAQ,GAChC,IAAInZ,EAAKg6B,EAAQh9D,EDS+BrrB,ECRjCmoF,EAAM95B,GAAKprD,EDQiCilF,SAAWloF,EAAEkoF,UCRpC,GAChCG,IAAUh6B,EACVmZ,GAASn8C,EAAO,GAGhBm8C,EAAQn8C,CAEhB,CDCmD,IAACrrB,ECApD,OAAOqoF,CACX,CDDsBE,CAAW1uF,MAAK,EAAQ46C,GACtC56C,MAAK,EAAOsT,OAAOuJ,EAAO,EAAG+9B,EACjC,CACA,OAAA+zC,GACI,MAAMvhF,EAAOpN,MAAK,EAAOwe,QACzB,OAAOpR,GAAM2I,GACjB,CACA,MAAA9G,CAAO+B,GACH,OAAOhR,MAAK,EAAOiP,QAAQ2rC,GAAYA,EAAQyzC,WAAar9E,EAAQq9E,WAAUn/E,KAAK0rC,GAAYA,EAAQ7kC,KAC3G,CACA,QAAIrG,GACA,OAAO1P,MAAK,EAAO0B,MACvB,EEtBW,MAAM8oC,UAAe,EAChC,GACA,GACA,GAAiB,EACjB,GACA,GACA,GAAe,EACf,GACA,GACA,GACA,GACA,GAAW,EAEX,GACA,GACA,GAMAk7B,QAEA,WAAAhwC,CAAY1kB,GAYR,GAXAq3B,UAWqC,iBATrCr3B,EAAU,CACN49E,2BAA2B,EAC3BC,YAAa5zE,OAAO6zE,kBACpBC,SAAU,EACVtkD,YAAaxvB,OAAO6zE,kBACpBE,WAAW,EACXC,WAAYd,KACTn9E,IAEc69E,aAA4B79E,EAAQ69E,aAAe,GACpE,MAAM,IAAIzuF,UAAU,gEAAgE4Q,EAAQ69E,aAAarrF,YAAc,gBAAgBwN,EAAQ69E,gBAEnJ,QAAyBrsF,IAArBwO,EAAQ+9E,YAA4B9zE,OAAOknD,SAASnxD,EAAQ+9E,WAAa/9E,EAAQ+9E,UAAY,GAC7F,MAAM,IAAI3uF,UAAU,2DAA2D4Q,EAAQ+9E,UAAUvrF,YAAc,gBAAgBwN,EAAQ+9E,aAE3I/uF,MAAK,EAA6BgR,EAAQ49E,0BAC1C5uF,MAAK,EAAqBgR,EAAQ69E,cAAgB5zE,OAAO6zE,mBAA0C,IAArB99E,EAAQ+9E,SACtF/uF,MAAK,EAAegR,EAAQ69E,YAC5B7uF,MAAK,EAAYgR,EAAQ+9E,SACzB/uF,MAAK,EAAS,IAAIgR,EAAQi+E,WAC1BjvF,MAAK,EAAcgR,EAAQi+E,WAC3BjvF,KAAKyqC,YAAcz5B,EAAQy5B,YAC3BzqC,KAAK0lE,QAAU10D,EAAQ00D,QACvB1lE,MAAK,GAA6C,IAA3BgR,EAAQk+E,eAC/BlvF,MAAK,GAAkC,IAAtBgR,EAAQg+E,SAC7B,CACA,KAAI,GACA,OAAOhvF,MAAK,GAAsBA,MAAK,EAAiBA,MAAK,CACjE,CACA,KAAI,GACA,OAAOA,MAAK,EAAWA,MAAK,CAChC,CACA,KACIA,MAAK,IACLA,MAAK,IACLA,KAAK8B,KAAK,OACd,CACA,KACI9B,MAAK,IACLA,MAAK,IACLA,MAAK,OAAawC,CACtB,CACA,KAAI,GACA,MAAMgJ,EAAMiG,KAAKjG,MACjB,QAAyBhJ,IAArBxC,MAAK,EAA2B,CAChC,MAAM87B,EAAQ97B,MAAK,EAAewL,EAClC,KAAIswB,EAAQ,GAYR,YALwBt5B,IAApBxC,MAAK,IACLA,MAAK,EAAa4G,YAAW,KACzB5G,MAAK,GAAmB,GACzB87B,KAEA,EATP97B,MAAK,EAAkBA,MAA+B,EAAIA,MAAK,EAAW,CAWlF,CACA,OAAO,CACX,CACA,KACI,GAAyB,IAArBA,MAAK,EAAO0P,KAWZ,OARI1P,MAAK,GACLylE,cAAczlE,MAAK,GAEvBA,MAAK,OAAcwC,EACnBxC,KAAK8B,KAAK,SACY,IAAlB9B,MAAK,GACLA,KAAK8B,KAAK,SAEP,EAEX,IAAK9B,MAAK,EAAW,CACjB,MAAMmvF,GAAyBnvF,MAAK,EACpC,GAAIA,MAAK,GAA6BA,MAAK,EAA6B,CACpE,MAAMovF,EAAMpvF,MAAK,EAAO2uF,UACxB,QAAKS,IAGLpvF,KAAK8B,KAAK,UACVstF,IACID,GACAnvF,MAAK,KAEF,EACX,CACJ,CACA,OAAO,CACX,CACA,KACQA,MAAK,QAA2CwC,IAArBxC,MAAK,IAGpCA,MAAK,EAAcm+B,aAAY,KAC3Bn+B,MAAK,GAAa,GACnBA,MAAK,GACRA,MAAK,EAAeyR,KAAKjG,MAAQxL,MAAK,EAC1C,CACA,KACgC,IAAxBA,MAAK,GAA0C,IAAlBA,MAAK,GAAkBA,MAAK,IACzDylE,cAAczlE,MAAK,GACnBA,MAAK,OAAcwC,GAEvBxC,MAAK,EAAiBA,MAAK,EAA6BA,MAAK,EAAW,EACxEA,MAAK,GACT,CAIA,KAEI,KAAOA,MAAK,MAChB,CACA,eAAIyqC,GACA,OAAOzqC,MAAK,CAChB,CACA,eAAIyqC,CAAY4kD,GACZ,KAAgC,iBAAnBA,GAA+BA,GAAkB,GAC1D,MAAM,IAAIjvF,UAAU,gEAAgEivF,eAA4BA,MAEpHrvF,MAAK,EAAeqvF,EACpBrvF,MAAK,GACT,CACA,OAAM,CAAcwtC,GAChB,OAAO,IAAI1gC,SAAQ,CAACwiF,EAAUtiF,KAC1BwgC,EAAOpf,iBAAiB,SAAS,KAC7BphB,EAAOwgC,EAAO9Y,OAAO,GACtB,CAAE30B,MAAM,GAAO,GAE1B,CACA,SAAM8T,CAAI07E,EAAWv+E,EAAU,CAAC,GAM5B,OALAA,EAAU,CACN00D,QAAS1lE,KAAK0lE,QACdwpB,eAAgBlvF,MAAK,KAClBgR,GAEA,IAAIlE,SAAQ,CAACC,EAASC,KACzBhN,MAAK,EAAOouF,SAAQpiF,UAChBhM,MAAK,IACLA,MAAK,IACL,IACIgR,EAAQw8B,QAAQgiD,iBAChB,IAAIjlF,EAAYglF,EAAU,CAAE/hD,OAAQx8B,EAAQw8B,SACxCx8B,EAAQ00D,UACRn7D,EHhJT,SAAkB+iD,EAASt8C,GACzC,MAAM,aACLy+E,EAAY,SACZl5D,EAAQ,QACRluB,EAAO,aACPqnF,EAAe,CAAC9oF,WAAY41B,eACzBxrB,EAEJ,IAAI2+E,EAEJ,MA0DMC,EA1DiB,IAAI9iF,SAAQ,CAACC,EAASC,KAC5C,GAA4B,iBAAjByiF,GAAyD,IAA5B57D,KAAKg8D,KAAKJ,GACjD,MAAM,IAAIrvF,UAAU,4DAA4DqvF,OAGjF,GAAIz+E,EAAQw8B,OAAQ,CACnB,MAAM,OAACA,GAAUx8B,EACbw8B,EAAO7c,SACV3jB,EAAOkhF,EAAiB1gD,IAGzBA,EAAOpf,iBAAiB,SAAS,KAChCphB,EAAOkhF,EAAiB1gD,GAAQ,GAElC,CAEA,GAAIiiD,IAAiBx0E,OAAO6zE,kBAE3B,YADAxhC,EAAQj4C,KAAKtI,EAASC,GAKvB,MAAM8iF,EAAe,IAAIjC,EAEzB8B,EAAQD,EAAa9oF,WAAW1F,UAAKsB,GAAW,KAC/C,GAAI+zB,EACH,IACCxpB,EAAQwpB,IACT,CAAE,MAAOvxB,GACRgI,EAAOhI,EACR,KAK6B,mBAAnBsoD,EAAQxwB,QAClBwwB,EAAQxwB,UAGO,IAAZz0B,EACH0E,IACU1E,aAAmBL,MAC7BgF,EAAO3E,IAEPynF,EAAaznF,QAAUA,GAAW,2BAA2BonF,iBAC7DziF,EAAO8iF,GACR,GACEL,GAEH,WACC,IACC1iF,QAAcugD,EACf,CAAE,MAAOtoD,GACRgI,EAAOhI,EACR,CACA,EAND,EAMI,IAGoCwyD,SAAQ,KAChDo4B,EAAkB/yD,OAAO,IAQ1B,OALA+yD,EAAkB/yD,MAAQ,KACzB6yD,EAAalzD,aAAat7B,UAAKsB,EAAWmtF,GAC1CA,OAAQntF,CAAS,EAGXotF,CACR,CGkEoCG,CAASjjF,QAAQC,QAAQxC,GAAY,CAAEklF,aAAcz+E,EAAQ00D,WAEzE10D,EAAQw8B,SACRjjC,EAAYuC,QAAQsrD,KAAK,CAAC7tD,EAAWvK,MAAK,EAAcgR,EAAQw8B,WAEpE,MAAMzlC,QAAewC,EACrBwC,EAAQhF,GACR/H,KAAK8B,KAAK,YAAaiG,EAC3B,CACA,MAAO/C,GACH,GAAIA,aAAiB6oF,IAAiB78E,EAAQk+E,eAE1C,YADAniF,IAGJC,EAAOhI,GACPhF,KAAK8B,KAAK,QAASkD,EACvB,CACA,QACIhF,MAAK,GACT,IACDgR,GACHhR,KAAK8B,KAAK,OACV9B,MAAK,GAAoB,GAEjC,CACA,YAAMgwF,CAAOC,EAAWj/E,GACpB,OAAOlE,QAAQi8B,IAAIknD,EAAU/gF,KAAIlD,MAAOujF,GAAcvvF,KAAK6T,IAAI07E,EAAWv+E,KAC9E,CAIA,KAAAkhC,GACI,OAAKlyC,MAAK,GAGVA,MAAK,GAAY,EACjBA,MAAK,IACEA,MAJIA,IAKf,CAIA,KAAAiyC,GACIjyC,MAAK,GAAY,CACrB,CAIA,KAAA68B,GACI78B,MAAK,EAAS,IAAIA,MAAK,CAC3B,CAMA,aAAMkwF,GAEuB,IAArBlwF,MAAK,EAAO0P,YAGV1P,MAAK,EAAS,QACxB,CAQA,oBAAMmwF,CAAeC,GAEbpwF,MAAK,EAAO0P,KAAO0gF,SAGjBpwF,MAAK,EAAS,QAAQ,IAAMA,MAAK,EAAO0P,KAAO0gF,GACzD,CAMA,YAAMC,GAEoB,IAAlBrwF,MAAK,GAAuC,IAArBA,MAAK,EAAO0P,YAGjC1P,MAAK,EAAS,OACxB,CACA,OAAM,CAASG,EAAO8O,GAClB,OAAO,IAAInC,SAAQC,IACf,MAAM1M,EAAW,KACT4O,IAAWA,MAGfjP,KAAK6C,IAAI1C,EAAOE,GAChB0M,IAAS,EAEb/M,KAAK2C,GAAGxC,EAAOE,EAAS,GAEhC,CAIA,QAAIqP,GACA,OAAO1P,MAAK,EAAO0P,IACvB,CAMA,MAAA4gF,CAAOt/E,GAEH,OAAOhR,MAAK,EAAOiP,OAAO+B,GAAStP,MACvC,CAIA,WAAIuwB,GACA,OAAOjyB,MAAK,CAChB,CAIA,YAAIuwF,GACA,OAAOvwF,MAAK,CAChB,kHCjSJ,MAAMwwF,EAAIxkF,eAAe7G,EAAG0vD,EAAG72B,EAAGjI,EAAI,SACnCv0B,OAAI,EAAQ+B,EAAI,CAAC,GAClB,IAAI9B,EACJ,OAA2BA,EAApBozD,aAAa5tD,KAAW4tD,QAAcA,IAAKrzD,IAAM+B,EAAE88C,YAAc7+C,GAAI+B,EAAE,kBAAoBA,EAAE,gBAAkB,kCAAmC,IAAE2oC,QAAQ,CACjKD,OAAQ,MACR5nC,IAAKc,EACL+E,KAAMzI,EACN+rC,OAAQxP,EACRyyD,iBAAkB16D,EAClB4V,QAASpoC,GAEb,EAAGmtF,EAAI,SAASvrF,EAAG0vD,EAAG72B,GACpB,OAAa,IAAN62B,GAAW1vD,EAAEuK,MAAQsuB,EAAIlxB,QAAQC,QAAQ,IAAI9F,KAAK,CAAC9B,GAAI,CAAE6B,KAAM7B,EAAE6B,MAAQ,8BAAiC8F,QAAQC,QAAQ,IAAI9F,KAAK,CAAC9B,EAAEhE,MAAM0zD,EAAGA,EAAI72B,IAAK,CAAEh3B,KAAM,6BACzK,EAOGkT,EAAI,SAAS/U,OAAI,GAClB,MAAM0vD,EAAIjxD,OAAOu7C,IAAIwxC,WAAWzjF,OAAO0jF,eACvC,GAAI/7B,GAAK,EACP,OAAO,EACT,IAAK55C,OAAO45C,GACV,OAAO,SACT,MAAM72B,EAAInK,KAAKD,IAAI3Y,OAAO45C,GAAI,SAC9B,YAAa,IAAN1vD,EAAe64B,EAAInK,KAAKD,IAAIoK,EAAGnK,KAAK+zB,KAAKziD,EAAI,KACtD,EACA,IAAI4Y,EAAoB,CAAE5Y,IAAOA,EAAEA,EAAE0rF,YAAc,GAAK,cAAe1rF,EAAEA,EAAE2rF,UAAY,GAAK,YAAa3rF,EAAEA,EAAE4rF,WAAa,GAAK,aAAc5rF,EAAEA,EAAE6rF,SAAW,GAAK,WAAY7rF,EAAEA,EAAE8rF,UAAY,GAAK,YAAa9rF,EAAEA,EAAEknD,OAAS,GAAK,SAAUlnD,GAAnN,CAAuN4Y,GAAK,CAAC,GACrP,IAAI28C,EAAK,MACPw2B,QACAC,MACAC,WACAC,QACAC,MACAC,UAAY,EACZC,WAAa,EACbC,QAAU,EACVC,YACAC,UAAY,KACZ,WAAAj8D,CAAYm/B,EAAG72B,GAAI,EAAIjI,EAAGv0B,GACxB,MAAM+B,EAAIswB,KAAKiM,IAAI5lB,IAAM,EAAI2Z,KAAK+zB,KAAK7xB,EAAI7b,KAAO,EAAG,KACrDla,KAAKkxF,QAAUr8B,EAAG70D,KAAKoxF,WAAapzD,GAAK9jB,IAAM,GAAK3W,EAAI,EAAGvD,KAAKqxF,QAAUrxF,KAAKoxF,WAAa7tF,EAAI,EAAGvD,KAAKsxF,MAAQv7D,EAAG/1B,KAAKmxF,MAAQ3vF,EAAGxB,KAAK0xF,YAAc,IAAIzkD,eAC5J,CACA,UAAI9oB,GACF,OAAOnkB,KAAKkxF,OACd,CACA,QAAI/jF,GACF,OAAOnN,KAAKmxF,KACd,CACA,aAAIS,GACF,OAAO5xF,KAAKoxF,UACd,CACA,UAAIS,GACF,OAAO7xF,KAAKqxF,OACd,CACA,QAAI3hF,GACF,OAAO1P,KAAKsxF,KACd,CACA,aAAIQ,GACF,OAAO9xF,KAAKwxF,UACd,CACA,YAAI3sF,CAASgwD,GACX70D,KAAK2xF,UAAY98B,CACnB,CACA,YAAIhwD,GACF,OAAO7E,KAAK2xF,SACd,CACA,YAAII,GACF,OAAO/xF,KAAKuxF,SACd,CAIA,YAAIQ,CAASl9B,GACX,GAAIA,GAAK70D,KAAKsxF,MAEZ,OADAtxF,KAAKyxF,QAAUzxF,KAAKoxF,WAAa,EAAI,OAAGpxF,KAAKuxF,UAAYvxF,KAAKsxF,OAGhEtxF,KAAKyxF,QAAU,EAAGzxF,KAAKuxF,UAAY18B,EAAuB,IAApB70D,KAAKwxF,aAAqBxxF,KAAKwxF,YAAa,IAAqB//E,MAAQ6yC,UACjH,CACA,UAAIl/C,GACF,OAAOpF,KAAKyxF,OACd,CAIA,UAAIrsF,CAAOyvD,GACT70D,KAAKyxF,QAAU58B,CACjB,CAIA,UAAIrnB,GACF,OAAOxtC,KAAK0xF,YAAYlkD,MAC1B,CAIA,MAAA1Q,GACE98B,KAAK0xF,YAAYj+D,QAASzzB,KAAKyxF,QAAU,CAC3C,GAuBF,MAA8GvtB,EAAtF,QAAZ/+D,GAAyG,YAAtF,UAAIu2B,OAAO,YAAYE,SAAU,UAAIF,OAAO,YAAY6iD,OAAOp5E,EAAEs8B,KAAK7F,QAA1F,IAACz2B,EACR6sF,EAAoB,CAAE7sF,IAAOA,EAAEA,EAAE8sF,KAAO,GAAK,OAAQ9sF,EAAEA,EAAE2rF,UAAY,GAAK,YAAa3rF,EAAEA,EAAE+sF,OAAS,GAAK,SAAU/sF,GAA/F,CAAmG6sF,GAAK,CAAC,GACjI,MAAMtS,EAEJyS,mBACAC,UAEAC,aAAe,GACfC,UAAY,IAAI,EAAE,CAAE7nD,YAAa,IACjC8nD,WAAa,EACbC,eAAiB,EACjBC,aAAe,EACfC,WAAa,GAOb,WAAAh9D,CAAYm/B,GAAI,EAAI72B,GAClB,GAAIh+B,KAAKoyF,UAAYv9B,GAAI72B,EAAG,CAC1B,MAAMjI,GAAI,WAAK0L,IAAKjgC,GAAI,QAAE,aAAau0B,KACvC,IAAKA,EACH,MAAM,IAAI/tB,MAAM,yBAClBg2B,EAAI,IAAI,KAAE,CACRp0B,GAAI,EACJ2iC,MAAOxW,EACPqP,YAAa,KAAEwF,IACfzF,KAAM,UAAUpP,IAChB5R,OAAQ3iB,GAEZ,CACAxB,KAAKgqC,YAAchM,EAAGkmC,EAAEvgC,MAAM,+BAAgC,CAC5DqG,YAAahqC,KAAKgqC,YAClB7E,KAAMnlC,KAAKmlC,KACXwtD,SAAU99B,EACV+9B,cAAe14E,KAEnB,CAIA,eAAI8vB,GACF,OAAOhqC,KAAKmyF,kBACd,CAIA,eAAInoD,CAAY6qB,GACd,IAAKA,EACH,MAAM,IAAI7sD,MAAM,8BAClBk8D,EAAEvgC,MAAM,kBAAmB,CAAE8J,OAAQonB,IAAM70D,KAAKmyF,mBAAqBt9B,CACvE,CAIA,QAAI1vB,GACF,OAAOnlC,KAAKmyF,mBAAmBhuE,MACjC,CAIA,SAAImN,GACF,OAAOtxB,KAAKqyF,YACd,CACA,KAAAxqD,GACE7nC,KAAKqyF,aAAa/+E,OAAO,EAAGtT,KAAKqyF,aAAa3wF,QAAS1B,KAAKsyF,UAAUz1D,QAAS78B,KAAKuyF,WAAa,EAAGvyF,KAAKwyF,eAAiB,EAAGxyF,KAAKyyF,aAAe,CACnJ,CAIA,KAAAxgD,GACEjyC,KAAKsyF,UAAUrgD,QAASjyC,KAAKyyF,aAAe,CAC9C,CAIA,KAAAvgD,GACElyC,KAAKsyF,UAAUpgD,QAASlyC,KAAKyyF,aAAe,EAAGzyF,KAAK6yF,aACtD,CAIA,QAAIngF,GACF,MAAO,CACLhD,KAAM1P,KAAKuyF,WACXztB,SAAU9kE,KAAKwyF,eACfptF,OAAQpF,KAAKyyF,aAEjB,CACA,WAAAI,GACE,MAAMh+B,EAAI70D,KAAKqyF,aAAanjF,KAAK6mB,GAAMA,EAAErmB,OAAMzF,QAAO,CAAC8rB,EAAGv0B,IAAMu0B,EAAIv0B,GAAG,GAAIw8B,EAAIh+B,KAAKqyF,aAAanjF,KAAK6mB,GAAMA,EAAEg8D,WAAU9nF,QAAO,CAAC8rB,EAAGv0B,IAAMu0B,EAAIv0B,GAAG,GAChJxB,KAAKuyF,WAAa19B,EAAG70D,KAAKwyF,eAAiBx0D,EAAyB,IAAtBh+B,KAAKyyF,eAAuBzyF,KAAKyyF,aAAezyF,KAAKsyF,UAAU5iF,KAAO,EAAI,EAAI,EAC9H,CACA,WAAAojF,CAAYj+B,GACV70D,KAAK0yF,WAAWlyF,KAAKq0D,EACvB,CAOA,MAAA7iB,CAAO6iB,EAAG72B,EAAGjI,GACX,MAAMv0B,EAAI,GAAGu0B,GAAK/1B,KAAKmlC,QAAQ0vB,EAAE5sD,QAAQ,MAAO,OAAS1B,OAAQhD,GAAM,IAAImD,IAAIlF,GAAIC,EAAI8B,GAAI,QAAE/B,EAAEL,MAAMoC,EAAE7B,SACvGwiE,EAAEvgC,MAAM,aAAa3F,EAAEh9B,WAAWS,KAClC,MAAMszD,EAAI76C,EAAE8jB,EAAEtuB,MAAO6mE,EAAU,IAANxhB,GAAW/2B,EAAEtuB,KAAOqlD,GAAK/0D,KAAKoyF,UAAWjsF,EAAI,IAAIu0D,EAAGl5D,GAAI+0E,EAAGv4C,EAAEtuB,KAAMsuB,GAC5F,OAAOh+B,KAAKqyF,aAAa7xF,KAAK2F,GAAInG,KAAK6yF,cAAe,IAAI,GAAE7mF,MAAO06E,EAAGviB,EAAG6e,KACvE,GAAIA,EAAE78E,EAAE22B,QAASy5C,EAAG,CAClBrS,EAAEvgC,MAAM,8BAA+B,CAAEx2B,KAAM6wB,EAAGgU,OAAQ7rC,IAC1D,MAAM6Q,QAAU05E,EAAE1yD,EAAG,EAAG73B,EAAEuJ,MAAOwwE,EAAIl0E,UACnC,IACE7F,EAAEtB,eAAiB2rF,EACjB/uF,EACAuV,EACA7Q,EAAEqnC,QACDloB,IACCnf,EAAE4rF,SAAW5rF,EAAE4rF,SAAWzsE,EAAEytE,MAAO/yF,KAAK6yF,aAAa,QAEvD,EACA,CACE,aAAc70D,EAAEwK,aAAe,IAC/B,eAAgBxK,EAAEh3B,OAEnBb,EAAE4rF,SAAW5rF,EAAEuJ,KAAM1P,KAAK6yF,cAAe3uB,EAAEvgC,MAAM,yBAAyB3F,EAAEh9B,OAAQ,CAAEmM,KAAM6wB,EAAGgU,OAAQ7rC,IAAMugF,EAAEvgF,EACpH,CAAE,MAAOmf,GACP,GAAIA,aAAa,KAEf,OADAnf,EAAEf,OAAS2Y,EAAEsuC,YAAQ8X,EAAE,6BAGzB7+C,GAAGzgB,WAAasB,EAAEtB,SAAWygB,EAAEzgB,UAAWsB,EAAEf,OAAS2Y,EAAEsuC,OAAQ6X,EAAEl/D,MAAM,oBAAoBg5B,EAAEh9B,OAAQ,CAAEgE,MAAOsgB,EAAGnY,KAAM6wB,EAAGgU,OAAQ7rC,IAAMg+D,EAAE,4BAC5I,CACAnkE,KAAK0yF,WAAWrkF,SAASiX,IACvB,IACEA,EAAEnf,EACJ,CAAE,MACF,IACA,EAEJnG,KAAKsyF,UAAUz+E,IAAIqsE,GAAIlgF,KAAK6yF,aAC9B,KAAO,CACL3uB,EAAEvgC,MAAM,8BAA+B,CAAEx2B,KAAM6wB,EAAGgU,OAAQ7rC,IAC1D,MAAM6Q,QA9PNhL,eAAe7G,GACrB,MAAiJ3D,EAAI,IAA3I,QAAE,gBAAe,WAAKigC,0BAA+B,IAAI7/B,MAAM,KAAKsN,KAAI,IAAM2kB,KAAKg0B,MAAsB,GAAhBh0B,KAAKu0B,UAAe5kD,SAAS,MAAKsV,KAAK,MAAwBvV,EAAI4B,EAAI,CAAEk7C,YAAal7C,QAAM,EAC/L,aAAa,IAAE+mC,QAAQ,CACrBD,OAAQ,QACR5nC,IAAK7C,EACLmqC,QAASpoC,IACP/B,CACN,CAuPwBwxF,CAAGvxF,GAAIy+E,EAAI,GAC3B,IAAK,IAAI56D,EAAI,EAAGA,EAAInf,EAAE0rF,OAAQvsE,IAAK,CACjC,MAAM29D,EAAI39D,EAAIyvC,EAAGqsB,EAAIvtD,KAAKiM,IAAImjD,EAAIluB,EAAG5uD,EAAEuJ,MAAOwvE,EAAI,IAAMwR,EAAE1yD,EAAGilD,EAAGluB,GAAIqtB,EAAI,IAAMoO,EAC5E,GAAGx5E,KAAKsO,EAAI,IACZ45D,EACA/4E,EAAEqnC,QACF,IAAMxtC,KAAK6yF,eACXpxF,EACA,CACE,aAAcu8B,EAAEwK,aAAe,IAC/B,kBAAmBxK,EAAEtuB,KACrB,eAAgB,6BAElB2F,MAAK,KACLlP,EAAE4rF,SAAW5rF,EAAE4rF,SAAWh9B,CAAC,IAC1Bp/C,OAAO0L,IACR,MAA8B,MAAxBA,GAAGxc,UAAUO,QAAkB8+D,EAAEl/D,MAAM,mGAAoG,CAAEA,MAAOqc,EAAG2wB,OAAQ7rC,IAAMA,EAAE22B,SAAU32B,EAAEf,OAAS2Y,EAAEsuC,OAAQhrC,IAAMA,aAAa,OAAM6iD,EAAEl/D,MAAM,SAASsgB,EAAI,KAAK29D,OAAO7B,qBAAsB,CAAEp8E,MAAOqc,EAAG2wB,OAAQ7rC,IAAMA,EAAE22B,SAAU32B,EAAEf,OAAS2Y,EAAEsuC,QAAShrC,EAAE,IAE5V6+D,EAAE1/E,KAAKR,KAAKsyF,UAAUz+E,IAAIuuE,GAC5B,CACA,UACQt1E,QAAQi8B,IAAIm3C,GAAIlgF,KAAK6yF,cAAe1sF,EAAEtB,eAAiB,IAAEqnC,QAAQ,CACrED,OAAQ,OACR5nC,IAAK,GAAG2S,UACR20B,QAAS,CACP,aAAc3N,EAAEwK,aAAe,IAC/B,kBAAmBxK,EAAEtuB,KACrB2wC,YAAa5+C,KAEbzB,KAAK6yF,cAAe1sF,EAAEf,OAAS2Y,EAAEizE,SAAU9sB,EAAEvgC,MAAM,yBAAyB3F,EAAEh9B,OAAQ,CAAEmM,KAAM6wB,EAAGgU,OAAQ7rC,IAAMugF,EAAEvgF,EACvH,CAAE,MAAOmf,GACPA,aAAa,MAAKnf,EAAEf,OAAS2Y,EAAEsuC,OAAQ8X,EAAE,+BAAiCh+D,EAAEf,OAAS2Y,EAAEsuC,OAAQ8X,EAAE,0CAA2C,IAAEj4B,QAAQ,CACpJD,OAAQ,SACR5nC,IAAK,GAAG2S,KAEZ,CACAhX,KAAK0yF,WAAWrkF,SAASiX,IACvB,IACEA,EAAEnf,EACJ,CAAE,MACF,IAEJ,CACA,OAAOnG,KAAKsyF,UAAUjC,SAASh7E,MAAK,IAAMrV,KAAK6nC,UAAU1hC,CAAC,GAE9D,EAEF,SAAS+oB,EAAE/pB,EAAG0vD,EAAG72B,EAAGjI,EAAGv0B,EAAG+B,EAAG9B,EAAGszD,GAC9B,IAEI5uD,EAFAowE,EAAgB,mBAALpxE,EAAkBA,EAAE6L,QAAU7L,EAG7C,GAFA0vD,IAAM0hB,EAAEt1D,OAAS4zC,EAAG0hB,EAAE0c,gBAAkBj1D,EAAGu4C,EAAE2c,WAAY,GAAKn9D,IAAMwgD,EAAEz1D,YAAa,GAAKvd,IAAMgzE,EAAE4c,SAAW,UAAY5vF,GAEnH9B,GAAK0E,EAAI,SAASg+D,KACpBA,EAAIA,GACJnkE,KAAK8hB,QAAU9hB,KAAK8hB,OAAOsxE,YAC3BpzF,KAAK2f,QAAU3f,KAAK2f,OAAOmC,QAAU9hB,KAAK2f,OAAOmC,OAAOsxE,oBAAyBC,oBAAsB,MAAQlvB,EAAIkvB,qBAAsB7xF,GAAKA,EAAEN,KAAKlB,KAAMmkE,GAAIA,GAAKA,EAAEmvB,uBAAyBnvB,EAAEmvB,sBAAsBz/E,IAAIpS,EAC7N,EAAG80E,EAAEgd,aAAeptF,GAAK3E,IAAM2E,EAAI4uD,EAAI,WACrCvzD,EAAEN,KACAlB,MACCu2E,EAAEz1D,WAAa9gB,KAAK2f,OAAS3f,MAAMwzF,MAAM96D,SAAS+6D,WAEvD,EAAIjyF,GAAI2E,EACN,GAAIowE,EAAEz1D,WAAY,CAChBy1D,EAAEmd,cAAgBvtF,EAClB,IAAIg0D,EAAIoc,EAAEt1D,OACVs1D,EAAEt1D,OAAS,SAAS+hE,EAAGhsE,GACrB,OAAO7Q,EAAEjF,KAAK8V,GAAImjD,EAAE6oB,EAAGhsE,EACzB,CACF,KAAO,CACL,IAAI0vE,EAAInQ,EAAE19C,aACV09C,EAAE19C,aAAe6tD,EAAI,GAAGrlF,OAAOqlF,EAAGvgF,GAAK,CAACA,EAC1C,CACF,MAAO,CACLnD,QAASmC,EACT6L,QAASulE,EAEb,CAiCA,MAAMod,EAV2BzkE,EAtBtB,CACTluB,KAAM,aACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,OAIN,WACP,IAAI6zC,EAAI70D,KAAMg+B,EAAI62B,EAAE36B,MAAMD,GAC1B,OAAO+D,EAAE,OAAQ62B,EAAE16B,GAAG,CAAEC,YAAa,mCAAoClX,MAAO,CAAE,eAAe2xC,EAAEvtD,OAAQ,KAAW,aAAcutD,EAAEvtD,MAAOg3C,KAAM,OAAS37C,GAAI,CAAE0C,MAAO,SAAS0wB,GAChL,OAAO8+B,EAAEv6B,MAAM,QAASvE,EAC1B,IAAO,OAAQ8+B,EAAEt6B,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAE0wE,KAAM/+B,EAAE96B,UAAWiZ,MAAO6hB,EAAEnlD,KAAM87C,OAAQqJ,EAAEnlD,KAAMmkF,QAAS,cAAiB,CAAC71D,EAAE,OAAQ,CAAE9a,MAAO,CAAEihD,EAAG,2OAA8O,CAACtP,EAAEvtD,MAAQ02B,EAAE,QAAS,CAAC62B,EAAEr6B,GAAGq6B,EAAEnnD,GAAGmnD,EAAEvtD,UAAYutD,EAAEv+C,UACne,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAgCR8wF,GAV2B5kE,EAtBL,CAC1BluB,KAAM,WACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,OAIN,WACP,IAAI6zC,EAAI70D,KAAMg+B,EAAI62B,EAAE36B,MAAMD,GAC1B,OAAO+D,EAAE,OAAQ62B,EAAE16B,GAAG,CAAEC,YAAa,iCAAkClX,MAAO,CAAE,eAAe2xC,EAAEvtD,OAAQ,KAAW,aAAcutD,EAAEvtD,MAAOg3C,KAAM,OAAS37C,GAAI,CAAE0C,MAAO,SAAS0wB,GAC9K,OAAO8+B,EAAEv6B,MAAM,QAASvE,EAC1B,IAAO,OAAQ8+B,EAAEt6B,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAE0wE,KAAM/+B,EAAE96B,UAAWiZ,MAAO6hB,EAAEnlD,KAAM87C,OAAQqJ,EAAEnlD,KAAMmkF,QAAS,cAAiB,CAAC71D,EAAE,OAAQ,CAAE9a,MAAO,CAAEihD,EAAG,8CAAiD,CAACtP,EAAEvtD,MAAQ02B,EAAE,QAAS,CAAC62B,EAAEr6B,GAAGq6B,EAAEnnD,GAAGmnD,EAAEvtD,UAAYutD,EAAEv+C,UACtS,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAgCR+wF,GAV2B7kE,EAtBL,CAC1BluB,KAAM,aACN84B,MAAO,CAAC,SACR/Y,MAAO,CACLzZ,MAAO,CACLN,KAAME,QAER6yB,UAAW,CACT/yB,KAAME,OACN8Z,QAAS,gBAEXtR,KAAM,CACJ1I,KAAMiU,OACN+F,QAAS,OAIN,WACP,IAAI6zC,EAAI70D,KAAMg+B,EAAI62B,EAAE36B,MAAMD,GAC1B,OAAO+D,EAAE,OAAQ62B,EAAE16B,GAAG,CAAEC,YAAa,mCAAoClX,MAAO,CAAE,eAAe2xC,EAAEvtD,OAAQ,KAAW,aAAcutD,EAAEvtD,MAAOg3C,KAAM,OAAS37C,GAAI,CAAE0C,MAAO,SAAS0wB,GAChL,OAAO8+B,EAAEv6B,MAAM,QAASvE,EAC1B,IAAO,OAAQ8+B,EAAEt6B,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAE0wE,KAAM/+B,EAAE96B,UAAWiZ,MAAO6hB,EAAEnlD,KAAM87C,OAAQqJ,EAAEnlD,KAAMmkF,QAAS,cAAiB,CAAC71D,EAAE,OAAQ,CAAE9a,MAAO,CAAEihD,EAAG,mDAAsD,CAACtP,EAAEvtD,MAAQ02B,EAAE,QAAS,CAAC62B,EAAEr6B,GAAGq6B,EAAEnnD,GAAGmnD,EAAEvtD,UAAYutD,EAAEv+C,UAC3S,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAuBRm/E,IAAI,SAAK6R,eACf,CAAC,CAAEC,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGhWC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,kCAAmC,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,mHAAqHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2EAI9+BC,OAAQ,CAAC,0TAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,qBAAsB,qBAAsB,yBAA0B,qBAAsB,wBAAyB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,oCAAqC,oCAAqC,wCAAyC,oCAAqC,uCAAwC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,UAAY,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,6BAA+BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,UAAY,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,gGAAkG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,8BAAgCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,kBAAoB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,6BAA+B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8BAAgC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,oBAAqB,oBAAqB,oBAAqB,oBAAqB,oBAAqB,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,cAAgB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,kBAAoB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,qEAAuE,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,wCAA0C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+DAAqE,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,qHAAuHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG73HC,OAAQ,CAAC,wUAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,MAAO,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uDAGl6BC,OAAQ,CAAC,6OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,8BAA+B,iCAAmC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,2CAA4C,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,6BAA+B,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,WAAa,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,+FAAiG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,qDAAuDO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,2BAA6B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,0CAA4C,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,sCAAwC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,4BAA8B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,kBAAoB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,kCAAoC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,gFAAsF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,oEAAqE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oEAGjrGC,OAAQ,CAAC,2PAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,uBAAyBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,eAAiB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,mEAAoE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGroCC,OAAQ,CAAC,4WAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz6BC,OAAQ,CAAC,kPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz6BC,OAAQ,CAAC,kPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,mUAAqUC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGrrCC,OAAQ,CAAC,igBAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG79BC,OAAQ,CAAC,ySAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qHAI/6BC,OAAQ,CAAC,2PAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,sBAAwBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gHAAkHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mEAG1mCC,OAAQ,CAAC,oUAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oBAAsB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,0CAA2C,gBAAiB,kFAAmF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gHAAkHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mFAIpiCC,OAAQ,CAAC,qVAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,yBAA0B,yBAA0B,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,qCAAsC,qCAAsC,uCAAyC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oBAAsB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,WAAa,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,iFAAmF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kCAAoCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,wCAA0C,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,qCAAuC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,yBAA0B,4BAA6B,4BAA6B,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,6FAA+F,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2FAAiG,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,6EAA+EC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGtyHC,OAAQ,CAAC,iSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,wCAAyC,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iFAIj6BC,OAAQ,CAAC,6OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,uBAAwB,6BAA+B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,mCAAoC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,4BAA8BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,aAAe,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,YAAc,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,yBAA2B,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6FAA+F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,oCAAsCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,+BAAiC,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qBAAuB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,iCAAmC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,wBAAyB,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,sBAAwB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,+FAAiG,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,sEAA4E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wFAInjHC,OAAQ,CAAC,oPAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,sCAAuC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mCAAqC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,mCAAqC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,mGAAqG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,QAAU,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,iBAAmB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qCAAuC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,uCAAyC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,2BAA4B,iCAAmC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,+BAAiC,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,wHAA0H,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,iFAAuF,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wFAI3rHC,OAAQ,CAAC,oQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,sCAAuC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,kCAAoC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,mCAAqC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,oGAAsG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,QAAU,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,iBAAmB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qCAAuC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,uCAAyC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,6BAA8B,iCAAmC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,+BAAiC,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,wHAA0H,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,mFAAyF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mCAGlpHC,OAAQ,CAAC,oNAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,qCAAuC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,gCAAkCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,4BAAkC,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/iCC,OAAQ,CAAC,4OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,oFAAqF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2GAI77BC,OAAQ,CAAC,sQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,wBAAyB,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,gBAAkB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,uBAAyBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,QAAU,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,mBAAqBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,+BAAiC,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,kBAAoB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8BAAgC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,iBAAkB,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,0EAAgF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG17FC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uLAMz7BC,OAAQ,CAAC,qQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,+BAAgC,gCAAiC,kCAAoC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,4CAA6C,6CAA8C,+CAAiD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,4FAA8F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,6CAA+CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,yBAA2B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,mDAAqD,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8CAAgD,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,0CAA4C,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,0BAA2B,4BAA8B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,0BAA4B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,mCAAqC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8EAAoF,CAAER,OAAQ,SAAUC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oFAAqF,eAAgB,4BAA6ByoD,SAAU,SAAU,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGv1GC,OAAQ,CAAC,8RAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2CAG9jCC,OAAQ,CAAC,uRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGvjCC,OAAQ,CAAC,oRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG98BC,OAAQ,CAAC,uRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGh9BC,OAAQ,CAAC,yRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,wFAAyF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx9BC,OAAQ,CAAC,iSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG78BC,OAAQ,CAAC,sRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/8BC,OAAQ,CAAC,wRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG98BC,OAAQ,CAAC,uRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yEAI58BC,OAAQ,CAAC,qRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGpkCC,OAAQ,CAAC,wRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG58BC,OAAQ,CAAC,qRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG18BC,OAAQ,CAAC,mRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj9BC,OAAQ,CAAC,0RAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG98BC,OAAQ,CAAC,uRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj9BC,OAAQ,CAAC,0RAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG78BC,OAAQ,CAAC,sRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,8EAA+E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oDAIj6BC,OAAQ,CAAC,0OAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,uBAAyBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,SAAW,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,kCAAoCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uEAG9hCC,OAAQ,CAAC,yPAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oCAAsC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,uCAAyCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2CAGvhCC,OAAQ,CAAC,6NAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,yBAA2B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,eAAiB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,eAAiB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,iCAAmC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,0BAA4BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,6CAA8C,gBAAiB,6EAA8E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,gEAGniCC,OAAQ,CAAC,mQAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,0BAAgC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGjhCC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,qBAAsB,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oFAKj8BC,OAAQ,CAAC,6QAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,6BAA8B,8BAA+B,gCAAkC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,4CAA6C,6CAA8C,+CAAiD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,gCAAkCK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,YAAc,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,0FAA4F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kDAAoDO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,YAAc,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,qBAAuBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,aAAe,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,sBAAwB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,2CAA6C,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,6CAA+C,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4CAA8C,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,qBAAsB,2BAA4B,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,gCAAkC,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,kCAAoC,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,qHAAuH,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8CAAgD,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,uFAA6F,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,6FAA+FC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG52HC,OAAQ,CAAC,qSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,iEAAkE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0JAK56BC,OAAQ,CAAC,wPAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,gCAAiC,mCAAqC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,6CAA8C,gDAAkD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,oBAAsBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6FAA+F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,4CAA8CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,0BAA4B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,wCAA0C,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,8CAAgD,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yCAA2C,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,oBAAsB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,sBAAwB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,mCAAqC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kFAAwF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,8HAAgIC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1vGC,OAAQ,CAAC,4TAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGl6BC,OAAQ,CAAC,2OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,wGAA0GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG59BC,OAAQ,CAAC,wSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,uEAAwE,eAAgB,4BAA6ByoD,SAAU,MAAO,eAAgB,oFAAsFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGh9BC,OAAQ,CAAC,2RAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGr5BC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mFAIj6BC,OAAQ,CAAC,0OAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,4BAA8BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,cAAgB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,6BAA+B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,0BAAgC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/gCC,OAAQ,CAAC,gOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oEAAqE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGv5BC,OAAQ,CAAC,mOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,mEAAoE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,+HAK15BC,OAAQ,CAAC,sOAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,kFAAoF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,+CAAiDO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,qBAAuB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,8BAAgC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,gCAAkC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,2BAA6B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,wBAA0B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8CAAgD,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8FAAoG,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGh8FC,OAAQ,CAAC,qNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,sDAAwDC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4DAG37BC,OAAQ,CAAC,uQAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,gBAAkB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,+FAAiG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,0CAA4CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,cAAgBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,qBAAuB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,mBAAqB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,qCAAuC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,sBAAuB,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,0CAA4C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2FAAiG,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,iBAAkB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kGAK9iGC,OAAQ,CAAC,8PAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,4BAA6B,4BAA6B,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,yCAA0C,yCAA0C,2CAA6C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,2FAA6F,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,gCAAkCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,mBAAqBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,uBAAyB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,+BAAiC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,qCAAuC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,oBAAqB,qBAAsB,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,2BAA6B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,2BAA6B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,+BAAiC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,yEAA+E,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1qGC,OAAQ,CAAC,oRAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,aAAc,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2CAIl5BC,OAAQ,CAAC,2NAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,iBAAmB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAaE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,8BAAgCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG17BC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,8BAAgCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGr6BC,OAAQ,CAAC,8OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,MAAO,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mCAG54BC,OAAQ,CAAC,uNAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oCAAsC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,wBAA0B,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,QAAU,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,iBAAmB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAA4B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,8BAAgCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGpgCC,OAAQ,CAAC,4NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG14BC,OAAQ,CAAC,sNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGl5BC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uGAKt4BC,OAAQ,CAAC,kNAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,sBAAwB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,kCAAoC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iBAAmB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAW,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,WAAaM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,aAAe,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,2CAA6C,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kBAAoBO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,WAAa,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,SAAWE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,UAAY,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,aAAe,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,eAAiB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,eAAiB,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,qBAAuB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,eAAiB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,WAAa,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,YAAc,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qBAAuB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,6CAAmD,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGxrFC,OAAQ,CAAC,6NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sEAAuE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz5BC,OAAQ,CAAC,qOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4DAA6D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx4BC,OAAQ,CAAC,oNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,mKAAqKC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9iCC,OAAQ,CAAC,uXAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,mEAAqEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGt7BC,OAAQ,CAAC,kQAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,8CAA+C,gBAAiB,mEAAoE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,8DAAgEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iEAGz8BC,OAAQ,CAAC,qRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oCAAsC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,6BAAmC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,6CAGrhCC,OAAQ,CAAC,kOAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,mCAAqCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGhgCC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG95BC,OAAQ,CAAC,uOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG54BC,OAAQ,CAAC,wNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,qFAAsF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAI56BC,OAAQ,CAAC,qPAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,wBAAyB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,sCAAwC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,+BAAiCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,sBAAwB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,cAAgB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,iCAAmC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,iBAAkB,4BAA8B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,mBAAqB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,0BAA4B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,iCAAmC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kEAAwE,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9gGC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,uCAAwC,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0DAG/5BC,OAAQ,CAAC,2OAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,qCAAuCE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,eAAiB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGlhCC,OAAQ,CAAC,yOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sFAAuF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/6BC,OAAQ,CAAC,wPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG95BC,OAAQ,CAAC,0OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,kLAAoLC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4GAK3hCC,OAAQ,CAAC,uWAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,mBAAoB,4BAA6B,4BAA6B,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,uCAAwC,2CAA4C,2CAA4C,6CAA+C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,+BAAiC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,wCAA0CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,eAAiB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,2BAA6B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,uCAAyC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,iCAAmC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,eAAgB,uBAAwB,uBAAwB,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,wBAA0B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,iBAAmB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,qBAAuB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,gCAAkC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+EAAqF,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9wGC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,2DAA4D,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oGAI7/BC,OAAQ,CAAC,sUAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,+BAAgC,+BAAgC,iCAAmC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,4CAA6C,4CAA6C,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,aAAe,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,qBAAuB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,kGAAoG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,4CAA8CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,sBAAwB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,sCAAwC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,2CAA6C,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,sCAAwC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,2BAA4B,2BAA4B,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA2B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,oBAAsB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,8FAAgG,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,uCAAyC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,sFAA4F,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,iFAAkF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yDAGl0HC,OAAQ,CAAC,mTAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,cAAgB,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,oBAAsB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,iEAAkE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yEAA2EC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wEAGnkCC,OAAQ,CAAC,qSAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4HAKpoCC,OAAQ,CAAC,kWAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,yBAA0B,0BAA2B,0BAA2B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,qCAAsC,sCAAuC,sCAAuC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,oFAAsF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2C,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,mBAAqB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,6BAA+B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,mCAAqC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAmB,2BAA4B,4BAA6B,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qFAA2F,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG/2GC,OAAQ,CAAC,wXAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGr5BC,OAAQ,CAAC,iOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGn5BC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGx6BC,OAAQ,CAAC,iPAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,2GAA6GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj/BC,OAAQ,CAAC,0TAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,oFAAsFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,6CAG18BC,OAAQ,CAAC,sRAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,wBAA0B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0B,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,oFAAsFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGrjCC,OAAQ,CAAC,sSAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGp5BC,OAAQ,CAAC,gOAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qFAIv9BC,OAAQ,CAAC,mSAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,wBAAyB,yBAA0B,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,oCAAqC,qCAAsC,uCAAyC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mCAAqC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,kCAAoC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,YAAc,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,yEAA2E,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,sCAAwCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,cAAgB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,mBAAqB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,qCAAuC,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,kCAAoC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,qBAAsB,yBAA0B,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAAyB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,qCAAuC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,2EAAiF,CAAER,OAAQ,WAAYC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6ByoD,SAAU,WAAY,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGlxGC,OAAQ,CAAC,6TAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,gEAIj5BC,OAAQ,CAAC,6NAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,sBAAuB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,kCAAmC,sCAAwC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,WAAa,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,+BAAiC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,sBAAwB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,kGAAoG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,gCAAkCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,WAAa,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,yBAA2B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,4BAA8B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,+BAAiC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,uBAAwB,6BAA+B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,kBAAoB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,0BAA4B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,wBAA0B,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,iFAAmF,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,iCAAmC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,wEAA8E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGngHC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGj5BC,OAAQ,CAAC,6NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGt6BC,OAAQ,CAAC,+OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGz4BC,OAAQ,CAAC,qNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,2EAA4E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uEAGx7BC,OAAQ,CAAC,iQAKR,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,gCAAkCJ,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,UAAY,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6BE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG1/BC,OAAQ,CAAC,+NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,gEAAiE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kFAIl6BC,OAAQ,CAAC,8OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,8BAA+B,gCAAkC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,mDAAoD,qDAAuD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,UAAY,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,WAAa,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,yBAA2B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,mBAAqB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,0EAA4E,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,uCAAyCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,uBAAyB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,0BAA4B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,+BAAiC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAmB,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,yBAA2B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,uBAAyB,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,mFAAqF,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,yCAA2C,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qEAA2E,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG9gHC,OAAQ,CAAC,8NAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,2CAA4C,gBAAiB,kEAAmE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,8PAAgQC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oFAIroCC,OAAQ,CAAC,idAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,2BAA4B,4BAA6B,6BAA8B,+BAAiC,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,gDAAiD,iDAAkD,kDAAmD,oDAAsD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+BK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,eAAiB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,oBAAsB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,mGAAqG,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,kCAAoCO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,wBAA0B,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,gBAAkB,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,+BAAiC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAmB,2BAA4B,4BAA6B,8BAAgC,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,qBAAuB,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,2BAA6B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAAwB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,wBAA0B,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,oFAAsF,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,wBAA0B,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,kFAAwF,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAGzyHC,OAAQ,CAAC,6OAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4CAG14BC,OAAQ,CAAC,sNAKR,0BAA2B,CAAEH,MAAO,0BAA2BG,OAAQ,CAAC,KAAO,2CAA4C,CAAEH,MAAO,2CAA4CG,OAAQ,CAAC,KAAO,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,KAAO,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,KAAOC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,KAAO,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,KAAO,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,KAAOE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,mEAAoE,eAAgB,4BAA6ByoD,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAI74BC,OAAQ,CAAC,yNAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,6BAA+B,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,sBAAwB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,gBAAkBM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,8BAAgC,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,uBAAyB,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,uFAAyF,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,yCAA2CO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,YAAc,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoBE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,kBAAoB,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,6BAA+B,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,mCAAqC,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,2BAA6B,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA0B,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAAsB,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,iBAAmB,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,8BAAgC,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,uEAA6E,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,2EAA4E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,sFAIj+FC,OAAQ,CAAC,iOAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,gBAAkB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,+BAAiC,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,eAAiB,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,QAAUE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,QAAU,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,SAAW,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,aAAe,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,cAAgB,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,SAAW,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,qBAA2B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,+EAAgF,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qFAIxiFC,OAAQ,CAAC,oOAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,kBAAoB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,SAAW,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6BAA+B,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,aAAe,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,SAAWE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,QAAU,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,SAAW,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,aAAe,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,mBAAqB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,8BAAoC,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAASxoD,QAAS,CAAE,kBAAmB,iCAAkC,gBAAiB,4EAA6E,eAAgB,4BAA6ByoD,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0EAIzjFC,OAAQ,CAAC,+OAKR,wBAAyB,CAAEH,MAAO,wBAAyBM,aAAc,yBAA0BH,OAAQ,CAAC,kBAAoB,qCAAsC,CAAEH,MAAO,qCAAsCM,aAAc,sCAAuCH,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEM,UAAW,4CAA8CJ,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWK,OAAQ,CAAER,MAAO,SAAUG,OAAQ,CAAC,OAAS,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWM,SAAU,CAAET,MAAO,WAAYG,OAAQ,CAAC,OAAS,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,WAAa,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,SAAW,qFAAsF,CAAEH,MAAO,qFAAsFG,OAAQ,CAAC,6BAA+B,6BAA8B,CAAEH,MAAO,6BAA8BG,OAAQ,CAAC,aAAeO,IAAK,CAAEV,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,QAAUE,OAAQ,CAAEL,MAAO,SAAUG,OAAQ,CAAC,QAAU,gBAAiB,CAAEH,MAAO,gBAAiBG,OAAQ,CAAC,SAAW,wBAAyB,CAAEH,MAAO,wBAAyBG,OAAQ,CAAC,aAAe,4BAA6B,CAAEH,MAAO,4BAA6BG,OAAQ,CAAC,aAAe,uBAAwB,CAAEH,MAAO,uBAAwBG,OAAQ,CAAC,YAAc,iBAAkB,CAAEH,MAAO,iBAAkBM,aAAc,qBAAsBH,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,mBAAoB,CAAEH,MAAO,mBAAoBG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,SAAW,kBAAmB,CAAEH,MAAO,kBAAmBG,OAAQ,CAAC,SAAW,iGAAkG,CAAEH,MAAO,iGAAkGG,OAAQ,CAAC,6BAA+B,mCAAoC,CAAEH,MAAO,mCAAoCG,OAAQ,CAAC,cAAgB,oEAAqE,CAAEH,MAAO,oEAAqEG,OAAQ,CAAC,+BAAoCvlF,KAAK/J,GAAMg9E,GAAE8S,eAAe9vF,EAAE8uF,OAAQ9uF,EAAE+uF,QACjrF,MAAMpV,GAAIqD,GAAEvmD,QAASs5D,GAAKpW,GAAEqW,SAAS3jF,KAAKstE,IAAIxE,GAAIwE,GAAEsW,QAAQ5jF,KAAKstE,IAAIuW,GAAK,KAAEz3E,OAAO,CACjF5c,KAAM,eACN2X,WAAY,CACVm8E,OAAQnB,EACR34C,eAAgB,IAChBC,UAAW,IACX+K,SAAU,IACVpjB,iBAAkB,IAClBzF,cAAe,IACfm4D,KAAMxB,GACNyB,OAAQxB,IAEVhzE,MAAO,CACLlU,OAAQ,CACN7F,KAAMpF,MACNof,QAAS,MAEXw0E,SAAU,CACRxuF,KAAMyV,QACNuE,SAAS,GAEXy0E,SAAU,CACRzuF,KAAMyV,QACNuE,SAAS,GAEXgpB,YAAa,CACXhjC,KAAM,KACNga,aAAS,GAKXq8D,QAAS,CACPr2E,KAAMpF,MACNof,QAAS,IAAM,IAEjBg9B,oBAAqB,CACnBh3C,KAAMpF,MACNof,QAAS,IAAM,KAGnB9W,KAAI,KACK,CACLwrF,SAAUpb,GAAE,OACZqb,YAAarb,GAAE,kBACfsb,YAAatb,GAAE,gBACfub,cAAevb,GAAE,mBACjBwb,eAAgB,wBAAwBjiE,KAAKu0B,SAAS5kD,SAAS,IAAIrC,MAAM,KACzE40F,IAAK,KACLC,SAAU,GACVC,mBAAoB,GACpBC,cAAevT,OAGnBrlD,SAAU,CACR,cAAA64D,GACE,OAAOn2F,KAAKk2F,cAAcxjF,MAAMhD,MAAQ,CAC1C,EACA,iBAAA0mF,GACE,OAAOp2F,KAAKk2F,cAAcxjF,MAAMoyD,UAAY,CAC9C,EACA,QAAAA,GACE,OAAOjxC,KAAKmwB,MAAMhkD,KAAKo2F,kBAAoBp2F,KAAKm2F,eAAiB,MAAQ,CAC3E,EACA,KAAA7kE,GACE,OAAOtxB,KAAKk2F,cAAc5kE,KAC5B,EACA,UAAA+kE,GACE,OAAmE,IAA5Dr2F,KAAKsxB,OAAOriB,QAAQ9J,GAAMA,EAAEC,SAAW2Y,EAAEsuC,SAAQ3qD,MAC1D,EACA,WAAA40F,GACE,OAAOt2F,KAAKsxB,OAAO5vB,OAAS,CAC9B,EACA,YAAA60F,GACE,OAAuE,IAAhEv2F,KAAKsxB,OAAOriB,QAAQ9J,GAAMA,EAAEC,SAAW2Y,EAAEgzE,aAAYrvF,MAC9D,EACA,QAAA6uF,GACE,OAAOvwF,KAAKk2F,cAAcxjF,MAAMtN,SAAW4sF,EAAEE,MAC/C,EAEA,UAAAsE,GACE,IAAKx2F,KAAKs2F,YACR,OAAOt2F,KAAK01F,QAChB,GAEFlyD,MAAO,CACL,WAAAwG,CAAY7kC,GACVnF,KAAKy2F,eAAetxF,EACtB,EACA,cAAAgxF,CAAehxF,GACbnF,KAAK+1F,IAAM,EAAE,CAAEj2D,IAAK,EAAGlM,IAAKzuB,IAAMnF,KAAK02F,cACzC,EACA,iBAAAN,CAAkBjxF,GAChBnF,KAAK+1F,KAAKlxB,SAAS1/D,GAAInF,KAAK02F,cAC9B,EACA,QAAAnG,CAASprF,GACPA,EAAInF,KAAKs6B,MAAM,SAAUt6B,KAAKsxB,OAAStxB,KAAKs6B,MAAM,UAAWt6B,KAAKsxB,MACpE,GAEF,WAAA4M,GACEl+B,KAAKgqC,aAAehqC,KAAKy2F,eAAez2F,KAAKgqC,aAAchqC,KAAKk2F,cAAcpD,YAAY9yF,KAAK22F,oBAAqBzyB,EAAEvgC,MAAM,2BAC9H,EACAjF,QAAS,CAIP,OAAAiW,GACE30C,KAAK02C,MAAMx9B,MAAM7T,OACnB,EAIA,YAAMuxF,GACJ,IAAIzxF,EAAI,IAAInF,KAAK02C,MAAMx9B,MAAMhM,OAC7B,GAAI2pF,GAAG1xF,EAAGnF,KAAKq9E,SAAU,CACvB,MAAMxoB,EAAI1vD,EAAE8J,QAAQ8mB,GAAM/1B,KAAKq9E,QAAQl6C,MAAM3hC,GAAMA,EAAE0oC,WAAanU,EAAE/0B,SAAOiO,OAAOwN,SAAUuhB,EAAI74B,EAAE8J,QAAQ8mB,IAAO8+B,EAAE/rD,SAASitB,KAC5H,IACE,MAAQyR,SAAUzR,EAAGqU,QAAS5oC,SAAYs1F,GAAG92F,KAAKgqC,YAAYE,SAAU2qB,EAAG70D,KAAKq9E,SAChFl4E,EAAI,IAAI64B,KAAMjI,KAAMv0B,EACtB,CAAE,MAEA,YADA,QAAE84E,GAAE,oBAEN,CACF,CACAn1E,EAAEkJ,SAASwmD,IACT,MAAM9+B,GAAK/1B,KAAKg+C,qBAAuB,IAAI7a,MAAM3hC,GAAMqzD,EAAE7zD,KAAK8H,SAAStH,KACvEu0B,GAAI,QAAEukD,GAAE,IAAIvkD,0CAA4C/1B,KAAKk2F,cAAclkD,OAAO6iB,EAAE7zD,KAAM6zD,GAAGl/C,OAAM,QACjG,IACA3V,KAAK02C,MAAMqgD,KAAKlvD,OACtB,EAIA,QAAAuF,GACEptC,KAAKk2F,cAAc5kE,MAAMjjB,SAASlJ,IAChCA,EAAE23B,QAAQ,IACR98B,KAAK02C,MAAMqgD,KAAKlvD,OACtB,EACA,YAAA6uD,GACE,GAAI12F,KAAKuwF,SAEP,YADAvwF,KAAKg2F,SAAW1b,GAAE,WAGpB,MAAMn1E,EAAI0uB,KAAKmwB,MAAMhkD,KAAK+1F,IAAI7wB,YAC9B,GAAI//D,IAAM,IAIV,GAAIA,EAAI,GACNnF,KAAKg2F,SAAW1b,GAAE,2BAGpB,GAAIn1E,EAAI,GAAR,CACE,MAAM0vD,EAAoB,IAAIpjD,KAAK,GACnCojD,EAAEmiC,WAAW7xF,GACb,MAAM64B,EAAI62B,EAAE5sB,cAAc9mC,MAAM,GAAI,IACpCnB,KAAKg2F,SAAW1b,GAAE,cAAe,CAAEtoE,KAAMgsB,GAE3C,MACAh+B,KAAKg2F,SAAW1b,GAAE,yBAA0B,CAAE2c,QAAS9xF,SAdrDnF,KAAKg2F,SAAW1b,GAAE,uBAetB,EACA,cAAAmc,CAAetxF,GACRnF,KAAKgqC,aAIVhqC,KAAKk2F,cAAclsD,YAAc7kC,EAAGnF,KAAKi2F,oBAAqB,QAAE9wF,IAH9D++D,EAAEvgC,MAAM,sBAIZ,EACA,kBAAAgzD,CAAmBxxF,GACjBA,EAAEC,SAAW2Y,EAAEsuC,OAASrsD,KAAKs6B,MAAM,SAAUn1B,GAAKnF,KAAKs6B,MAAM,WAAYn1B,EAC3E,KA8BE+xF,GAV2BhoE,EAC/BmmE,IAlBO,WACP,IAAIxgC,EAAI70D,KAAMg+B,EAAI62B,EAAE36B,MAAMD,GAC1B,OAAO46B,EAAE36B,MAAMwb,YAAamf,EAAE7qB,YAAchM,EAAE,OAAQ,CAAEpe,IAAK,OAAQwa,YAAa,gBAAiB/Q,MAAO,CAAE,2BAA4BwrC,EAAEyhC,YAAa,wBAAyBzhC,EAAE07B,UAAYrtE,MAAO,CAAE,wBAAyB,KAAQ,CAAC2xC,EAAEohC,oBAAsD,IAAhCphC,EAAEohC,mBAAmBv0F,OAAes8B,EAAE,WAAY,CAAE9a,MAAO,CAAEsyE,SAAU3gC,EAAE2gC,SAAU,4BAA6B,GAAIxuF,KAAM,aAAerE,GAAI,CAAE0C,MAAOwvD,EAAElgB,SAAWpS,YAAasyB,EAAEryB,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WACxc,MAAO,CAACm+B,EAAE,OAAQ,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAIynF,WAAY,MAChE,EAAGnpF,OAAO,IAAO,MAAM,EAAI,aAAe,CAAC6mD,EAAEr6B,GAAG,IAAMq6B,EAAEnnD,GAAGmnD,EAAE2hC,YAAc,OAASx4D,EAAE,YAAa,CAAE9a,MAAO,CAAE,YAAa2xC,EAAE2hC,WAAY,aAAc3hC,EAAE6gC,SAAU1uF,KAAM,aAAeu7B,YAAasyB,EAAEryB,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WAC5N,MAAO,CAACm+B,EAAE,OAAQ,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAIynF,WAAY,MAChE,EAAGnpF,OAAO,IAAO,MAAM,EAAI,aAAe,CAACgwB,EAAE,iBAAkB,CAAE9a,MAAO,CAAE,4BAA6B,GAAI,qBAAqB,GAAMvgB,GAAI,CAAE0C,MAAOwvD,EAAElgB,SAAWpS,YAAasyB,EAAEryB,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WACpM,MAAO,CAACm+B,EAAE,SAAU,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAIynF,WAAY,MAClE,EAAGnpF,OAAO,IAAO,MAAM,EAAI,aAAe,CAAC6mD,EAAEr6B,GAAG,IAAMq6B,EAAEnnD,GAAGmnD,EAAE+gC,aAAe,OAAQ/gC,EAAEvyB,GAAGuyB,EAAEohC,oBAAoB,SAASlgE,GACtH,OAAOiI,EAAE,iBAAkB,CAAE90B,IAAK6sB,EAAEnsB,GAAIwwB,YAAa,4BAA6BlX,MAAO,CAAEtX,KAAMmqB,EAAE2O,UAAW,qBAAqB,GAAM/hC,GAAI,CAAE0C,MAAO,SAAS7D,GAC7J,OAAOu0B,EAAE5M,QAAQ0rC,EAAE7qB,YAAa6qB,EAAEwoB,QACpC,GAAK96C,YAAasyB,EAAEryB,GAAG,CAACzM,EAAE+O,cAAgB,CAAE57B,IAAK,OAAQrJ,GAAI,WAC3D,MAAO,CAACm+B,EAAE,mBAAoB,CAAE9a,MAAO,CAAEk0E,IAAKrhE,EAAE+O,iBAClD,EAAG92B,OAAO,GAAO,MAAO,MAAM,IAAO,CAAC6mD,EAAEr6B,GAAG,IAAMq6B,EAAEnnD,GAAGqoB,EAAE8O,aAAe,MACzE,KAAK,GAAI7G,EAAE,MAAO,CAAEuiB,WAAY,CAAC,CAAEv/C,KAAM,OAAQw/C,QAAS,SAAUp3C,MAAOyrD,EAAEyhC,YAAa71C,WAAY,gBAAkBrmB,YAAa,2BAA6B,CAAC4D,EAAE,gBAAiB,CAAE9a,MAAO,CAAE,aAAc2xC,EAAEghC,cAAe,mBAAoBhhC,EAAEihC,eAAgB9wF,MAAO6vD,EAAEwhC,WAAYjtF,MAAOyrD,EAAEiQ,SAAUp1D,KAAM,YAAesuB,EAAE,IAAK,CAAE9a,MAAO,CAAEtZ,GAAIirD,EAAEihC,iBAAoB,CAACjhC,EAAEr6B,GAAG,IAAMq6B,EAAEnnD,GAAGmnD,EAAEmhC,UAAY,QAAS,GAAInhC,EAAEyhC,YAAct4D,EAAE,WAAY,CAAE5D,YAAa,wBAAyBlX,MAAO,CAAElc,KAAM,WAAY,aAAc6tD,EAAE8gC,YAAa,+BAAgC,IAAMhzF,GAAI,CAAE0C,MAAOwvD,EAAEznB,UAAY7K,YAAasyB,EAAEryB,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WAC9nB,MAAO,CAACm+B,EAAE,SAAU,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,MAClD,EAAG1B,OAAO,IAAO,MAAM,EAAI,cAAiB6mD,EAAEv+C,KAAM0nB,EAAE,QAAS,CAAEuiB,WAAY,CAAC,CAAEv/C,KAAM,OAAQw/C,QAAS,SAAUp3C,OAAO,EAAIq3C,WAAY,UAAY7gC,IAAK,QAASsD,MAAO,CAAElc,KAAM,OAAQ6F,OAAQgoD,EAAEhoD,QAAQiM,OAAO,MAAO28E,SAAU5gC,EAAE4gC,SAAU,8BAA+B,IAAM9yF,GAAI,CAAE00F,OAAQxiC,EAAE+hC,WAAc,GAAK/hC,EAAEv+C,IAC3T,GAAQ,IAIN,EACA,KACA,WACA,KACA,MAEYtT,QACd,IAAI61E,GAAI,KACR,SAAS8J,KACP,MAAMx9E,EAAoE,OAAhEM,SAASoqB,cAAc,qCACjC,OAAOgpD,cAAa6G,IAAM7G,GAAI,IAAI6G,EAAEv6E,IAAK0zE,EAC3C,CAKA7sE,eAAe8qF,GAAG3xF,EAAG0vD,EAAG72B,GACtB,MAAMjI,GAAI,SAAE,IAAM,2DAClB,OAAO,IAAIjpB,SAAQ,CAACtL,EAAG+B,KACrB,MAAM9B,EAAI,IAAI,KAAE,CACdT,KAAM,qBACNigB,OAAS8zC,GAAMA,EAAEh/B,EAAG,CAClBhV,MAAO,CACLomB,QAAShiC,EACT8kC,UAAW4qB,EACXwoB,QAASr/C,GAEXr7B,GAAI,CACF,MAAA20F,CAAO/gB,GACL/0E,EAAE+0E,GAAI90E,EAAE81F,WAAY91F,EAAEu+B,KAAK8W,YAAYitB,YAAYtiE,EAAEu+B,IACvD,EACA,MAAAlD,CAAOy5C,GACLhzE,EAAEgzE,GAAK,IAAIvuE,MAAM,aAAcvG,EAAE81F,WAAY91F,EAAEu+B,KAAK8W,YAAYitB,YAAYtiE,EAAEu+B,IAChF,OAINv+B,EAAE04C,SAAU10C,SAAS8B,KAAK04B,YAAYx+B,EAAEu+B,IAAI,GAEhD,CACA,SAAS62D,GAAG1xF,EAAG0vD,GACb,MAAM72B,EAAI62B,EAAE3lD,KAAK1N,GAAMA,EAAE0oC,WACzB,OAAO/kC,EAAE8J,QAAQzN,IACf,MAAM+B,EAAI/B,aAAa2mC,KAAO3mC,EAAER,KAAOQ,EAAE0oC,SACzC,OAAyB,IAAlBlM,EAAE3qB,QAAQ9P,EAAS,IACzB7B,OAAS,CACd,2DCzpDA,MAAgEshF,EAAI,CAACjtD,EAAG5wB,KACtE,IAAI5B,EACJ,OAAgD,OAAvCA,EAAS,MAAL4B,OAAY,EAASA,EAAEqyF,SAAmBj0F,EAAI0/E,KAFxB,CAACltD,GAAM,eAAiBA,EAEOmuC,CAAEnuC,EAAE,EAOrEouC,EAAI,CAACpuC,EAAG5wB,EAAG5B,KACZ,MAAMwa,EAAIxe,OAAO2I,OAAO,CACtBqoC,QAAQ,GACPhtC,GAAK,CAAC,GAST,MAAuB,MAAhBwyB,EAAEvS,OAAO,KAAeuS,EAAI,IAAMA,GARhCwgD,GADoBA,EASqBpxE,GAAK,CAAC,IARtC,CAAC,EAQ4B4wB,EARvB9tB,QACpB,eACA,SAASxG,EAAGu8B,GACV,MAAM73B,EAAIowE,EAAEv4C,GACZ,OAAOjgB,EAAEwyB,OAASt2B,mBAA+B,iBAAL9T,GAA6B,iBAALA,EAAgBA,EAAE3C,WAAa/B,GAAiB,iBAAL0E,GAA6B,iBAALA,EAAgBA,EAAE3C,WAAa/B,CACxK,IANa,IAAY80E,CAS6B,EACzDr1D,EAAI,CAAC6U,EAAG5wB,EAAG5B,KACZ,IAAIwa,EAAG82C,EAAGrzD,EACV,MAAM+0E,EAAIh3E,OAAO2I,OAAO,CACtBuvF,WAAW,GACVl0F,GAAK,CAAC,GAAI9B,EAA4C,OAAvCsc,EAAS,MAALxa,OAAY,EAASA,EAAEi0F,SAAmBz5E,EAAIg3C,IACpE,OAAgI,KAAzC,OAA9EvzD,EAAiD,OAA5CqzD,EAAc,MAAVjxD,YAAiB,EAASA,OAAOu7C,SAAc,EAAS0V,EAAE78C,aAAkB,EAASxW,EAAEk2F,oBAA8BnhB,EAAEkhB,UAA6Bh2F,EAAI,aAAe0iE,EAAEpuC,EAAG5wB,EAAG5B,GAA5C9B,EAAI0iE,EAAEpuC,EAAG5wB,EAAG5B,EAAkC,EAMlM0/E,EAAI,IAAMr/E,OAAO4C,SAASunB,SAAW,KAAOnqB,OAAO4C,SAASwnB,KAAO+mC,IACtE,SAASA,IACP,IAAIh/B,EAAInyB,OAAO+zF,YACf,UAAW5hE,EAAI,IAAK,CAClBA,EAAIvvB,SAAS0vB,SACb,MAAM/wB,EAAI4wB,EAAE1iB,QAAQ,eACpB,IAAW,IAAPlO,EACF4wB,EAAIA,EAAE50B,MAAM,EAAGgE,OACZ,CACH,MAAM5B,EAAIwyB,EAAE1iB,QAAQ,IAAK,GACzB0iB,EAAIA,EAAE50B,MAAM,EAAGoC,EAAI,EAAIA,OAAI,EAC7B,CACF,CACA,OAAOwyB,CACT,0EC1CA,MAAM,MACJ6hE,EAAK,WACLvoD,EAAU,cACVwoD,EAAa,SACbC,EAAQ,YACRC,EAAW,QACXC,EAAO,IACPjvD,EAAG,OACH+rD,EAAM,aACNmD,EAAY,OACZC,EAAM,WACNC,EAAU,aACVC,EAAY,eACZC,EAAc,WACdC,EAAU,WACVC,EAAU,YACVC,GACE,MCrBAC,EAA2B,CAAC,EAGhC,SAASC,EAAoBC,GAE5B,IAAIC,EAAeH,EAAyBE,GAC5C,QAAqBn2F,IAAjBo2F,EACH,OAAOA,EAAa51F,QAGrB,IAAID,EAAS01F,EAAyBE,GAAY,CACjD/uF,GAAI+uF,EACJE,QAAQ,EACR71F,QAAS,CAAC,GAUX,OANA81F,EAAoBH,GAAUz3F,KAAK6B,EAAOC,QAASD,EAAQA,EAAOC,QAAS01F,GAG3E31F,EAAO81F,QAAS,EAGT91F,EAAOC,OACf,CAGA01F,EAAoBpzE,EAAIwzE,EnR5BpB35F,EAAW,GACfu5F,EAAoBtW,EAAI,CAACr6E,EAAQgxF,EAAUl5F,EAAIwuF,KAC9C,IAAG0K,EAAH,CAMA,IAAIC,EAAe7zB,IACnB,IAAS3jE,EAAI,EAAGA,EAAIrC,EAASuC,OAAQF,IAAK,CACrCu3F,EAAW55F,EAASqC,GAAG,GACvB3B,EAAKV,EAASqC,GAAG,GACjB6sF,EAAWlvF,EAASqC,GAAG,GAE3B,IAJA,IAGIy3F,GAAY,EACPv2F,EAAI,EAAGA,EAAIq2F,EAASr3F,OAAQgB,MACpB,EAAX2rF,GAAsB2K,GAAgB3K,IAAa9uF,OAAO4K,KAAKuuF,EAAoBtW,GAAGjiE,OAAOjX,GAASwvF,EAAoBtW,EAAEl5E,GAAK6vF,EAASr2F,MAC9Iq2F,EAASzlF,OAAO5Q,IAAK,IAErBu2F,GAAY,EACT5K,EAAW2K,IAAcA,EAAe3K,IAG7C,GAAG4K,EAAW,CACb95F,EAASmU,OAAO9R,IAAK,GACrB,IAAI+0E,EAAI12E,SACE2C,IAAN+zE,IAAiBxuE,EAASwuE,EAC/B,CACD,CACA,OAAOxuE,CArBP,CAJCsmF,EAAWA,GAAY,EACvB,IAAI,IAAI7sF,EAAIrC,EAASuC,OAAQF,EAAI,GAAKrC,EAASqC,EAAI,GAAG,GAAK6sF,EAAU7sF,IAAKrC,EAASqC,GAAKrC,EAASqC,EAAI,GACrGrC,EAASqC,GAAK,CAACu3F,EAAUl5F,EAAIwuF,EAuBjB,EoR3BdqK,EAAoB3iE,EAAKhzB,IACxB,IAAIm2F,EAASn2F,GAAUA,EAAOyxB,WAC7B,IAAOzxB,EAAiB,QACxB,IAAM,EAEP,OADA21F,EAAoBv0B,EAAE+0B,EAAQ,CAAE/yF,EAAG+yF,IAC5BA,CAAM,ECLdR,EAAoBv0B,EAAI,CAACnhE,EAASm2F,KACjC,IAAI,IAAIjwF,KAAOiwF,EACXT,EAAoBn1F,EAAE41F,EAAYjwF,KAASwvF,EAAoBn1F,EAAEP,EAASkG,IAC5E3J,OAAOoX,eAAe3T,EAASkG,EAAK,CAAE6N,YAAY,EAAMpJ,IAAKwrF,EAAWjwF,IAE1E,ECNDwvF,EAAoB3jC,EAAI,CAAC,EAGzB2jC,EAAoBvzF,EAAKi0F,GACjBtsF,QAAQi8B,IAAIxpC,OAAO4K,KAAKuuF,EAAoB3jC,GAAG9qD,QAAO,CAAC6mC,EAAU5nC,KACvEwvF,EAAoB3jC,EAAE7rD,GAAKkwF,EAAStoD,GAC7BA,IACL,KCNJ4nD,EAAoBpe,EAAK8e,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH9IV,EAAoBx0B,EAAI,WACvB,GAA0B,iBAAfhgE,WAAyB,OAAOA,WAC3C,IACC,OAAOlE,MAAQ,IAAI+/B,SAAS,cAAb,EAChB,CAAE,MAAO56B,GACR,GAAsB,iBAAXvB,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxB80F,EAAoBn1F,EAAI,CAACkT,EAAKF,IAAUhX,OAAOC,UAAUC,eAAeyB,KAAKuV,EAAKF,GxRA9EnX,EAAa,CAAC,EACdC,EAAoB,aAExBq5F,EAAoBj3F,EAAI,CAAC4C,EAAKywD,EAAM5rD,EAAKkwF,KACxC,GAAGh6F,EAAWiF,GAAQjF,EAAWiF,GAAK7D,KAAKs0D,OAA3C,CACA,IAAIgH,EAAQu9B,EACZ,QAAW72F,IAAR0G,EAEF,IADA,IAAIowF,EAAU7zF,SAASmtE,qBAAqB,UACpCpxE,EAAI,EAAGA,EAAI83F,EAAQ53F,OAAQF,IAAK,CACvC,IAAIqzD,EAAIykC,EAAQ93F,GAChB,GAAGqzD,EAAEnqC,aAAa,QAAUrmB,GAAOwwD,EAAEnqC,aAAa,iBAAmBrrB,EAAoB6J,EAAK,CAAE4yD,EAASjH,EAAG,KAAO,CACpH,CAEGiH,IACHu9B,GAAa,GACbv9B,EAASr2D,SAASW,cAAc,WAEzB+tF,QAAU,QACjBr4B,EAAO4J,QAAU,IACbgzB,EAAoB7Y,IACvB/jB,EAAOjb,aAAa,QAAS63C,EAAoB7Y,IAElD/jB,EAAOjb,aAAa,eAAgBxhD,EAAoB6J,GAExD4yD,EAAOpZ,IAAMr+C,GAEdjF,EAAWiF,GAAO,CAACywD,GACnB,IAAIykC,EAAmB,CAACnmE,EAAMjzB,KAE7B27D,EAAOh3D,QAAUg3D,EAAOn3D,OAAS,KACjC63B,aAAakpC,GACb,IAAI8zB,EAAUp6F,EAAWiF,GAIzB,UAHOjF,EAAWiF,GAClBy3D,EAAOhlB,YAAcglB,EAAOhlB,WAAWitB,YAAYjI,GACnD09B,GAAWA,EAAQnrF,SAASxO,GAAQA,EAAGM,KACpCizB,EAAM,OAAOA,EAAKjzB,EAAM,EAExBulE,EAAU9+D,WAAW2yF,EAAiB/nF,KAAK,UAAMhP,EAAW,CAAEwE,KAAM,UAAWP,OAAQq1D,IAAW,MACtGA,EAAOh3D,QAAUy0F,EAAiB/nF,KAAK,KAAMsqD,EAAOh3D,SACpDg3D,EAAOn3D,OAAS40F,EAAiB/nF,KAAK,KAAMsqD,EAAOn3D,QACnD00F,GAAc5zF,SAASg0F,KAAKx5D,YAAY67B,EApCkB,CAoCX,EyRvChD48B,EAAoBniB,EAAKvzE,IACH,oBAAXK,QAA0BA,OAAOuuB,aAC1CryB,OAAOoX,eAAe3T,EAASK,OAAOuuB,YAAa,CAAExoB,MAAO,WAE7D7J,OAAOoX,eAAe3T,EAAS,aAAc,CAAEoG,OAAO,GAAO,ECL9DsvF,EAAoBgB,IAAO32F,IAC1BA,EAAO4jC,MAAQ,GACV5jC,EAAOoe,WAAUpe,EAAOoe,SAAW,IACjCpe,GCHR21F,EAAoBh2F,EAAI,WCAxB,IAAIi3F,EACAjB,EAAoBx0B,EAAEb,gBAAes2B,EAAYjB,EAAoBx0B,EAAE19D,SAAW,IACtF,IAAIf,EAAWizF,EAAoBx0B,EAAEz+D,SACrC,IAAKk0F,GAAal0F,IACbA,EAASm0F,gBACZD,EAAYl0F,EAASm0F,cAAcl3C,MAC/Bi3C,GAAW,CACf,IAAIL,EAAU7zF,EAASmtE,qBAAqB,UAC5C,GAAG0mB,EAAQ53F,OAEV,IADA,IAAIF,EAAI83F,EAAQ53F,OAAS,EAClBF,GAAK,KAAOm4F,IAAc,aAAa3zF,KAAK2zF,KAAaA,EAAYL,EAAQ93F,KAAKkhD,GAE3F,CAID,IAAKi3C,EAAW,MAAM,IAAI3xF,MAAM,yDAChC2xF,EAAYA,EAAU1xF,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpFywF,EAAoB1hF,EAAI2iF,YClBxBjB,EAAoB19E,EAAIvV,SAAS+yE,SAAWx0E,KAAKwC,SAASF,KAK1D,IAAIuzF,EAAkB,CACrB,KAAM,GAGPnB,EAAoB3jC,EAAEryD,EAAI,CAAC02F,EAAStoD,KAElC,IAAIgpD,EAAqBpB,EAAoBn1F,EAAEs2F,EAAiBT,GAAWS,EAAgBT,QAAW52F,EACtG,GAA0B,IAAvBs3F,EAGF,GAAGA,EACFhpD,EAAStwC,KAAKs5F,EAAmB,QAC3B,CAGL,IAAIxsC,EAAU,IAAIxgD,SAAQ,CAACC,EAASC,IAAY8sF,EAAqBD,EAAgBT,GAAW,CAACrsF,EAASC,KAC1G8jC,EAAStwC,KAAKs5F,EAAmB,GAAKxsC,GAGtC,IAAIjpD,EAAMq0F,EAAoB1hF,EAAI0hF,EAAoBpe,EAAE8e,GAEpDp0F,EAAQ,IAAIgD,MAgBhB0wF,EAAoBj3F,EAAE4C,GAfFlE,IACnB,GAAGu4F,EAAoBn1F,EAAEs2F,EAAiBT,KAEf,KAD1BU,EAAqBD,EAAgBT,MACRS,EAAgBT,QAAW52F,GACrDs3F,GAAoB,CACtB,IAAI1oE,EAAYjxB,IAAyB,SAAfA,EAAM6G,KAAkB,UAAY7G,EAAM6G,MAChE+yF,EAAU55F,GAASA,EAAMsG,QAAUtG,EAAMsG,OAAOi8C,IACpD19C,EAAMqD,QAAU,iBAAmB+wF,EAAU,cAAgBhoE,EAAY,KAAO2oE,EAAU,IAC1F/0F,EAAMhE,KAAO,iBACbgE,EAAMgC,KAAOoqB,EACbpsB,EAAMknC,QAAU6tD,EAChBD,EAAmB,GAAG90F,EACvB,CACD,GAEwC,SAAWo0F,EAASA,EAE/D,CACD,EAWFV,EAAoBtW,EAAE1/E,EAAK02F,GAA0C,IAA7BS,EAAgBT,GAGxD,IAAIY,EAAuB,CAACC,EAA4B/vF,KACvD,IAKIyuF,EAAUS,EALVL,EAAW7uF,EAAK,GAChBgwF,EAAchwF,EAAK,GACnBiwF,EAAUjwF,EAAK,GAGI1I,EAAI,EAC3B,GAAGu3F,EAAS7tD,MAAMthC,GAAgC,IAAxBiwF,EAAgBjwF,KAAa,CACtD,IAAI+uF,KAAYuB,EACZxB,EAAoBn1F,EAAE22F,EAAavB,KACrCD,EAAoBpzE,EAAEqzE,GAAYuB,EAAYvB,IAGhD,GAAGwB,EAAS,IAAIpyF,EAASoyF,EAAQzB,EAClC,CAEA,IADGuB,GAA4BA,EAA2B/vF,GACrD1I,EAAIu3F,EAASr3F,OAAQF,IACzB43F,EAAUL,EAASv3F,GAChBk3F,EAAoBn1F,EAAEs2F,EAAiBT,IAAYS,EAAgBT,IACrES,EAAgBT,GAAS,KAE1BS,EAAgBT,GAAW,EAE5B,OAAOV,EAAoBtW,EAAEr6E,EAAO,EAGjCqyF,EAAqBp2F,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1Fo2F,EAAmB/rF,QAAQ2rF,EAAqBxoF,KAAK,KAAM,IAC3D4oF,EAAmB55F,KAAOw5F,EAAqBxoF,KAAK,KAAM4oF,EAAmB55F,KAAKgR,KAAK4oF,QCvFvF1B,EAAoB7Y,QAAKr9E,ECGzB,IAAI63F,EAAsB3B,EAAoBtW,OAAE5/E,EAAW,CAAC,OAAO,IAAOk2F,EAAoB,QAC9F2B,EAAsB3B,EAAoBtW,EAAEiY","sources":["webpack:///nextcloud/webpack/runtime/chunk loaded","webpack:///nextcloud/webpack/runtime/load script","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/eventemitter3/index.js","webpack:///nextcloud/node_modules/pinia/dist/pinia.mjs","webpack:///nextcloud/apps/files/src/store/index.ts","webpack:///nextcloud/node_modules/decode-uri-component/index.js","webpack:///nextcloud/node_modules/split-on-first/index.js","webpack:///nextcloud/node_modules/filter-obj/index.js","webpack:///nextcloud/node_modules/query-string/base.js","webpack:///nextcloud/node_modules/query-string/index.js","webpack:///nextcloud/node_modules/vue-router/dist/vue-router.esm.js","webpack:///nextcloud/apps/files/src/router/router.ts","webpack:///nextcloud/apps/files/src/FilesApp.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Cog.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Cog.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Cog.vue?4d6d","webpack:///nextcloud/node_modules/vue-material-design-icons/Cog.vue?vue&type=template&id=89df8f2e","webpack:///nextcloud/apps/files/src/store/viewConfig.ts","webpack:///nextcloud/apps/files/src/logger.js","webpack:///nextcloud/node_modules/throttle-debounce/esm/index.js","webpack:///nextcloud/node_modules/vue-material-design-icons/ChartPie.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/ChartPie.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/ChartPie.vue?421f","webpack:///nextcloud/node_modules/vue-material-design-icons/ChartPie.vue?vue&type=template&id=b117066e","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/files/src/components/NavigationQuota.vue?ebc6","webpack://nextcloud/./apps/files/src/components/NavigationQuota.vue?2966","webpack://nextcloud/./apps/files/src/components/NavigationQuota.vue?08cb","webpack://nextcloud/./apps/files/src/views/Settings.vue?84f7","webpack:///nextcloud/node_modules/vue-material-design-icons/Clipboard.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/Clipboard.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/Clipboard.vue?68c7","webpack:///nextcloud/node_modules/vue-material-design-icons/Clipboard.vue?vue&type=template&id=0c133921","webpack:///nextcloud/apps/files/src/components/Setting.vue","webpack:///nextcloud/apps/files/src/components/Setting.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/files/src/components/Setting.vue?98ea","webpack://nextcloud/./apps/files/src/components/Setting.vue?8d57","webpack:///nextcloud/apps/files/src/store/userconfig.ts","webpack:///nextcloud/apps/files/src/views/Settings.vue","webpack:///nextcloud/apps/files/src/views/Settings.vue?vue&type=script&lang=js","webpack://nextcloud/./apps/files/src/views/Settings.vue?08ea","webpack://nextcloud/./apps/files/src/views/Settings.vue?b81b","webpack:///nextcloud/apps/files/src/views/Navigation.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/views/Navigation.vue","webpack://nextcloud/./apps/files/src/views/Navigation.vue?ee84","webpack://nextcloud/./apps/files/src/views/Navigation.vue?74b9","webpack:///nextcloud/apps/files/src/views/FilesList.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?5dae","webpack:///nextcloud/node_modules/vue-material-design-icons/FormatListBulletedSquare.vue?vue&type=template&id=00aea13f","webpack:///nextcloud/node_modules/vue-material-design-icons/AccountPlus.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/AccountPlus.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/AccountPlus.vue?2818","webpack:///nextcloud/node_modules/vue-material-design-icons/AccountPlus.vue?vue&type=template&id=a16afc28","webpack:///nextcloud/node_modules/vue-material-design-icons/ViewGrid.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/ViewGrid.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/ViewGrid.vue?4e55","webpack:///nextcloud/node_modules/vue-material-design-icons/ViewGrid.vue?vue&type=template&id=7b96a104","webpack:///nextcloud/apps/files/src/actions/sidebarAction.ts","webpack:///nextcloud/apps/files/src/store/files.ts","webpack:///nextcloud/apps/files/src/store/paths.ts","webpack:///nextcloud/apps/files/src/store/selection.ts","webpack:///nextcloud/apps/files/src/store/uploader.ts","webpack:///nextcloud/apps/files/src/services/SortingService.ts","webpack:///nextcloud/apps/files/src/services/DropServiceUtils.ts","webpack://nextcloud/./node_modules/@nextcloud/dialogs/dist/style.css?d87c","webpack:///nextcloud/apps/files/src/actions/moveOrCopyActionUtils.ts","webpack:///nextcloud/apps/files/src/services/WebdavClient.ts","webpack:///nextcloud/apps/files/src/utils/hashUtils.ts","webpack:///nextcloud/apps/files/src/services/Files.ts","webpack:///nextcloud/apps/files/src/utils/fileUtils.ts","webpack:///nextcloud/apps/files/src/actions/moveOrCopyAction.ts","webpack:///nextcloud/apps/files/src/services/DropService.ts","webpack:///nextcloud/apps/files/src/store/dragging.ts","webpack:///nextcloud/apps/files/src/mixins/filesListWidth.ts","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue","webpack://nextcloud/./apps/files/src/components/BreadCrumbs.vue?f1b7","webpack://nextcloud/./apps/files/src/components/BreadCrumbs.vue?d357","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue","webpack:///nextcloud/apps/files/src/store/actionsmenu.ts","webpack:///nextcloud/apps/files/src/store/renaming.ts","webpack:///nextcloud/node_modules/vue-material-design-icons/FileMultiple.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/FileMultiple.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/FileMultiple.vue?6e9d","webpack:///nextcloud/node_modules/vue-material-design-icons/FileMultiple.vue?vue&type=template&id=27b46e04","webpack:///nextcloud/node_modules/vue-material-design-icons/Folder.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Folder.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Folder.vue?b60e","webpack:///nextcloud/node_modules/vue-material-design-icons/Folder.vue?vue&type=template&id=07f089a4","webpack:///nextcloud/apps/files/src/components/DragAndDropPreview.vue","webpack:///nextcloud/apps/files/src/components/DragAndDropPreview.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/DragAndDropPreview.vue?3906","webpack://nextcloud/./apps/files/src/components/DragAndDropPreview.vue?36f6","webpack:///nextcloud/apps/files/src/utils/dragUtils.ts","webpack:///nextcloud/apps/files/src/components/FileEntryMixin.ts","webpack:///nextcloud/apps/files/src/components/CustomElementRender.vue","webpack:///nextcloud/apps/files/src/components/CustomElementRender.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/CustomElementRender.vue?5f5c","webpack:///nextcloud/node_modules/vue-material-design-icons/ArrowLeft.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/ArrowLeft.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/ArrowLeft.vue?f857","webpack:///nextcloud/node_modules/vue-material-design-icons/ArrowLeft.vue?vue&type=template&id=214c9a86","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?a942","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?89ae","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?7b52","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryCheckbox.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryCheckbox.vue","webpack:///nextcloud/apps/files/src/store/keyboard.ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryCheckbox.vue?a18b","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryName.vue","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryName.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryName.vue?98a4","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryPreview.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/File.vue","webpack:///nextcloud/node_modules/vue-material-design-icons/File.vue?vue&type=script&lang=js","webpack://nextcloud/./node_modules/vue-material-design-icons/File.vue?245d","webpack:///nextcloud/node_modules/vue-material-design-icons/File.vue?vue&type=template&id=e3c8d598","webpack:///nextcloud/node_modules/vue-material-design-icons/FolderOpen.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/FolderOpen.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/FolderOpen.vue?6818","webpack:///nextcloud/node_modules/vue-material-design-icons/FolderOpen.vue?vue&type=template&id=79cee0a4","webpack:///nextcloud/node_modules/vue-material-design-icons/Key.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Key.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Key.vue?157c","webpack:///nextcloud/node_modules/vue-material-design-icons/Key.vue?vue&type=template&id=01a06d54","webpack:///nextcloud/node_modules/vue-material-design-icons/Network.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Network.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Network.vue?11eb","webpack:///nextcloud/node_modules/vue-material-design-icons/Network.vue?vue&type=template&id=29f8873c","webpack:///nextcloud/node_modules/vue-material-design-icons/Tag.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/Tag.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/Tag.vue?6116","webpack:///nextcloud/node_modules/vue-material-design-icons/Tag.vue?vue&type=template&id=75dd05e4","webpack:///nextcloud/node_modules/vue-material-design-icons/PlayCircle.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/PlayCircle.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/PlayCircle.vue?0c26","webpack:///nextcloud/node_modules/vue-material-design-icons/PlayCircle.vue?vue&type=template&id=6901b3e6","webpack:///nextcloud/apps/files/src/components/FileEntry/CollectivesIcon.vue?vue&type=script&lang=js","webpack:///nextcloud/apps/files/src/components/FileEntry/CollectivesIcon.vue","webpack://nextcloud/./apps/files/src/components/FileEntry/CollectivesIcon.vue?1937","webpack://nextcloud/./apps/files/src/components/FileEntry/CollectivesIcon.vue?949d","webpack:///nextcloud/apps/files/src/components/FileEntry/FavoriteIcon.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntry/FavoriteIcon.vue","webpack://nextcloud/./apps/files/src/components/FileEntry/FavoriteIcon.vue?6d98","webpack://nextcloud/./apps/files/src/components/FileEntry/FavoriteIcon.vue?62c6","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryPreview.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/services/LivePhotos.ts","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryPreview.vue?8c1f","webpack:///nextcloud/apps/files/src/components/FileEntry.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntry.vue","webpack://nextcloud/./apps/files/src/components/FileEntry.vue?da7c","webpack:///nextcloud/apps/files/src/components/FileEntryGrid.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FileEntryGrid.vue","webpack://nextcloud/./apps/files/src/components/FileEntryGrid.vue?bb8e","webpack:///nextcloud/apps/files/src/components/FilesListHeader.vue","webpack:///nextcloud/apps/files/src/components/FilesListHeader.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListHeader.vue?349b","webpack:///nextcloud/apps/files/src/components/FilesListTableFooter.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FilesListTableFooter.vue","webpack://nextcloud/./apps/files/src/components/FilesListTableFooter.vue?975a","webpack://nextcloud/./apps/files/src/components/FilesListTableFooter.vue?fa4c","webpack:///nextcloud/apps/files/src/components/FilesListTableHeader.vue","webpack:///nextcloud/apps/files/src/mixins/filesSorting.ts","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderButton.vue?7b8e","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderButton.vue?e364","webpack:///nextcloud/apps/files/src/components/FilesListTableHeader.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListTableHeader.vue?1b05","webpack://nextcloud/./apps/files/src/components/FilesListTableHeader.vue?b1c9","webpack:///nextcloud/apps/files/src/components/VirtualList.vue","webpack:///nextcloud/apps/files/src/components/VirtualList.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/VirtualList.vue?37fa","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderActions.vue?0445","webpack://nextcloud/./apps/files/src/components/FilesListTableHeaderActions.vue?9494","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?4ceb","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?22b6","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?3555","webpack:///nextcloud/node_modules/vue-material-design-icons/TrayArrowDown.vue?vue&type=script&lang=js","webpack:///nextcloud/node_modules/vue-material-design-icons/TrayArrowDown.vue","webpack://nextcloud/./node_modules/vue-material-design-icons/TrayArrowDown.vue?a897","webpack:///nextcloud/node_modules/vue-material-design-icons/TrayArrowDown.vue?vue&type=template&id=447c2cd4","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue?vue&type=script&lang=ts","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue","webpack://nextcloud/./apps/files/src/components/DragAndDropNotice.vue?c924","webpack://nextcloud/./apps/files/src/components/DragAndDropNotice.vue?a2e0","webpack:///nextcloud/apps/files/src/views/FilesList.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/views/FilesList.vue?1abe","webpack://nextcloud/./apps/files/src/views/FilesList.vue?1e5b","webpack:///nextcloud/apps/files/src/FilesApp.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/FilesApp.vue?597e","webpack:///nextcloud/apps/files/src/main.ts","webpack:///nextcloud/apps/files/src/services/RouterService.ts","webpack:///nextcloud/apps/files/src/services/Settings.js","webpack:///nextcloud/apps/files/src/models/Setting.js","webpack:///nextcloud/node_modules/cancelable-promise/umd/CancelablePromise.js","webpack:///nextcloud/node_modules/@nextcloud/dialogs/dist/style.css","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css","webpack:///nextcloud/apps/files/src/components/BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/FileEntry/FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/components/FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true","webpack:///nextcloud/apps/files/src/views/FilesList.vue?vue&type=style&index=0&id=fa8969e4&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/views/Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/views/Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true","webpack:///nextcloud/node_modules/sax/lib/sax.js","webpack:///nextcloud/node_modules/setimmediate/setImmediate.js","webpack:///nextcloud/node_modules/simple-eta/index.js","webpack:///nextcloud/node_modules/timers-browserify/main.js","webpack:///nextcloud/node_modules/xml2js/lib/bom.js","webpack:///nextcloud/node_modules/xml2js/lib/builder.js","webpack:///nextcloud/node_modules/xml2js/lib/defaults.js","webpack:///nextcloud/node_modules/xml2js/lib/parser.js","webpack:///nextcloud/node_modules/xml2js/lib/processors.js","webpack:///nextcloud/node_modules/xml2js/lib/xml2js.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/DocumentPosition.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/NodeType.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/Utility.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/WriterState.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLAttribute.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLCData.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLCharacterData.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLComment.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMConfiguration.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMErrorHandler.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMImplementation.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDOMStringList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDAttList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDElement.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDEntity.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDTDNotation.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDeclaration.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocType.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocument.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDocumentCB.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLDummy.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLElement.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNamedNodeMap.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNode.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLNodeList.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLProcessingInstruction.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLRaw.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStreamWriter.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStringWriter.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLStringifier.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLText.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/XMLWriterBase.js","webpack:///nextcloud/node_modules/xmlbuilder/lib/index.js","webpack:///nextcloud/node_modules/@nextcloud/files/dist/index.mjs","webpack://nextcloud/./node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css?40cd","webpack:///nextcloud/node_modules/p-cancelable/index.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-timeout/index.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-queue/dist/priority-queue.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-queue/dist/lower-bound.js","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/p-queue/dist/index.js","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/chunks/index-DM2X1kc6.mjs","webpack:///nextcloud/node_modules/@nextcloud/upload/node_modules/@nextcloud/router/dist/index.mjs","webpack:///nextcloud/node_modules/axios/index.js","webpack:///nextcloud/webpack/bootstrap","webpack:///nextcloud/webpack/runtime/compat get default export","webpack:///nextcloud/webpack/runtime/define property getters","webpack:///nextcloud/webpack/runtime/ensure chunk","webpack:///nextcloud/webpack/runtime/get javascript chunk filename","webpack:///nextcloud/webpack/runtime/global","webpack:///nextcloud/webpack/runtime/hasOwnProperty shorthand","webpack:///nextcloud/webpack/runtime/make namespace object","webpack:///nextcloud/webpack/runtime/node module decorator","webpack:///nextcloud/webpack/runtime/runtimeId","webpack:///nextcloud/webpack/runtime/publicPath","webpack:///nextcloud/webpack/runtime/jsonp chunk loading","webpack:///nextcloud/webpack/runtime/nonce","webpack:///nextcloud/webpack/startup"],"sourcesContent":["var deferred = [];\n__webpack_require__.O = (result, chunkIds, fn, priority) => {\n\tif(chunkIds) {\n\t\tpriority = priority || 0;\n\t\tfor(var i = deferred.length; i > 0 && deferred[i - 1][2] > priority; i--) deferred[i] = deferred[i - 1];\n\t\tdeferred[i] = [chunkIds, fn, priority];\n\t\treturn;\n\t}\n\tvar notFulfilled = Infinity;\n\tfor (var i = 0; i < deferred.length; i++) {\n\t\tvar chunkIds = deferred[i][0];\n\t\tvar fn = deferred[i][1];\n\t\tvar priority = deferred[i][2];\n\t\tvar fulfilled = true;\n\t\tfor (var j = 0; j < chunkIds.length; j++) {\n\t\t\tif ((priority & 1 === 0 || notFulfilled >= priority) && Object.keys(__webpack_require__.O).every((key) => (__webpack_require__.O[key](chunkIds[j])))) {\n\t\t\t\tchunkIds.splice(j--, 1);\n\t\t\t} else {\n\t\t\t\tfulfilled = false;\n\t\t\t\tif(priority < notFulfilled) notFulfilled = priority;\n\t\t\t}\n\t\t}\n\t\tif(fulfilled) {\n\t\t\tdeferred.splice(i--, 1)\n\t\t\tvar r = fn();\n\t\t\tif (r !== undefined) result = r;\n\t\t}\n\t}\n\treturn result;\n};","var inProgress = {};\nvar dataWebpackPrefix = \"nextcloud:\";\n// loadScript function to load a script via script tag\n__webpack_require__.l = (url, done, key, chunkId) => {\n\tif(inProgress[url]) { inProgress[url].push(done); return; }\n\tvar script, needAttach;\n\tif(key !== undefined) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tfor(var i = 0; i < scripts.length; i++) {\n\t\t\tvar s = scripts[i];\n\t\t\tif(s.getAttribute(\"src\") == url || s.getAttribute(\"data-webpack\") == dataWebpackPrefix + key) { script = s; break; }\n\t\t}\n\t}\n\tif(!script) {\n\t\tneedAttach = true;\n\t\tscript = document.createElement('script');\n\n\t\tscript.charset = 'utf-8';\n\t\tscript.timeout = 120;\n\t\tif (__webpack_require__.nc) {\n\t\t\tscript.setAttribute(\"nonce\", __webpack_require__.nc);\n\t\t}\n\t\tscript.setAttribute(\"data-webpack\", dataWebpackPrefix + key);\n\n\t\tscript.src = url;\n\t}\n\tinProgress[url] = [done];\n\tvar onScriptComplete = (prev, event) => {\n\t\t// avoid mem leaks in IE.\n\t\tscript.onerror = script.onload = null;\n\t\tclearTimeout(timeout);\n\t\tvar doneFns = inProgress[url];\n\t\tdelete inProgress[url];\n\t\tscript.parentNode && script.parentNode.removeChild(script);\n\t\tdoneFns && doneFns.forEach((fn) => (fn(event)));\n\t\tif(prev) return prev(event);\n\t}\n\tvar timeout = setTimeout(onScriptComplete.bind(null, undefined, { type: 'timeout', target: script }), 120000);\n\tscript.onerror = onScriptComplete.bind(null, script.onerror);\n\tscript.onload = onScriptComplete.bind(null, script.onload);\n\tneedAttach && document.head.appendChild(script);\n};","'use strict';\n\nvar has = Object.prototype.hasOwnProperty\n , prefix = '~';\n\n/**\n * Constructor to create a storage for our `EE` objects.\n * An `Events` instance is a plain object whose properties are event names.\n *\n * @constructor\n * @private\n */\nfunction Events() {}\n\n//\n// We try to not inherit from `Object.prototype`. In some engines creating an\n// instance in this way is faster than calling `Object.create(null)` directly.\n// If `Object.create(null)` is not supported we prefix the event names with a\n// character to make sure that the built-in object properties are not\n// overridden or used as an attack vector.\n//\nif (Object.create) {\n Events.prototype = Object.create(null);\n\n //\n // This hack is needed because the `__proto__` property is still inherited in\n // some old browsers like Android 4, iPhone 5.1, Opera 11 and Safari 5.\n //\n if (!new Events().__proto__) prefix = false;\n}\n\n/**\n * Representation of a single event listener.\n *\n * @param {Function} fn The listener function.\n * @param {*} context The context to invoke the listener with.\n * @param {Boolean} [once=false] Specify if the listener is a one-time listener.\n * @constructor\n * @private\n */\nfunction EE(fn, context, once) {\n this.fn = fn;\n this.context = context;\n this.once = once || false;\n}\n\n/**\n * Add a listener for a given event.\n *\n * @param {EventEmitter} emitter Reference to the `EventEmitter` instance.\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn The listener function.\n * @param {*} context The context to invoke the listener with.\n * @param {Boolean} once Specify if the listener is a one-time listener.\n * @returns {EventEmitter}\n * @private\n */\nfunction addListener(emitter, event, fn, context, once) {\n if (typeof fn !== 'function') {\n throw new TypeError('The listener must be a function');\n }\n\n var listener = new EE(fn, context || emitter, once)\n , evt = prefix ? prefix + event : event;\n\n if (!emitter._events[evt]) emitter._events[evt] = listener, emitter._eventsCount++;\n else if (!emitter._events[evt].fn) emitter._events[evt].push(listener);\n else emitter._events[evt] = [emitter._events[evt], listener];\n\n return emitter;\n}\n\n/**\n * Clear event by name.\n *\n * @param {EventEmitter} emitter Reference to the `EventEmitter` instance.\n * @param {(String|Symbol)} evt The Event name.\n * @private\n */\nfunction clearEvent(emitter, evt) {\n if (--emitter._eventsCount === 0) emitter._events = new Events();\n else delete emitter._events[evt];\n}\n\n/**\n * Minimal `EventEmitter` interface that is molded against the Node.js\n * `EventEmitter` interface.\n *\n * @constructor\n * @public\n */\nfunction EventEmitter() {\n this._events = new Events();\n this._eventsCount = 0;\n}\n\n/**\n * Return an array listing the events for which the emitter has registered\n * listeners.\n *\n * @returns {Array}\n * @public\n */\nEventEmitter.prototype.eventNames = function eventNames() {\n var names = []\n , events\n , name;\n\n if (this._eventsCount === 0) return names;\n\n for (name in (events = this._events)) {\n if (has.call(events, name)) names.push(prefix ? name.slice(1) : name);\n }\n\n if (Object.getOwnPropertySymbols) {\n return names.concat(Object.getOwnPropertySymbols(events));\n }\n\n return names;\n};\n\n/**\n * Return the listeners registered for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @returns {Array} The registered listeners.\n * @public\n */\nEventEmitter.prototype.listeners = function listeners(event) {\n var evt = prefix ? prefix + event : event\n , handlers = this._events[evt];\n\n if (!handlers) return [];\n if (handlers.fn) return [handlers.fn];\n\n for (var i = 0, l = handlers.length, ee = new Array(l); i < l; i++) {\n ee[i] = handlers[i].fn;\n }\n\n return ee;\n};\n\n/**\n * Return the number of listeners listening to a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @returns {Number} The number of listeners.\n * @public\n */\nEventEmitter.prototype.listenerCount = function listenerCount(event) {\n var evt = prefix ? prefix + event : event\n , listeners = this._events[evt];\n\n if (!listeners) return 0;\n if (listeners.fn) return 1;\n return listeners.length;\n};\n\n/**\n * Calls each of the listeners registered for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @returns {Boolean} `true` if the event had listeners, else `false`.\n * @public\n */\nEventEmitter.prototype.emit = function emit(event, a1, a2, a3, a4, a5) {\n var evt = prefix ? prefix + event : event;\n\n if (!this._events[evt]) return false;\n\n var listeners = this._events[evt]\n , len = arguments.length\n , args\n , i;\n\n if (listeners.fn) {\n if (listeners.once) this.removeListener(event, listeners.fn, undefined, true);\n\n switch (len) {\n case 1: return listeners.fn.call(listeners.context), true;\n case 2: return listeners.fn.call(listeners.context, a1), true;\n case 3: return listeners.fn.call(listeners.context, a1, a2), true;\n case 4: return listeners.fn.call(listeners.context, a1, a2, a3), true;\n case 5: return listeners.fn.call(listeners.context, a1, a2, a3, a4), true;\n case 6: return listeners.fn.call(listeners.context, a1, a2, a3, a4, a5), true;\n }\n\n for (i = 1, args = new Array(len -1); i < len; i++) {\n args[i - 1] = arguments[i];\n }\n\n listeners.fn.apply(listeners.context, args);\n } else {\n var length = listeners.length\n , j;\n\n for (i = 0; i < length; i++) {\n if (listeners[i].once) this.removeListener(event, listeners[i].fn, undefined, true);\n\n switch (len) {\n case 1: listeners[i].fn.call(listeners[i].context); break;\n case 2: listeners[i].fn.call(listeners[i].context, a1); break;\n case 3: listeners[i].fn.call(listeners[i].context, a1, a2); break;\n case 4: listeners[i].fn.call(listeners[i].context, a1, a2, a3); break;\n default:\n if (!args) for (j = 1, args = new Array(len -1); j < len; j++) {\n args[j - 1] = arguments[j];\n }\n\n listeners[i].fn.apply(listeners[i].context, args);\n }\n }\n }\n\n return true;\n};\n\n/**\n * Add a listener for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn The listener function.\n * @param {*} [context=this] The context to invoke the listener with.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.on = function on(event, fn, context) {\n return addListener(this, event, fn, context, false);\n};\n\n/**\n * Add a one-time listener for a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn The listener function.\n * @param {*} [context=this] The context to invoke the listener with.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.once = function once(event, fn, context) {\n return addListener(this, event, fn, context, true);\n};\n\n/**\n * Remove the listeners of a given event.\n *\n * @param {(String|Symbol)} event The event name.\n * @param {Function} fn Only remove the listeners that match this function.\n * @param {*} context Only remove the listeners that have this context.\n * @param {Boolean} once Only remove one-time listeners.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.removeListener = function removeListener(event, fn, context, once) {\n var evt = prefix ? prefix + event : event;\n\n if (!this._events[evt]) return this;\n if (!fn) {\n clearEvent(this, evt);\n return this;\n }\n\n var listeners = this._events[evt];\n\n if (listeners.fn) {\n if (\n listeners.fn === fn &&\n (!once || listeners.once) &&\n (!context || listeners.context === context)\n ) {\n clearEvent(this, evt);\n }\n } else {\n for (var i = 0, events = [], length = listeners.length; i < length; i++) {\n if (\n listeners[i].fn !== fn ||\n (once && !listeners[i].once) ||\n (context && listeners[i].context !== context)\n ) {\n events.push(listeners[i]);\n }\n }\n\n //\n // Reset the array, or remove it completely if we have no more listeners.\n //\n if (events.length) this._events[evt] = events.length === 1 ? events[0] : events;\n else clearEvent(this, evt);\n }\n\n return this;\n};\n\n/**\n * Remove all listeners, or those of the specified event.\n *\n * @param {(String|Symbol)} [event] The event name.\n * @returns {EventEmitter} `this`.\n * @public\n */\nEventEmitter.prototype.removeAllListeners = function removeAllListeners(event) {\n var evt;\n\n if (event) {\n evt = prefix ? prefix + event : event;\n if (this._events[evt]) clearEvent(this, evt);\n } else {\n this._events = new Events();\n this._eventsCount = 0;\n }\n\n return this;\n};\n\n//\n// Alias methods names because people roll like that.\n//\nEventEmitter.prototype.off = EventEmitter.prototype.removeListener;\nEventEmitter.prototype.addListener = EventEmitter.prototype.on;\n\n//\n// Expose the prefix.\n//\nEventEmitter.prefixed = prefix;\n\n//\n// Allow `EventEmitter` to be imported as module namespace.\n//\nEventEmitter.EventEmitter = EventEmitter;\n\n//\n// Expose the module.\n//\nif ('undefined' !== typeof module) {\n module.exports = EventEmitter;\n}\n","/*!\n * pinia v2.1.7\n * (c) 2023 Eduardo San Martin Morote\n * @license MIT\n */\nimport { hasInjectionContext, inject, toRaw, watch, unref, markRaw, effectScope, ref, isVue2, isRef, isReactive, set, getCurrentScope, onScopeDispose, getCurrentInstance, reactive, toRef, del, nextTick, computed, toRefs } from 'vue-demi';\nimport { setupDevtoolsPlugin } from '@vue/devtools-api';\n\n/**\n * setActivePinia must be called to handle SSR at the top of functions like\n * `fetch`, `setup`, `serverPrefetch` and others\n */\nlet activePinia;\n/**\n * Sets or unsets the active pinia. Used in SSR and internally when calling\n * actions and getters\n *\n * @param pinia - Pinia instance\n */\n// @ts-expect-error: cannot constrain the type of the return\nconst setActivePinia = (pinia) => (activePinia = pinia);\n/**\n * Get the currently active pinia if there is any.\n */\nconst getActivePinia = () => (hasInjectionContext() && inject(piniaSymbol)) || activePinia;\nconst piniaSymbol = ((process.env.NODE_ENV !== 'production') ? Symbol('pinia') : /* istanbul ignore next */ Symbol());\n\nfunction isPlainObject(\n// eslint-disable-next-line @typescript-eslint/no-explicit-any\no) {\n return (o &&\n typeof o === 'object' &&\n Object.prototype.toString.call(o) === '[object Object]' &&\n typeof o.toJSON !== 'function');\n}\n// type DeepReadonly<T> = { readonly [P in keyof T]: DeepReadonly<T[P]> }\n// TODO: can we change these to numbers?\n/**\n * Possible types for SubscriptionCallback\n */\nvar MutationType;\n(function (MutationType) {\n /**\n * Direct mutation of the state:\n *\n * - `store.name = 'new name'`\n * - `store.$state.name = 'new name'`\n * - `store.list.push('new item')`\n */\n MutationType[\"direct\"] = \"direct\";\n /**\n * Mutated the state with `$patch` and an object\n *\n * - `store.$patch({ name: 'newName' })`\n */\n MutationType[\"patchObject\"] = \"patch object\";\n /**\n * Mutated the state with `$patch` and a function\n *\n * - `store.$patch(state => state.name = 'newName')`\n */\n MutationType[\"patchFunction\"] = \"patch function\";\n // maybe reset? for $state = {} and $reset\n})(MutationType || (MutationType = {}));\n\nconst IS_CLIENT = typeof window !== 'undefined';\n/**\n * Should we add the devtools plugins.\n * - only if dev mode or forced through the prod devtools flag\n * - not in test\n * - only if window exists (could change in the future)\n */\nconst USE_DEVTOOLS = ((process.env.NODE_ENV !== 'production') || (typeof __VUE_PROD_DEVTOOLS__ !== 'undefined' && __VUE_PROD_DEVTOOLS__)) && !(process.env.NODE_ENV === 'test') && IS_CLIENT;\n\n/*\n * FileSaver.js A saveAs() FileSaver implementation.\n *\n * Originally by Eli Grey, adapted as an ESM module by Eduardo San Martin\n * Morote.\n *\n * License : MIT\n */\n// The one and only way of getting global scope in all environments\n// https://stackoverflow.com/q/3277182/1008999\nconst _global = /*#__PURE__*/ (() => typeof window === 'object' && window.window === window\n ? window\n : typeof self === 'object' && self.self === self\n ? self\n : typeof global === 'object' && global.global === global\n ? global\n : typeof globalThis === 'object'\n ? globalThis\n : { HTMLElement: null })();\nfunction bom(blob, { autoBom = false } = {}) {\n // prepend BOM for UTF-8 XML and text/* types (including HTML)\n // note: your browser will automatically convert UTF-16 U+FEFF to EF BB BF\n if (autoBom &&\n /^\\s*(?:text\\/\\S*|application\\/xml|\\S*\\/\\S*\\+xml)\\s*;.*charset\\s*=\\s*utf-8/i.test(blob.type)) {\n return new Blob([String.fromCharCode(0xfeff), blob], { type: blob.type });\n }\n return blob;\n}\nfunction download(url, name, opts) {\n const xhr = new XMLHttpRequest();\n xhr.open('GET', url);\n xhr.responseType = 'blob';\n xhr.onload = function () {\n saveAs(xhr.response, name, opts);\n };\n xhr.onerror = function () {\n console.error('could not download file');\n };\n xhr.send();\n}\nfunction corsEnabled(url) {\n const xhr = new XMLHttpRequest();\n // use sync to avoid popup blocker\n xhr.open('HEAD', url, false);\n try {\n xhr.send();\n }\n catch (e) { }\n return xhr.status >= 200 && xhr.status <= 299;\n}\n// `a.click()` doesn't work for all browsers (#465)\nfunction click(node) {\n try {\n node.dispatchEvent(new MouseEvent('click'));\n }\n catch (e) {\n const evt = document.createEvent('MouseEvents');\n evt.initMouseEvent('click', true, true, window, 0, 0, 0, 80, 20, false, false, false, false, 0, null);\n node.dispatchEvent(evt);\n }\n}\nconst _navigator = \n typeof navigator === 'object' ? navigator : { userAgent: '' };\n// Detect WebView inside a native macOS app by ruling out all browsers\n// We just need to check for 'Safari' because all other browsers (besides Firefox) include that too\n// https://www.whatismybrowser.com/guides/the-latest-user-agent/macos\nconst isMacOSWebView = /*#__PURE__*/ (() => /Macintosh/.test(_navigator.userAgent) &&\n /AppleWebKit/.test(_navigator.userAgent) &&\n !/Safari/.test(_navigator.userAgent))();\nconst saveAs = !IS_CLIENT\n ? () => { } // noop\n : // Use download attribute first if possible (#193 Lumia mobile) unless this is a macOS WebView or mini program\n typeof HTMLAnchorElement !== 'undefined' &&\n 'download' in HTMLAnchorElement.prototype &&\n !isMacOSWebView\n ? downloadSaveAs\n : // Use msSaveOrOpenBlob as a second approach\n 'msSaveOrOpenBlob' in _navigator\n ? msSaveAs\n : // Fallback to using FileReader and a popup\n fileSaverSaveAs;\nfunction downloadSaveAs(blob, name = 'download', opts) {\n const a = document.createElement('a');\n a.download = name;\n a.rel = 'noopener'; // tabnabbing\n // TODO: detect chrome extensions & packaged apps\n // a.target = '_blank'\n if (typeof blob === 'string') {\n // Support regular links\n a.href = blob;\n if (a.origin !== location.origin) {\n if (corsEnabled(a.href)) {\n download(blob, name, opts);\n }\n else {\n a.target = '_blank';\n click(a);\n }\n }\n else {\n click(a);\n }\n }\n else {\n // Support blobs\n a.href = URL.createObjectURL(blob);\n setTimeout(function () {\n URL.revokeObjectURL(a.href);\n }, 4e4); // 40s\n setTimeout(function () {\n click(a);\n }, 0);\n }\n}\nfunction msSaveAs(blob, name = 'download', opts) {\n if (typeof blob === 'string') {\n if (corsEnabled(blob)) {\n download(blob, name, opts);\n }\n else {\n const a = document.createElement('a');\n a.href = blob;\n a.target = '_blank';\n setTimeout(function () {\n click(a);\n });\n }\n }\n else {\n // @ts-ignore: works on windows\n navigator.msSaveOrOpenBlob(bom(blob, opts), name);\n }\n}\nfunction fileSaverSaveAs(blob, name, opts, popup) {\n // Open a popup immediately do go around popup blocker\n // Mostly only available on user interaction and the fileReader is async so...\n popup = popup || open('', '_blank');\n if (popup) {\n popup.document.title = popup.document.body.innerText = 'downloading...';\n }\n if (typeof blob === 'string')\n return download(blob, name, opts);\n const force = blob.type === 'application/octet-stream';\n const isSafari = /constructor/i.test(String(_global.HTMLElement)) || 'safari' in _global;\n const isChromeIOS = /CriOS\\/[\\d]+/.test(navigator.userAgent);\n if ((isChromeIOS || (force && isSafari) || isMacOSWebView) &&\n typeof FileReader !== 'undefined') {\n // Safari doesn't allow downloading of blob URLs\n const reader = new FileReader();\n reader.onloadend = function () {\n let url = reader.result;\n if (typeof url !== 'string') {\n popup = null;\n throw new Error('Wrong reader.result type');\n }\n url = isChromeIOS\n ? url\n : url.replace(/^data:[^;]*;/, 'data:attachment/file;');\n if (popup) {\n popup.location.href = url;\n }\n else {\n location.assign(url);\n }\n popup = null; // reverse-tabnabbing #460\n };\n reader.readAsDataURL(blob);\n }\n else {\n const url = URL.createObjectURL(blob);\n if (popup)\n popup.location.assign(url);\n else\n location.href = url;\n popup = null; // reverse-tabnabbing #460\n setTimeout(function () {\n URL.revokeObjectURL(url);\n }, 4e4); // 40s\n }\n}\n\n/**\n * Shows a toast or console.log\n *\n * @param message - message to log\n * @param type - different color of the tooltip\n */\nfunction toastMessage(message, type) {\n const piniaMessage = '🍍 ' + message;\n if (typeof __VUE_DEVTOOLS_TOAST__ === 'function') {\n // No longer available :(\n __VUE_DEVTOOLS_TOAST__(piniaMessage, type);\n }\n else if (type === 'error') {\n console.error(piniaMessage);\n }\n else if (type === 'warn') {\n console.warn(piniaMessage);\n }\n else {\n console.log(piniaMessage);\n }\n}\nfunction isPinia(o) {\n return '_a' in o && 'install' in o;\n}\n\n/**\n * This file contain devtools actions, they are not Pinia actions.\n */\n// ---\nfunction checkClipboardAccess() {\n if (!('clipboard' in navigator)) {\n toastMessage(`Your browser doesn't support the Clipboard API`, 'error');\n return true;\n }\n}\nfunction checkNotFocusedError(error) {\n if (error instanceof Error &&\n error.message.toLowerCase().includes('document is not focused')) {\n toastMessage('You need to activate the \"Emulate a focused page\" setting in the \"Rendering\" panel of devtools.', 'warn');\n return true;\n }\n return false;\n}\nasync function actionGlobalCopyState(pinia) {\n if (checkClipboardAccess())\n return;\n try {\n await navigator.clipboard.writeText(JSON.stringify(pinia.state.value));\n toastMessage('Global state copied to clipboard.');\n }\n catch (error) {\n if (checkNotFocusedError(error))\n return;\n toastMessage(`Failed to serialize the state. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nasync function actionGlobalPasteState(pinia) {\n if (checkClipboardAccess())\n return;\n try {\n loadStoresState(pinia, JSON.parse(await navigator.clipboard.readText()));\n toastMessage('Global state pasted from clipboard.');\n }\n catch (error) {\n if (checkNotFocusedError(error))\n return;\n toastMessage(`Failed to deserialize the state from clipboard. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nasync function actionGlobalSaveState(pinia) {\n try {\n saveAs(new Blob([JSON.stringify(pinia.state.value)], {\n type: 'text/plain;charset=utf-8',\n }), 'pinia-state.json');\n }\n catch (error) {\n toastMessage(`Failed to export the state as JSON. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nlet fileInput;\nfunction getFileOpener() {\n if (!fileInput) {\n fileInput = document.createElement('input');\n fileInput.type = 'file';\n fileInput.accept = '.json';\n }\n function openFile() {\n return new Promise((resolve, reject) => {\n fileInput.onchange = async () => {\n const files = fileInput.files;\n if (!files)\n return resolve(null);\n const file = files.item(0);\n if (!file)\n return resolve(null);\n return resolve({ text: await file.text(), file });\n };\n // @ts-ignore: TODO: changed from 4.3 to 4.4\n fileInput.oncancel = () => resolve(null);\n fileInput.onerror = reject;\n fileInput.click();\n });\n }\n return openFile;\n}\nasync function actionGlobalOpenStateFile(pinia) {\n try {\n const open = getFileOpener();\n const result = await open();\n if (!result)\n return;\n const { text, file } = result;\n loadStoresState(pinia, JSON.parse(text));\n toastMessage(`Global state imported from \"${file.name}\".`);\n }\n catch (error) {\n toastMessage(`Failed to import the state from JSON. Check the console for more details.`, 'error');\n console.error(error);\n }\n}\nfunction loadStoresState(pinia, state) {\n for (const key in state) {\n const storeState = pinia.state.value[key];\n // store is already instantiated, patch it\n if (storeState) {\n Object.assign(storeState, state[key]);\n }\n else {\n // store is not instantiated, set the initial state\n pinia.state.value[key] = state[key];\n }\n }\n}\n\nfunction formatDisplay(display) {\n return {\n _custom: {\n display,\n },\n };\n}\nconst PINIA_ROOT_LABEL = '🍍 Pinia (root)';\nconst PINIA_ROOT_ID = '_root';\nfunction formatStoreForInspectorTree(store) {\n return isPinia(store)\n ? {\n id: PINIA_ROOT_ID,\n label: PINIA_ROOT_LABEL,\n }\n : {\n id: store.$id,\n label: store.$id,\n };\n}\nfunction formatStoreForInspectorState(store) {\n if (isPinia(store)) {\n const storeNames = Array.from(store._s.keys());\n const storeMap = store._s;\n const state = {\n state: storeNames.map((storeId) => ({\n editable: true,\n key: storeId,\n value: store.state.value[storeId],\n })),\n getters: storeNames\n .filter((id) => storeMap.get(id)._getters)\n .map((id) => {\n const store = storeMap.get(id);\n return {\n editable: false,\n key: id,\n value: store._getters.reduce((getters, key) => {\n getters[key] = store[key];\n return getters;\n }, {}),\n };\n }),\n };\n return state;\n }\n const state = {\n state: Object.keys(store.$state).map((key) => ({\n editable: true,\n key,\n value: store.$state[key],\n })),\n };\n // avoid adding empty getters\n if (store._getters && store._getters.length) {\n state.getters = store._getters.map((getterName) => ({\n editable: false,\n key: getterName,\n value: store[getterName],\n }));\n }\n if (store._customProperties.size) {\n state.customProperties = Array.from(store._customProperties).map((key) => ({\n editable: true,\n key,\n value: store[key],\n }));\n }\n return state;\n}\nfunction formatEventData(events) {\n if (!events)\n return {};\n if (Array.isArray(events)) {\n // TODO: handle add and delete for arrays and objects\n return events.reduce((data, event) => {\n data.keys.push(event.key);\n data.operations.push(event.type);\n data.oldValue[event.key] = event.oldValue;\n data.newValue[event.key] = event.newValue;\n return data;\n }, {\n oldValue: {},\n keys: [],\n operations: [],\n newValue: {},\n });\n }\n else {\n return {\n operation: formatDisplay(events.type),\n key: formatDisplay(events.key),\n oldValue: events.oldValue,\n newValue: events.newValue,\n };\n }\n}\nfunction formatMutationType(type) {\n switch (type) {\n case MutationType.direct:\n return 'mutation';\n case MutationType.patchFunction:\n return '$patch';\n case MutationType.patchObject:\n return '$patch';\n default:\n return 'unknown';\n }\n}\n\n// timeline can be paused when directly changing the state\nlet isTimelineActive = true;\nconst componentStateTypes = [];\nconst MUTATIONS_LAYER_ID = 'pinia:mutations';\nconst INSPECTOR_ID = 'pinia';\nconst { assign: assign$1 } = Object;\n/**\n * Gets the displayed name of a store in devtools\n *\n * @param id - id of the store\n * @returns a formatted string\n */\nconst getStoreType = (id) => '🍍 ' + id;\n/**\n * Add the pinia plugin without any store. Allows displaying a Pinia plugin tab\n * as soon as it is added to the application.\n *\n * @param app - Vue application\n * @param pinia - pinia instance\n */\nfunction registerPiniaDevtools(app, pinia) {\n setupDevtoolsPlugin({\n id: 'dev.esm.pinia',\n label: 'Pinia 🍍',\n logo: 'https://pinia.vuejs.org/logo.svg',\n packageName: 'pinia',\n homepage: 'https://pinia.vuejs.org',\n componentStateTypes,\n app,\n }, (api) => {\n if (typeof api.now !== 'function') {\n toastMessage('You seem to be using an outdated version of Vue Devtools. Are you still using the Beta release instead of the stable one? You can find the links at https://devtools.vuejs.org/guide/installation.html.');\n }\n api.addTimelineLayer({\n id: MUTATIONS_LAYER_ID,\n label: `Pinia 🍍`,\n color: 0xe5df88,\n });\n api.addInspector({\n id: INSPECTOR_ID,\n label: 'Pinia 🍍',\n icon: 'storage',\n treeFilterPlaceholder: 'Search stores',\n actions: [\n {\n icon: 'content_copy',\n action: () => {\n actionGlobalCopyState(pinia);\n },\n tooltip: 'Serialize and copy the state',\n },\n {\n icon: 'content_paste',\n action: async () => {\n await actionGlobalPasteState(pinia);\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n },\n tooltip: 'Replace the state with the content of your clipboard',\n },\n {\n icon: 'save',\n action: () => {\n actionGlobalSaveState(pinia);\n },\n tooltip: 'Save the state as a JSON file',\n },\n {\n icon: 'folder_open',\n action: async () => {\n await actionGlobalOpenStateFile(pinia);\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n },\n tooltip: 'Import the state from a JSON file',\n },\n ],\n nodeActions: [\n {\n icon: 'restore',\n tooltip: 'Reset the state (with \"$reset\")',\n action: (nodeId) => {\n const store = pinia._s.get(nodeId);\n if (!store) {\n toastMessage(`Cannot reset \"${nodeId}\" store because it wasn't found.`, 'warn');\n }\n else if (typeof store.$reset !== 'function') {\n toastMessage(`Cannot reset \"${nodeId}\" store because it doesn't have a \"$reset\" method implemented.`, 'warn');\n }\n else {\n store.$reset();\n toastMessage(`Store \"${nodeId}\" reset.`);\n }\n },\n },\n ],\n });\n api.on.inspectComponent((payload, ctx) => {\n const proxy = (payload.componentInstance &&\n payload.componentInstance.proxy);\n if (proxy && proxy._pStores) {\n const piniaStores = payload.componentInstance.proxy._pStores;\n Object.values(piniaStores).forEach((store) => {\n payload.instanceData.state.push({\n type: getStoreType(store.$id),\n key: 'state',\n editable: true,\n value: store._isOptionsAPI\n ? {\n _custom: {\n value: toRaw(store.$state),\n actions: [\n {\n icon: 'restore',\n tooltip: 'Reset the state of this store',\n action: () => store.$reset(),\n },\n ],\n },\n }\n : // NOTE: workaround to unwrap transferred refs\n Object.keys(store.$state).reduce((state, key) => {\n state[key] = store.$state[key];\n return state;\n }, {}),\n });\n if (store._getters && store._getters.length) {\n payload.instanceData.state.push({\n type: getStoreType(store.$id),\n key: 'getters',\n editable: false,\n value: store._getters.reduce((getters, key) => {\n try {\n getters[key] = store[key];\n }\n catch (error) {\n // @ts-expect-error: we just want to show it in devtools\n getters[key] = error;\n }\n return getters;\n }, {}),\n });\n }\n });\n }\n });\n api.on.getInspectorTree((payload) => {\n if (payload.app === app && payload.inspectorId === INSPECTOR_ID) {\n let stores = [pinia];\n stores = stores.concat(Array.from(pinia._s.values()));\n payload.rootNodes = (payload.filter\n ? stores.filter((store) => '$id' in store\n ? store.$id\n .toLowerCase()\n .includes(payload.filter.toLowerCase())\n : PINIA_ROOT_LABEL.toLowerCase().includes(payload.filter.toLowerCase()))\n : stores).map(formatStoreForInspectorTree);\n }\n });\n api.on.getInspectorState((payload) => {\n if (payload.app === app && payload.inspectorId === INSPECTOR_ID) {\n const inspectedStore = payload.nodeId === PINIA_ROOT_ID\n ? pinia\n : pinia._s.get(payload.nodeId);\n if (!inspectedStore) {\n // this could be the selected store restored for a different project\n // so it's better not to say anything here\n return;\n }\n if (inspectedStore) {\n payload.state = formatStoreForInspectorState(inspectedStore);\n }\n }\n });\n api.on.editInspectorState((payload, ctx) => {\n if (payload.app === app && payload.inspectorId === INSPECTOR_ID) {\n const inspectedStore = payload.nodeId === PINIA_ROOT_ID\n ? pinia\n : pinia._s.get(payload.nodeId);\n if (!inspectedStore) {\n return toastMessage(`store \"${payload.nodeId}\" not found`, 'error');\n }\n const { path } = payload;\n if (!isPinia(inspectedStore)) {\n // access only the state\n if (path.length !== 1 ||\n !inspectedStore._customProperties.has(path[0]) ||\n path[0] in inspectedStore.$state) {\n path.unshift('$state');\n }\n }\n else {\n // Root access, we can omit the `.value` because the devtools API does it for us\n path.unshift('state');\n }\n isTimelineActive = false;\n payload.set(inspectedStore, path, payload.state.value);\n isTimelineActive = true;\n }\n });\n api.on.editComponentState((payload) => {\n if (payload.type.startsWith('🍍')) {\n const storeId = payload.type.replace(/^🍍\\s*/, '');\n const store = pinia._s.get(storeId);\n if (!store) {\n return toastMessage(`store \"${storeId}\" not found`, 'error');\n }\n const { path } = payload;\n if (path[0] !== 'state') {\n return toastMessage(`Invalid path for store \"${storeId}\":\\n${path}\\nOnly state can be modified.`);\n }\n // rewrite the first entry to be able to directly set the state as\n // well as any other path\n path[0] = '$state';\n isTimelineActive = false;\n payload.set(store, path, payload.state.value);\n isTimelineActive = true;\n }\n });\n });\n}\nfunction addStoreToDevtools(app, store) {\n if (!componentStateTypes.includes(getStoreType(store.$id))) {\n componentStateTypes.push(getStoreType(store.$id));\n }\n setupDevtoolsPlugin({\n id: 'dev.esm.pinia',\n label: 'Pinia 🍍',\n logo: 'https://pinia.vuejs.org/logo.svg',\n packageName: 'pinia',\n homepage: 'https://pinia.vuejs.org',\n componentStateTypes,\n app,\n settings: {\n logStoreChanges: {\n label: 'Notify about new/deleted stores',\n type: 'boolean',\n defaultValue: true,\n },\n // useEmojis: {\n // label: 'Use emojis in messages ⚡️',\n // type: 'boolean',\n // defaultValue: true,\n // },\n },\n }, (api) => {\n // gracefully handle errors\n const now = typeof api.now === 'function' ? api.now.bind(api) : Date.now;\n store.$onAction(({ after, onError, name, args }) => {\n const groupId = runningActionId++;\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: '🛫 ' + name,\n subtitle: 'start',\n data: {\n store: formatDisplay(store.$id),\n action: formatDisplay(name),\n args,\n },\n groupId,\n },\n });\n after((result) => {\n activeAction = undefined;\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: '🛬 ' + name,\n subtitle: 'end',\n data: {\n store: formatDisplay(store.$id),\n action: formatDisplay(name),\n args,\n result,\n },\n groupId,\n },\n });\n });\n onError((error) => {\n activeAction = undefined;\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n logType: 'error',\n title: '💥 ' + name,\n subtitle: 'end',\n data: {\n store: formatDisplay(store.$id),\n action: formatDisplay(name),\n args,\n error,\n },\n groupId,\n },\n });\n });\n }, true);\n store._customProperties.forEach((name) => {\n watch(() => unref(store[name]), (newValue, oldValue) => {\n api.notifyComponentUpdate();\n api.sendInspectorState(INSPECTOR_ID);\n if (isTimelineActive) {\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: 'Change',\n subtitle: name,\n data: {\n newValue,\n oldValue,\n },\n groupId: activeAction,\n },\n });\n }\n }, { deep: true });\n });\n store.$subscribe(({ events, type }, state) => {\n api.notifyComponentUpdate();\n api.sendInspectorState(INSPECTOR_ID);\n if (!isTimelineActive)\n return;\n // rootStore.state[store.id] = state\n const eventData = {\n time: now(),\n title: formatMutationType(type),\n data: assign$1({ store: formatDisplay(store.$id) }, formatEventData(events)),\n groupId: activeAction,\n };\n if (type === MutationType.patchFunction) {\n eventData.subtitle = '⤵️';\n }\n else if (type === MutationType.patchObject) {\n eventData.subtitle = '🧩';\n }\n else if (events && !Array.isArray(events)) {\n eventData.subtitle = events.type;\n }\n if (events) {\n eventData.data['rawEvent(s)'] = {\n _custom: {\n display: 'DebuggerEvent',\n type: 'object',\n tooltip: 'raw DebuggerEvent[]',\n value: events,\n },\n };\n }\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: eventData,\n });\n }, { detached: true, flush: 'sync' });\n const hotUpdate = store._hotUpdate;\n store._hotUpdate = markRaw((newStore) => {\n hotUpdate(newStore);\n api.addTimelineEvent({\n layerId: MUTATIONS_LAYER_ID,\n event: {\n time: now(),\n title: '🔥 ' + store.$id,\n subtitle: 'HMR update',\n data: {\n store: formatDisplay(store.$id),\n info: formatDisplay(`HMR update`),\n },\n },\n });\n // update the devtools too\n api.notifyComponentUpdate();\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n });\n const { $dispose } = store;\n store.$dispose = () => {\n $dispose();\n api.notifyComponentUpdate();\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n api.getSettings().logStoreChanges &&\n toastMessage(`Disposed \"${store.$id}\" store 🗑`);\n };\n // trigger an update so it can display new registered stores\n api.notifyComponentUpdate();\n api.sendInspectorTree(INSPECTOR_ID);\n api.sendInspectorState(INSPECTOR_ID);\n api.getSettings().logStoreChanges &&\n toastMessage(`\"${store.$id}\" store installed 🆕`);\n });\n}\nlet runningActionId = 0;\nlet activeAction;\n/**\n * Patches a store to enable action grouping in devtools by wrapping the store with a Proxy that is passed as the\n * context of all actions, allowing us to set `runningAction` on each access and effectively associating any state\n * mutation to the action.\n *\n * @param store - store to patch\n * @param actionNames - list of actionst to patch\n */\nfunction patchActionForGrouping(store, actionNames, wrapWithProxy) {\n // original actions of the store as they are given by pinia. We are going to override them\n const actions = actionNames.reduce((storeActions, actionName) => {\n // use toRaw to avoid tracking #541\n storeActions[actionName] = toRaw(store)[actionName];\n return storeActions;\n }, {});\n for (const actionName in actions) {\n store[actionName] = function () {\n // the running action id is incremented in a before action hook\n const _actionId = runningActionId;\n const trackedStore = wrapWithProxy\n ? new Proxy(store, {\n get(...args) {\n activeAction = _actionId;\n return Reflect.get(...args);\n },\n set(...args) {\n activeAction = _actionId;\n return Reflect.set(...args);\n },\n })\n : store;\n // For Setup Stores we need https://github.com/tc39/proposal-async-context\n activeAction = _actionId;\n const retValue = actions[actionName].apply(trackedStore, arguments);\n // this is safer as async actions in Setup Stores would associate mutations done outside of the action\n activeAction = undefined;\n return retValue;\n };\n }\n}\n/**\n * pinia.use(devtoolsPlugin)\n */\nfunction devtoolsPlugin({ app, store, options }) {\n // HMR module\n if (store.$id.startsWith('__hot:')) {\n return;\n }\n // detect option api vs setup api\n store._isOptionsAPI = !!options.state;\n patchActionForGrouping(store, Object.keys(options.actions), store._isOptionsAPI);\n // Upgrade the HMR to also update the new actions\n const originalHotUpdate = store._hotUpdate;\n toRaw(store)._hotUpdate = function (newStore) {\n originalHotUpdate.apply(this, arguments);\n patchActionForGrouping(store, Object.keys(newStore._hmrPayload.actions), !!store._isOptionsAPI);\n };\n addStoreToDevtools(app, \n // FIXME: is there a way to allow the assignment from Store<Id, S, G, A> to StoreGeneric?\n store);\n}\n\n/**\n * Creates a Pinia instance to be used by the application\n */\nfunction createPinia() {\n const scope = effectScope(true);\n // NOTE: here we could check the window object for a state and directly set it\n // if there is anything like it with Vue 3 SSR\n const state = scope.run(() => ref({}));\n let _p = [];\n // plugins added before calling app.use(pinia)\n let toBeInstalled = [];\n const pinia = markRaw({\n install(app) {\n // this allows calling useStore() outside of a component setup after\n // installing pinia's plugin\n setActivePinia(pinia);\n if (!isVue2) {\n pinia._a = app;\n app.provide(piniaSymbol, pinia);\n app.config.globalProperties.$pinia = pinia;\n /* istanbul ignore else */\n if (USE_DEVTOOLS) {\n registerPiniaDevtools(app, pinia);\n }\n toBeInstalled.forEach((plugin) => _p.push(plugin));\n toBeInstalled = [];\n }\n },\n use(plugin) {\n if (!this._a && !isVue2) {\n toBeInstalled.push(plugin);\n }\n else {\n _p.push(plugin);\n }\n return this;\n },\n _p,\n // it's actually undefined here\n // @ts-expect-error\n _a: null,\n _e: scope,\n _s: new Map(),\n state,\n });\n // pinia devtools rely on dev only features so they cannot be forced unless\n // the dev build of Vue is used. Avoid old browsers like IE11.\n if (USE_DEVTOOLS && typeof Proxy !== 'undefined') {\n pinia.use(devtoolsPlugin);\n }\n return pinia;\n}\n\n/**\n * Checks if a function is a `StoreDefinition`.\n *\n * @param fn - object to test\n * @returns true if `fn` is a StoreDefinition\n */\nconst isUseStore = (fn) => {\n return typeof fn === 'function' && typeof fn.$id === 'string';\n};\n/**\n * Mutates in place `newState` with `oldState` to _hot update_ it. It will\n * remove any key not existing in `newState` and recursively merge plain\n * objects.\n *\n * @param newState - new state object to be patched\n * @param oldState - old state that should be used to patch newState\n * @returns - newState\n */\nfunction patchObject(newState, oldState) {\n // no need to go through symbols because they cannot be serialized anyway\n for (const key in oldState) {\n const subPatch = oldState[key];\n // skip the whole sub tree\n if (!(key in newState)) {\n continue;\n }\n const targetValue = newState[key];\n if (isPlainObject(targetValue) &&\n isPlainObject(subPatch) &&\n !isRef(subPatch) &&\n !isReactive(subPatch)) {\n newState[key] = patchObject(targetValue, subPatch);\n }\n else {\n // objects are either a bit more complex (e.g. refs) or primitives, so we\n // just set the whole thing\n if (isVue2) {\n set(newState, key, subPatch);\n }\n else {\n newState[key] = subPatch;\n }\n }\n }\n return newState;\n}\n/**\n * Creates an _accept_ function to pass to `import.meta.hot` in Vite applications.\n *\n * @example\n * ```js\n * const useUser = defineStore(...)\n * if (import.meta.hot) {\n * import.meta.hot.accept(acceptHMRUpdate(useUser, import.meta.hot))\n * }\n * ```\n *\n * @param initialUseStore - return of the defineStore to hot update\n * @param hot - `import.meta.hot`\n */\nfunction acceptHMRUpdate(initialUseStore, hot) {\n // strip as much as possible from iife.prod\n if (!(process.env.NODE_ENV !== 'production')) {\n return () => { };\n }\n return (newModule) => {\n const pinia = hot.data.pinia || initialUseStore._pinia;\n if (!pinia) {\n // this store is still not used\n return;\n }\n // preserve the pinia instance across loads\n hot.data.pinia = pinia;\n // console.log('got data', newStore)\n for (const exportName in newModule) {\n const useStore = newModule[exportName];\n // console.log('checking for', exportName)\n if (isUseStore(useStore) && pinia._s.has(useStore.$id)) {\n // console.log('Accepting update for', useStore.$id)\n const id = useStore.$id;\n if (id !== initialUseStore.$id) {\n console.warn(`The id of the store changed from \"${initialUseStore.$id}\" to \"${id}\". Reloading.`);\n // return import.meta.hot.invalidate()\n return hot.invalidate();\n }\n const existingStore = pinia._s.get(id);\n if (!existingStore) {\n console.log(`[Pinia]: skipping hmr because store doesn't exist yet`);\n return;\n }\n useStore(pinia, existingStore);\n }\n }\n };\n}\n\nconst noop = () => { };\nfunction addSubscription(subscriptions, callback, detached, onCleanup = noop) {\n subscriptions.push(callback);\n const removeSubscription = () => {\n const idx = subscriptions.indexOf(callback);\n if (idx > -1) {\n subscriptions.splice(idx, 1);\n onCleanup();\n }\n };\n if (!detached && getCurrentScope()) {\n onScopeDispose(removeSubscription);\n }\n return removeSubscription;\n}\nfunction triggerSubscriptions(subscriptions, ...args) {\n subscriptions.slice().forEach((callback) => {\n callback(...args);\n });\n}\n\nconst fallbackRunWithContext = (fn) => fn();\nfunction mergeReactiveObjects(target, patchToApply) {\n // Handle Map instances\n if (target instanceof Map && patchToApply instanceof Map) {\n patchToApply.forEach((value, key) => target.set(key, value));\n }\n // Handle Set instances\n if (target instanceof Set && patchToApply instanceof Set) {\n patchToApply.forEach(target.add, target);\n }\n // no need to go through symbols because they cannot be serialized anyway\n for (const key in patchToApply) {\n if (!patchToApply.hasOwnProperty(key))\n continue;\n const subPatch = patchToApply[key];\n const targetValue = target[key];\n if (isPlainObject(targetValue) &&\n isPlainObject(subPatch) &&\n target.hasOwnProperty(key) &&\n !isRef(subPatch) &&\n !isReactive(subPatch)) {\n // NOTE: here I wanted to warn about inconsistent types but it's not possible because in setup stores one might\n // start the value of a property as a certain type e.g. a Map, and then for some reason, during SSR, change that\n // to `undefined`. When trying to hydrate, we want to override the Map with `undefined`.\n target[key] = mergeReactiveObjects(targetValue, subPatch);\n }\n else {\n // @ts-expect-error: subPatch is a valid value\n target[key] = subPatch;\n }\n }\n return target;\n}\nconst skipHydrateSymbol = (process.env.NODE_ENV !== 'production')\n ? Symbol('pinia:skipHydration')\n : /* istanbul ignore next */ Symbol();\nconst skipHydrateMap = /*#__PURE__*/ new WeakMap();\n/**\n * Tells Pinia to skip the hydration process of a given object. This is useful in setup stores (only) when you return a\n * stateful object in the store but it isn't really state. e.g. returning a router instance in a setup store.\n *\n * @param obj - target object\n * @returns obj\n */\nfunction skipHydrate(obj) {\n return isVue2\n ? // in @vue/composition-api, the refs are sealed so defineProperty doesn't work...\n /* istanbul ignore next */ skipHydrateMap.set(obj, 1) && obj\n : Object.defineProperty(obj, skipHydrateSymbol, {});\n}\n/**\n * Returns whether a value should be hydrated\n *\n * @param obj - target variable\n * @returns true if `obj` should be hydrated\n */\nfunction shouldHydrate(obj) {\n return isVue2\n ? /* istanbul ignore next */ !skipHydrateMap.has(obj)\n : !isPlainObject(obj) || !obj.hasOwnProperty(skipHydrateSymbol);\n}\nconst { assign } = Object;\nfunction isComputed(o) {\n return !!(isRef(o) && o.effect);\n}\nfunction createOptionsStore(id, options, pinia, hot) {\n const { state, actions, getters } = options;\n const initialState = pinia.state.value[id];\n let store;\n function setup() {\n if (!initialState && (!(process.env.NODE_ENV !== 'production') || !hot)) {\n /* istanbul ignore if */\n if (isVue2) {\n set(pinia.state.value, id, state ? state() : {});\n }\n else {\n pinia.state.value[id] = state ? state() : {};\n }\n }\n // avoid creating a state in pinia.state.value\n const localState = (process.env.NODE_ENV !== 'production') && hot\n ? // use ref() to unwrap refs inside state TODO: check if this is still necessary\n toRefs(ref(state ? state() : {}).value)\n : toRefs(pinia.state.value[id]);\n return assign(localState, actions, Object.keys(getters || {}).reduce((computedGetters, name) => {\n if ((process.env.NODE_ENV !== 'production') && name in localState) {\n console.warn(`[🍍]: A getter cannot have the same name as another state property. Rename one of them. Found with \"${name}\" in store \"${id}\".`);\n }\n computedGetters[name] = markRaw(computed(() => {\n setActivePinia(pinia);\n // it was created just before\n const store = pinia._s.get(id);\n // allow cross using stores\n /* istanbul ignore next */\n if (isVue2 && !store._r)\n return;\n // @ts-expect-error\n // return getters![name].call(context, context)\n // TODO: avoid reading the getter while assigning with a global variable\n return getters[name].call(store, store);\n }));\n return computedGetters;\n }, {}));\n }\n store = createSetupStore(id, setup, options, pinia, hot, true);\n return store;\n}\nfunction createSetupStore($id, setup, options = {}, pinia, hot, isOptionsStore) {\n let scope;\n const optionsForPlugin = assign({ actions: {} }, options);\n /* istanbul ignore if */\n if ((process.env.NODE_ENV !== 'production') && !pinia._e.active) {\n throw new Error('Pinia destroyed');\n }\n // watcher options for $subscribe\n const $subscribeOptions = {\n deep: true,\n // flush: 'post',\n };\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production') && !isVue2) {\n $subscribeOptions.onTrigger = (event) => {\n /* istanbul ignore else */\n if (isListening) {\n debuggerEvents = event;\n // avoid triggering this while the store is being built and the state is being set in pinia\n }\n else if (isListening == false && !store._hotUpdating) {\n // let patch send all the events together later\n /* istanbul ignore else */\n if (Array.isArray(debuggerEvents)) {\n debuggerEvents.push(event);\n }\n else {\n console.error('🍍 debuggerEvents should be an array. This is most likely an internal Pinia bug.');\n }\n }\n };\n }\n // internal state\n let isListening; // set to true at the end\n let isSyncListening; // set to true at the end\n let subscriptions = [];\n let actionSubscriptions = [];\n let debuggerEvents;\n const initialState = pinia.state.value[$id];\n // avoid setting the state for option stores if it is set\n // by the setup\n if (!isOptionsStore && !initialState && (!(process.env.NODE_ENV !== 'production') || !hot)) {\n /* istanbul ignore if */\n if (isVue2) {\n set(pinia.state.value, $id, {});\n }\n else {\n pinia.state.value[$id] = {};\n }\n }\n const hotState = ref({});\n // avoid triggering too many listeners\n // https://github.com/vuejs/pinia/issues/1129\n let activeListener;\n function $patch(partialStateOrMutator) {\n let subscriptionMutation;\n isListening = isSyncListening = false;\n // reset the debugger events since patches are sync\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n debuggerEvents = [];\n }\n if (typeof partialStateOrMutator === 'function') {\n partialStateOrMutator(pinia.state.value[$id]);\n subscriptionMutation = {\n type: MutationType.patchFunction,\n storeId: $id,\n events: debuggerEvents,\n };\n }\n else {\n mergeReactiveObjects(pinia.state.value[$id], partialStateOrMutator);\n subscriptionMutation = {\n type: MutationType.patchObject,\n payload: partialStateOrMutator,\n storeId: $id,\n events: debuggerEvents,\n };\n }\n const myListenerId = (activeListener = Symbol());\n nextTick().then(() => {\n if (activeListener === myListenerId) {\n isListening = true;\n }\n });\n isSyncListening = true;\n // because we paused the watcher, we need to manually call the subscriptions\n triggerSubscriptions(subscriptions, subscriptionMutation, pinia.state.value[$id]);\n }\n const $reset = isOptionsStore\n ? function $reset() {\n const { state } = options;\n const newState = state ? state() : {};\n // we use a patch to group all changes into one single subscription\n this.$patch(($state) => {\n assign($state, newState);\n });\n }\n : /* istanbul ignore next */\n (process.env.NODE_ENV !== 'production')\n ? () => {\n throw new Error(`🍍: Store \"${$id}\" is built using the setup syntax and does not implement $reset().`);\n }\n : noop;\n function $dispose() {\n scope.stop();\n subscriptions = [];\n actionSubscriptions = [];\n pinia._s.delete($id);\n }\n /**\n * Wraps an action to handle subscriptions.\n *\n * @param name - name of the action\n * @param action - action to wrap\n * @returns a wrapped action to handle subscriptions\n */\n function wrapAction(name, action) {\n return function () {\n setActivePinia(pinia);\n const args = Array.from(arguments);\n const afterCallbackList = [];\n const onErrorCallbackList = [];\n function after(callback) {\n afterCallbackList.push(callback);\n }\n function onError(callback) {\n onErrorCallbackList.push(callback);\n }\n // @ts-expect-error\n triggerSubscriptions(actionSubscriptions, {\n args,\n name,\n store,\n after,\n onError,\n });\n let ret;\n try {\n ret = action.apply(this && this.$id === $id ? this : store, args);\n // handle sync errors\n }\n catch (error) {\n triggerSubscriptions(onErrorCallbackList, error);\n throw error;\n }\n if (ret instanceof Promise) {\n return ret\n .then((value) => {\n triggerSubscriptions(afterCallbackList, value);\n return value;\n })\n .catch((error) => {\n triggerSubscriptions(onErrorCallbackList, error);\n return Promise.reject(error);\n });\n }\n // trigger after callbacks\n triggerSubscriptions(afterCallbackList, ret);\n return ret;\n };\n }\n const _hmrPayload = /*#__PURE__*/ markRaw({\n actions: {},\n getters: {},\n state: [],\n hotState,\n });\n const partialStore = {\n _p: pinia,\n // _s: scope,\n $id,\n $onAction: addSubscription.bind(null, actionSubscriptions),\n $patch,\n $reset,\n $subscribe(callback, options = {}) {\n const removeSubscription = addSubscription(subscriptions, callback, options.detached, () => stopWatcher());\n const stopWatcher = scope.run(() => watch(() => pinia.state.value[$id], (state) => {\n if (options.flush === 'sync' ? isSyncListening : isListening) {\n callback({\n storeId: $id,\n type: MutationType.direct,\n events: debuggerEvents,\n }, state);\n }\n }, assign({}, $subscribeOptions, options)));\n return removeSubscription;\n },\n $dispose,\n };\n /* istanbul ignore if */\n if (isVue2) {\n // start as non ready\n partialStore._r = false;\n }\n const store = reactive((process.env.NODE_ENV !== 'production') || USE_DEVTOOLS\n ? assign({\n _hmrPayload,\n _customProperties: markRaw(new Set()), // devtools custom properties\n }, partialStore\n // must be added later\n // setupStore\n )\n : partialStore);\n // store the partial store now so the setup of stores can instantiate each other before they are finished without\n // creating infinite loops.\n pinia._s.set($id, store);\n const runWithContext = (pinia._a && pinia._a.runWithContext) || fallbackRunWithContext;\n // TODO: idea create skipSerialize that marks properties as non serializable and they are skipped\n const setupStore = runWithContext(() => pinia._e.run(() => (scope = effectScope()).run(setup)));\n // overwrite existing actions to support $onAction\n for (const key in setupStore) {\n const prop = setupStore[key];\n if ((isRef(prop) && !isComputed(prop)) || isReactive(prop)) {\n // mark it as a piece of state to be serialized\n if ((process.env.NODE_ENV !== 'production') && hot) {\n set(hotState.value, key, toRef(setupStore, key));\n // createOptionStore directly sets the state in pinia.state.value so we\n // can just skip that\n }\n else if (!isOptionsStore) {\n // in setup stores we must hydrate the state and sync pinia state tree with the refs the user just created\n if (initialState && shouldHydrate(prop)) {\n if (isRef(prop)) {\n prop.value = initialState[key];\n }\n else {\n // probably a reactive object, lets recursively assign\n // @ts-expect-error: prop is unknown\n mergeReactiveObjects(prop, initialState[key]);\n }\n }\n // transfer the ref to the pinia state to keep everything in sync\n /* istanbul ignore if */\n if (isVue2) {\n set(pinia.state.value[$id], key, prop);\n }\n else {\n pinia.state.value[$id][key] = prop;\n }\n }\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n _hmrPayload.state.push(key);\n }\n // action\n }\n else if (typeof prop === 'function') {\n // @ts-expect-error: we are overriding the function we avoid wrapping if\n const actionValue = (process.env.NODE_ENV !== 'production') && hot ? prop : wrapAction(key, prop);\n // this a hot module replacement store because the hotUpdate method needs\n // to do it with the right context\n /* istanbul ignore if */\n if (isVue2) {\n set(setupStore, key, actionValue);\n }\n else {\n // @ts-expect-error\n setupStore[key] = actionValue;\n }\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n _hmrPayload.actions[key] = prop;\n }\n // list actions so they can be used in plugins\n // @ts-expect-error\n optionsForPlugin.actions[key] = prop;\n }\n else if ((process.env.NODE_ENV !== 'production')) {\n // add getters for devtools\n if (isComputed(prop)) {\n _hmrPayload.getters[key] = isOptionsStore\n ? // @ts-expect-error\n options.getters[key]\n : prop;\n if (IS_CLIENT) {\n const getters = setupStore._getters ||\n // @ts-expect-error: same\n (setupStore._getters = markRaw([]));\n getters.push(key);\n }\n }\n }\n }\n // add the state, getters, and action properties\n /* istanbul ignore if */\n if (isVue2) {\n Object.keys(setupStore).forEach((key) => {\n set(store, key, setupStore[key]);\n });\n }\n else {\n assign(store, setupStore);\n // allows retrieving reactive objects with `storeToRefs()`. Must be called after assigning to the reactive object.\n // Make `storeToRefs()` work with `reactive()` #799\n assign(toRaw(store), setupStore);\n }\n // use this instead of a computed with setter to be able to create it anywhere\n // without linking the computed lifespan to wherever the store is first\n // created.\n Object.defineProperty(store, '$state', {\n get: () => ((process.env.NODE_ENV !== 'production') && hot ? hotState.value : pinia.state.value[$id]),\n set: (state) => {\n /* istanbul ignore if */\n if ((process.env.NODE_ENV !== 'production') && hot) {\n throw new Error('cannot set hotState');\n }\n $patch(($state) => {\n assign($state, state);\n });\n },\n });\n // add the hotUpdate before plugins to allow them to override it\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n store._hotUpdate = markRaw((newStore) => {\n store._hotUpdating = true;\n newStore._hmrPayload.state.forEach((stateKey) => {\n if (stateKey in store.$state) {\n const newStateTarget = newStore.$state[stateKey];\n const oldStateSource = store.$state[stateKey];\n if (typeof newStateTarget === 'object' &&\n isPlainObject(newStateTarget) &&\n isPlainObject(oldStateSource)) {\n patchObject(newStateTarget, oldStateSource);\n }\n else {\n // transfer the ref\n newStore.$state[stateKey] = oldStateSource;\n }\n }\n // patch direct access properties to allow store.stateProperty to work as\n // store.$state.stateProperty\n set(store, stateKey, toRef(newStore.$state, stateKey));\n });\n // remove deleted state properties\n Object.keys(store.$state).forEach((stateKey) => {\n if (!(stateKey in newStore.$state)) {\n del(store, stateKey);\n }\n });\n // avoid devtools logging this as a mutation\n isListening = false;\n isSyncListening = false;\n pinia.state.value[$id] = toRef(newStore._hmrPayload, 'hotState');\n isSyncListening = true;\n nextTick().then(() => {\n isListening = true;\n });\n for (const actionName in newStore._hmrPayload.actions) {\n const action = newStore[actionName];\n set(store, actionName, wrapAction(actionName, action));\n }\n // TODO: does this work in both setup and option store?\n for (const getterName in newStore._hmrPayload.getters) {\n const getter = newStore._hmrPayload.getters[getterName];\n const getterValue = isOptionsStore\n ? // special handling of options api\n computed(() => {\n setActivePinia(pinia);\n return getter.call(store, store);\n })\n : getter;\n set(store, getterName, getterValue);\n }\n // remove deleted getters\n Object.keys(store._hmrPayload.getters).forEach((key) => {\n if (!(key in newStore._hmrPayload.getters)) {\n del(store, key);\n }\n });\n // remove old actions\n Object.keys(store._hmrPayload.actions).forEach((key) => {\n if (!(key in newStore._hmrPayload.actions)) {\n del(store, key);\n }\n });\n // update the values used in devtools and to allow deleting new properties later on\n store._hmrPayload = newStore._hmrPayload;\n store._getters = newStore._getters;\n store._hotUpdating = false;\n });\n }\n if (USE_DEVTOOLS) {\n const nonEnumerable = {\n writable: true,\n configurable: true,\n // avoid warning on devtools trying to display this property\n enumerable: false,\n };\n ['_p', '_hmrPayload', '_getters', '_customProperties'].forEach((p) => {\n Object.defineProperty(store, p, assign({ value: store[p] }, nonEnumerable));\n });\n }\n /* istanbul ignore if */\n if (isVue2) {\n // mark the store as ready before plugins\n store._r = true;\n }\n // apply all plugins\n pinia._p.forEach((extender) => {\n /* istanbul ignore else */\n if (USE_DEVTOOLS) {\n const extensions = scope.run(() => extender({\n store,\n app: pinia._a,\n pinia,\n options: optionsForPlugin,\n }));\n Object.keys(extensions || {}).forEach((key) => store._customProperties.add(key));\n assign(store, extensions);\n }\n else {\n assign(store, scope.run(() => extender({\n store,\n app: pinia._a,\n pinia,\n options: optionsForPlugin,\n })));\n }\n });\n if ((process.env.NODE_ENV !== 'production') &&\n store.$state &&\n typeof store.$state === 'object' &&\n typeof store.$state.constructor === 'function' &&\n !store.$state.constructor.toString().includes('[native code]')) {\n console.warn(`[🍍]: The \"state\" must be a plain object. It cannot be\\n` +\n `\\tstate: () => new MyClass()\\n` +\n `Found in store \"${store.$id}\".`);\n }\n // only apply hydrate to option stores with an initial state in pinia\n if (initialState &&\n isOptionsStore &&\n options.hydrate) {\n options.hydrate(store.$state, initialState);\n }\n isListening = true;\n isSyncListening = true;\n return store;\n}\nfunction defineStore(\n// TODO: add proper types from above\nidOrOptions, setup, setupOptions) {\n let id;\n let options;\n const isSetupStore = typeof setup === 'function';\n if (typeof idOrOptions === 'string') {\n id = idOrOptions;\n // the option store setup will contain the actual options in this case\n options = isSetupStore ? setupOptions : setup;\n }\n else {\n options = idOrOptions;\n id = idOrOptions.id;\n if ((process.env.NODE_ENV !== 'production') && typeof id !== 'string') {\n throw new Error(`[🍍]: \"defineStore()\" must be passed a store id as its first argument.`);\n }\n }\n function useStore(pinia, hot) {\n const hasContext = hasInjectionContext();\n pinia =\n // in test mode, ignore the argument provided as we can always retrieve a\n // pinia instance with getActivePinia()\n ((process.env.NODE_ENV === 'test') && activePinia && activePinia._testing ? null : pinia) ||\n (hasContext ? inject(piniaSymbol, null) : null);\n if (pinia)\n setActivePinia(pinia);\n if ((process.env.NODE_ENV !== 'production') && !activePinia) {\n throw new Error(`[🍍]: \"getActivePinia()\" was called but there was no active Pinia. Are you trying to use a store before calling \"app.use(pinia)\"?\\n` +\n `See https://pinia.vuejs.org/core-concepts/outside-component-usage.html for help.\\n` +\n `This will fail in production.`);\n }\n pinia = activePinia;\n if (!pinia._s.has(id)) {\n // creating the store registers it in `pinia._s`\n if (isSetupStore) {\n createSetupStore(id, setup, options, pinia);\n }\n else {\n createOptionsStore(id, options, pinia);\n }\n /* istanbul ignore else */\n if ((process.env.NODE_ENV !== 'production')) {\n // @ts-expect-error: not the right inferred type\n useStore._pinia = pinia;\n }\n }\n const store = pinia._s.get(id);\n if ((process.env.NODE_ENV !== 'production') && hot) {\n const hotId = '__hot:' + id;\n const newStore = isSetupStore\n ? createSetupStore(hotId, setup, options, pinia, true)\n : createOptionsStore(hotId, assign({}, options), pinia, true);\n hot._hotUpdate(newStore);\n // cleanup the state properties and the store from the cache\n delete pinia.state.value[hotId];\n pinia._s.delete(hotId);\n }\n if ((process.env.NODE_ENV !== 'production') && IS_CLIENT) {\n const currentInstance = getCurrentInstance();\n // save stores in instances to access them devtools\n if (currentInstance &&\n currentInstance.proxy &&\n // avoid adding stores that are just built for hot module replacement\n !hot) {\n const vm = currentInstance.proxy;\n const cache = '_pStores' in vm ? vm._pStores : (vm._pStores = {});\n cache[id] = store;\n }\n }\n // StoreGeneric cannot be casted towards Store\n return store;\n }\n useStore.$id = id;\n return useStore;\n}\n\nlet mapStoreSuffix = 'Store';\n/**\n * Changes the suffix added by `mapStores()`. Can be set to an empty string.\n * Defaults to `\"Store\"`. Make sure to extend the MapStoresCustomization\n * interface if you are using TypeScript.\n *\n * @param suffix - new suffix\n */\nfunction setMapStoreSuffix(suffix // could be 'Store' but that would be annoying for JS\n) {\n mapStoreSuffix = suffix;\n}\n/**\n * Allows using stores without the composition API (`setup()`) by generating an\n * object to be spread in the `computed` field of a component. It accepts a list\n * of store definitions.\n *\n * @example\n * ```js\n * export default {\n * computed: {\n * // other computed properties\n * ...mapStores(useUserStore, useCartStore)\n * },\n *\n * created() {\n * this.userStore // store with id \"user\"\n * this.cartStore // store with id \"cart\"\n * }\n * }\n * ```\n *\n * @param stores - list of stores to map to an object\n */\nfunction mapStores(...stores) {\n if ((process.env.NODE_ENV !== 'production') && Array.isArray(stores[0])) {\n console.warn(`[🍍]: Directly pass all stores to \"mapStores()\" without putting them in an array:\\n` +\n `Replace\\n` +\n `\\tmapStores([useAuthStore, useCartStore])\\n` +\n `with\\n` +\n `\\tmapStores(useAuthStore, useCartStore)\\n` +\n `This will fail in production if not fixed.`);\n stores = stores[0];\n }\n return stores.reduce((reduced, useStore) => {\n // @ts-expect-error: $id is added by defineStore\n reduced[useStore.$id + mapStoreSuffix] = function () {\n return useStore(this.$pinia);\n };\n return reduced;\n }, {});\n}\n/**\n * Allows using state and getters from one store without using the composition\n * API (`setup()`) by generating an object to be spread in the `computed` field\n * of a component.\n *\n * @param useStore - store to map from\n * @param keysOrMapper - array or object\n */\nfunction mapState(useStore, keysOrMapper) {\n return Array.isArray(keysOrMapper)\n ? keysOrMapper.reduce((reduced, key) => {\n reduced[key] = function () {\n return useStore(this.$pinia)[key];\n };\n return reduced;\n }, {})\n : Object.keys(keysOrMapper).reduce((reduced, key) => {\n // @ts-expect-error\n reduced[key] = function () {\n const store = useStore(this.$pinia);\n const storeKey = keysOrMapper[key];\n // for some reason TS is unable to infer the type of storeKey to be a\n // function\n return typeof storeKey === 'function'\n ? storeKey.call(this, store)\n : store[storeKey];\n };\n return reduced;\n }, {});\n}\n/**\n * Alias for `mapState()`. You should use `mapState()` instead.\n * @deprecated use `mapState()` instead.\n */\nconst mapGetters = mapState;\n/**\n * Allows directly using actions from your store without using the composition\n * API (`setup()`) by generating an object to be spread in the `methods` field\n * of a component.\n *\n * @param useStore - store to map from\n * @param keysOrMapper - array or object\n */\nfunction mapActions(useStore, keysOrMapper) {\n return Array.isArray(keysOrMapper)\n ? keysOrMapper.reduce((reduced, key) => {\n // @ts-expect-error\n reduced[key] = function (...args) {\n return useStore(this.$pinia)[key](...args);\n };\n return reduced;\n }, {})\n : Object.keys(keysOrMapper).reduce((reduced, key) => {\n // @ts-expect-error\n reduced[key] = function (...args) {\n return useStore(this.$pinia)[keysOrMapper[key]](...args);\n };\n return reduced;\n }, {});\n}\n/**\n * Allows using state and getters from one store without using the composition\n * API (`setup()`) by generating an object to be spread in the `computed` field\n * of a component.\n *\n * @param useStore - store to map from\n * @param keysOrMapper - array or object\n */\nfunction mapWritableState(useStore, keysOrMapper) {\n return Array.isArray(keysOrMapper)\n ? keysOrMapper.reduce((reduced, key) => {\n // @ts-ignore\n reduced[key] = {\n get() {\n return useStore(this.$pinia)[key];\n },\n set(value) {\n // it's easier to type it here as any\n return (useStore(this.$pinia)[key] = value);\n },\n };\n return reduced;\n }, {})\n : Object.keys(keysOrMapper).reduce((reduced, key) => {\n // @ts-ignore\n reduced[key] = {\n get() {\n return useStore(this.$pinia)[keysOrMapper[key]];\n },\n set(value) {\n // it's easier to type it here as any\n return (useStore(this.$pinia)[keysOrMapper[key]] = value);\n },\n };\n return reduced;\n }, {});\n}\n\n/**\n * Creates an object of references with all the state, getters, and plugin-added\n * state properties of the store. Similar to `toRefs()` but specifically\n * designed for Pinia stores so methods and non reactive properties are\n * completely ignored.\n *\n * @param store - store to extract the refs from\n */\nfunction storeToRefs(store) {\n // See https://github.com/vuejs/pinia/issues/852\n // It's easier to just use toRefs() even if it includes more stuff\n if (isVue2) {\n // @ts-expect-error: toRefs include methods and others\n return toRefs(store);\n }\n else {\n store = toRaw(store);\n const refs = {};\n for (const key in store) {\n const value = store[key];\n if (isRef(value) || isReactive(value)) {\n // @ts-expect-error: the key is state or getter\n refs[key] =\n // ---\n toRef(store, key);\n }\n }\n return refs;\n }\n}\n\n/**\n * Vue 2 Plugin that must be installed for pinia to work. Note **you don't need\n * this plugin if you are using Nuxt.js**. Use the `buildModule` instead:\n * https://pinia.vuejs.org/ssr/nuxt.html.\n *\n * @example\n * ```js\n * import Vue from 'vue'\n * import { PiniaVuePlugin, createPinia } from 'pinia'\n *\n * Vue.use(PiniaVuePlugin)\n * const pinia = createPinia()\n *\n * new Vue({\n * el: '#app',\n * // ...\n * pinia,\n * })\n * ```\n *\n * @param _Vue - `Vue` imported from 'vue'.\n */\nconst PiniaVuePlugin = function (_Vue) {\n // Equivalent of\n // app.config.globalProperties.$pinia = pinia\n _Vue.mixin({\n beforeCreate() {\n const options = this.$options;\n if (options.pinia) {\n const pinia = options.pinia;\n // HACK: taken from provide(): https://github.com/vuejs/composition-api/blob/main/src/apis/inject.ts#L31\n /* istanbul ignore else */\n if (!this._provided) {\n const provideCache = {};\n Object.defineProperty(this, '_provided', {\n get: () => provideCache,\n set: (v) => Object.assign(provideCache, v),\n });\n }\n this._provided[piniaSymbol] = pinia;\n // propagate the pinia instance in an SSR friendly way\n // avoid adding it to nuxt twice\n /* istanbul ignore else */\n if (!this.$pinia) {\n this.$pinia = pinia;\n }\n pinia._a = this;\n if (IS_CLIENT) {\n // this allows calling useStore() outside of a component setup after\n // installing pinia's plugin\n setActivePinia(pinia);\n }\n if (USE_DEVTOOLS) {\n registerPiniaDevtools(pinia._a, pinia);\n }\n }\n else if (!this.$pinia && options.parent && options.parent.$pinia) {\n this.$pinia = options.parent.$pinia;\n }\n },\n destroyed() {\n delete this._pStores;\n },\n });\n};\n\nexport { MutationType, PiniaVuePlugin, acceptHMRUpdate, createPinia, defineStore, getActivePinia, mapActions, mapGetters, mapState, mapStores, mapWritableState, setActivePinia, setMapStoreSuffix, skipHydrate, storeToRefs };\n","/**\n * @copyright Copyright (c) 2024 Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { createPinia } from 'pinia';\nexport const pinia = createPinia();\n","const token = '%[a-f0-9]{2}';\nconst singleMatcher = new RegExp('(' + token + ')|([^%]+?)', 'gi');\nconst multiMatcher = new RegExp('(' + token + ')+', 'gi');\n\nfunction decodeComponents(components, split) {\n\ttry {\n\t\t// Try to decode the entire string first\n\t\treturn [decodeURIComponent(components.join(''))];\n\t} catch {\n\t\t// Do nothing\n\t}\n\n\tif (components.length === 1) {\n\t\treturn components;\n\t}\n\n\tsplit = split || 1;\n\n\t// Split the array in 2 parts\n\tconst left = components.slice(0, split);\n\tconst right = components.slice(split);\n\n\treturn Array.prototype.concat.call([], decodeComponents(left), decodeComponents(right));\n}\n\nfunction decode(input) {\n\ttry {\n\t\treturn decodeURIComponent(input);\n\t} catch {\n\t\tlet tokens = input.match(singleMatcher) || [];\n\n\t\tfor (let i = 1; i < tokens.length; i++) {\n\t\t\tinput = decodeComponents(tokens, i).join('');\n\n\t\t\ttokens = input.match(singleMatcher) || [];\n\t\t}\n\n\t\treturn input;\n\t}\n}\n\nfunction customDecodeURIComponent(input) {\n\t// Keep track of all the replacements and prefill the map with the `BOM`\n\tconst replaceMap = {\n\t\t'%FE%FF': '\\uFFFD\\uFFFD',\n\t\t'%FF%FE': '\\uFFFD\\uFFFD',\n\t};\n\n\tlet match = multiMatcher.exec(input);\n\twhile (match) {\n\t\ttry {\n\t\t\t// Decode as big chunks as possible\n\t\t\treplaceMap[match[0]] = decodeURIComponent(match[0]);\n\t\t} catch {\n\t\t\tconst result = decode(match[0]);\n\n\t\t\tif (result !== match[0]) {\n\t\t\t\treplaceMap[match[0]] = result;\n\t\t\t}\n\t\t}\n\n\t\tmatch = multiMatcher.exec(input);\n\t}\n\n\t// Add `%C2` at the end of the map to make sure it does not replace the combinator before everything else\n\treplaceMap['%C2'] = '\\uFFFD';\n\n\tconst entries = Object.keys(replaceMap);\n\n\tfor (const key of entries) {\n\t\t// Replace all decoded components\n\t\tinput = input.replace(new RegExp(key, 'g'), replaceMap[key]);\n\t}\n\n\treturn input;\n}\n\nexport default function decodeUriComponent(encodedURI) {\n\tif (typeof encodedURI !== 'string') {\n\t\tthrow new TypeError('Expected `encodedURI` to be of type `string`, got `' + typeof encodedURI + '`');\n\t}\n\n\ttry {\n\t\t// Try the built in decoder first\n\t\treturn decodeURIComponent(encodedURI);\n\t} catch {\n\t\t// Fallback to a more advanced decoder\n\t\treturn customDecodeURIComponent(encodedURI);\n\t}\n}\n","export default function splitOnFirst(string, separator) {\n\tif (!(typeof string === 'string' && typeof separator === 'string')) {\n\t\tthrow new TypeError('Expected the arguments to be of type `string`');\n\t}\n\n\tif (string === '' || separator === '') {\n\t\treturn [];\n\t}\n\n\tconst separatorIndex = string.indexOf(separator);\n\n\tif (separatorIndex === -1) {\n\t\treturn [];\n\t}\n\n\treturn [\n\t\tstring.slice(0, separatorIndex),\n\t\tstring.slice(separatorIndex + separator.length)\n\t];\n}\n","export function includeKeys(object, predicate) {\n\tconst result = {};\n\n\tif (Array.isArray(predicate)) {\n\t\tfor (const key of predicate) {\n\t\t\tconst descriptor = Object.getOwnPropertyDescriptor(object, key);\n\t\t\tif (descriptor?.enumerable) {\n\t\t\t\tObject.defineProperty(result, key, descriptor);\n\t\t\t}\n\t\t}\n\t} else {\n\t\t// `Reflect.ownKeys()` is required to retrieve symbol properties\n\t\tfor (const key of Reflect.ownKeys(object)) {\n\t\t\tconst descriptor = Object.getOwnPropertyDescriptor(object, key);\n\t\t\tif (descriptor.enumerable) {\n\t\t\t\tconst value = object[key];\n\t\t\t\tif (predicate(key, value, object)) {\n\t\t\t\t\tObject.defineProperty(result, key, descriptor);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n\t}\n\n\treturn result;\n}\n\nexport function excludeKeys(object, predicate) {\n\tif (Array.isArray(predicate)) {\n\t\tconst set = new Set(predicate);\n\t\treturn includeKeys(object, key => !set.has(key));\n\t}\n\n\treturn includeKeys(object, (key, value, object) => !predicate(key, value, object));\n}\n","import decodeComponent from 'decode-uri-component';\nimport splitOnFirst from 'split-on-first';\nimport {includeKeys} from 'filter-obj';\n\nconst isNullOrUndefined = value => value === null || value === undefined;\n\n// eslint-disable-next-line unicorn/prefer-code-point\nconst strictUriEncode = string => encodeURIComponent(string).replace(/[!'()*]/g, x => `%${x.charCodeAt(0).toString(16).toUpperCase()}`);\n\nconst encodeFragmentIdentifier = Symbol('encodeFragmentIdentifier');\n\nfunction encoderForArrayFormat(options) {\n\tswitch (options.arrayFormat) {\n\t\tcase 'index': {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tconst index = result.length;\n\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result, [encode(key, options), '[', index, ']'].join(''),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), '[', encode(index, options), ']=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\n\t\tcase 'bracket': {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result,\n\t\t\t\t\t\t[encode(key, options), '[]'].join(''),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), '[]=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\n\t\tcase 'colon-list-separator': {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result,\n\t\t\t\t\t\t[encode(key, options), ':list='].join(''),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), ':list=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\n\t\tcase 'comma':\n\t\tcase 'separator':\n\t\tcase 'bracket-separator': {\n\t\t\tconst keyValueSep = options.arrayFormat === 'bracket-separator'\n\t\t\t\t? '[]='\n\t\t\t\t: '=';\n\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\t// Translate null to an empty string so that it doesn't serialize as 'null'\n\t\t\t\tvalue = value === null ? '' : value;\n\n\t\t\t\tif (result.length === 0) {\n\t\t\t\t\treturn [[encode(key, options), keyValueSep, encode(value, options)].join('')];\n\t\t\t\t}\n\n\t\t\t\treturn [[result, encode(value, options)].join(options.arrayFormatSeparator)];\n\t\t\t};\n\t\t}\n\n\t\tdefault: {\n\t\t\treturn key => (result, value) => {\n\t\t\t\tif (\n\t\t\t\t\tvalue === undefined\n\t\t\t\t\t|| (options.skipNull && value === null)\n\t\t\t\t\t|| (options.skipEmptyString && value === '')\n\t\t\t\t) {\n\t\t\t\t\treturn result;\n\t\t\t\t}\n\n\t\t\t\tif (value === null) {\n\t\t\t\t\treturn [\n\t\t\t\t\t\t...result,\n\t\t\t\t\t\tencode(key, options),\n\t\t\t\t\t];\n\t\t\t\t}\n\n\t\t\t\treturn [\n\t\t\t\t\t...result,\n\t\t\t\t\t[encode(key, options), '=', encode(value, options)].join(''),\n\t\t\t\t];\n\t\t\t};\n\t\t}\n\t}\n}\n\nfunction parserForArrayFormat(options) {\n\tlet result;\n\n\tswitch (options.arrayFormat) {\n\t\tcase 'index': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tresult = /\\[(\\d*)]$/.exec(key);\n\n\t\t\t\tkey = key.replace(/\\[\\d*]$/, '');\n\n\t\t\t\tif (!result) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = {};\n\t\t\t\t}\n\n\t\t\t\taccumulator[key][result[1]] = value;\n\t\t\t};\n\t\t}\n\n\t\tcase 'bracket': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tresult = /(\\[])$/.exec(key);\n\t\t\t\tkey = key.replace(/\\[]$/, '');\n\n\t\t\t\tif (!result) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = [value];\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...accumulator[key], value];\n\t\t\t};\n\t\t}\n\n\t\tcase 'colon-list-separator': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tresult = /(:list)$/.exec(key);\n\t\t\t\tkey = key.replace(/:list$/, '');\n\n\t\t\t\tif (!result) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = [value];\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...accumulator[key], value];\n\t\t\t};\n\t\t}\n\n\t\tcase 'comma':\n\t\tcase 'separator': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tconst isArray = typeof value === 'string' && value.includes(options.arrayFormatSeparator);\n\t\t\t\tconst isEncodedArray = (typeof value === 'string' && !isArray && decode(value, options).includes(options.arrayFormatSeparator));\n\t\t\t\tvalue = isEncodedArray ? decode(value, options) : value;\n\t\t\t\tconst newValue = isArray || isEncodedArray ? value.split(options.arrayFormatSeparator).map(item => decode(item, options)) : (value === null ? value : decode(value, options));\n\t\t\t\taccumulator[key] = newValue;\n\t\t\t};\n\t\t}\n\n\t\tcase 'bracket-separator': {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tconst isArray = /(\\[])$/.test(key);\n\t\t\t\tkey = key.replace(/\\[]$/, '');\n\n\t\t\t\tif (!isArray) {\n\t\t\t\t\taccumulator[key] = value ? decode(value, options) : value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\tconst arrayValue = value === null\n\t\t\t\t\t? []\n\t\t\t\t\t: value.split(options.arrayFormatSeparator).map(item => decode(item, options));\n\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = arrayValue;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...accumulator[key], ...arrayValue];\n\t\t\t};\n\t\t}\n\n\t\tdefault: {\n\t\t\treturn (key, value, accumulator) => {\n\t\t\t\tif (accumulator[key] === undefined) {\n\t\t\t\t\taccumulator[key] = value;\n\t\t\t\t\treturn;\n\t\t\t\t}\n\n\t\t\t\taccumulator[key] = [...[accumulator[key]].flat(), value];\n\t\t\t};\n\t\t}\n\t}\n}\n\nfunction validateArrayFormatSeparator(value) {\n\tif (typeof value !== 'string' || value.length !== 1) {\n\t\tthrow new TypeError('arrayFormatSeparator must be single character string');\n\t}\n}\n\nfunction encode(value, options) {\n\tif (options.encode) {\n\t\treturn options.strict ? strictUriEncode(value) : encodeURIComponent(value);\n\t}\n\n\treturn value;\n}\n\nfunction decode(value, options) {\n\tif (options.decode) {\n\t\treturn decodeComponent(value);\n\t}\n\n\treturn value;\n}\n\nfunction keysSorter(input) {\n\tif (Array.isArray(input)) {\n\t\treturn input.sort();\n\t}\n\n\tif (typeof input === 'object') {\n\t\treturn keysSorter(Object.keys(input))\n\t\t\t.sort((a, b) => Number(a) - Number(b))\n\t\t\t.map(key => input[key]);\n\t}\n\n\treturn input;\n}\n\nfunction removeHash(input) {\n\tconst hashStart = input.indexOf('#');\n\tif (hashStart !== -1) {\n\t\tinput = input.slice(0, hashStart);\n\t}\n\n\treturn input;\n}\n\nfunction getHash(url) {\n\tlet hash = '';\n\tconst hashStart = url.indexOf('#');\n\tif (hashStart !== -1) {\n\t\thash = url.slice(hashStart);\n\t}\n\n\treturn hash;\n}\n\nfunction parseValue(value, options) {\n\tif (options.parseNumbers && !Number.isNaN(Number(value)) && (typeof value === 'string' && value.trim() !== '')) {\n\t\tvalue = Number(value);\n\t} else if (options.parseBooleans && value !== null && (value.toLowerCase() === 'true' || value.toLowerCase() === 'false')) {\n\t\tvalue = value.toLowerCase() === 'true';\n\t}\n\n\treturn value;\n}\n\nexport function extract(input) {\n\tinput = removeHash(input);\n\tconst queryStart = input.indexOf('?');\n\tif (queryStart === -1) {\n\t\treturn '';\n\t}\n\n\treturn input.slice(queryStart + 1);\n}\n\nexport function parse(query, options) {\n\toptions = {\n\t\tdecode: true,\n\t\tsort: true,\n\t\tarrayFormat: 'none',\n\t\tarrayFormatSeparator: ',',\n\t\tparseNumbers: false,\n\t\tparseBooleans: false,\n\t\t...options,\n\t};\n\n\tvalidateArrayFormatSeparator(options.arrayFormatSeparator);\n\n\tconst formatter = parserForArrayFormat(options);\n\n\t// Create an object with no prototype\n\tconst returnValue = Object.create(null);\n\n\tif (typeof query !== 'string') {\n\t\treturn returnValue;\n\t}\n\n\tquery = query.trim().replace(/^[?#&]/, '');\n\n\tif (!query) {\n\t\treturn returnValue;\n\t}\n\n\tfor (const parameter of query.split('&')) {\n\t\tif (parameter === '') {\n\t\t\tcontinue;\n\t\t}\n\n\t\tconst parameter_ = options.decode ? parameter.replace(/\\+/g, ' ') : parameter;\n\n\t\tlet [key, value] = splitOnFirst(parameter_, '=');\n\n\t\tif (key === undefined) {\n\t\t\tkey = parameter_;\n\t\t}\n\n\t\t// Missing `=` should be `null`:\n\t\t// http://w3.org/TR/2012/WD-url-20120524/#collect-url-parameters\n\t\tvalue = value === undefined ? null : (['comma', 'separator', 'bracket-separator'].includes(options.arrayFormat) ? value : decode(value, options));\n\t\tformatter(decode(key, options), value, returnValue);\n\t}\n\n\tfor (const [key, value] of Object.entries(returnValue)) {\n\t\tif (typeof value === 'object' && value !== null) {\n\t\t\tfor (const [key2, value2] of Object.entries(value)) {\n\t\t\t\tvalue[key2] = parseValue(value2, options);\n\t\t\t}\n\t\t} else {\n\t\t\treturnValue[key] = parseValue(value, options);\n\t\t}\n\t}\n\n\tif (options.sort === false) {\n\t\treturn returnValue;\n\t}\n\n\t// TODO: Remove the use of `reduce`.\n\t// eslint-disable-next-line unicorn/no-array-reduce\n\treturn (options.sort === true ? Object.keys(returnValue).sort() : Object.keys(returnValue).sort(options.sort)).reduce((result, key) => {\n\t\tconst value = returnValue[key];\n\t\tresult[key] = Boolean(value) && typeof value === 'object' && !Array.isArray(value) ? keysSorter(value) : value;\n\t\treturn result;\n\t}, Object.create(null));\n}\n\nexport function stringify(object, options) {\n\tif (!object) {\n\t\treturn '';\n\t}\n\n\toptions = {encode: true,\n\t\tstrict: true,\n\t\tarrayFormat: 'none',\n\t\tarrayFormatSeparator: ',', ...options};\n\n\tvalidateArrayFormatSeparator(options.arrayFormatSeparator);\n\n\tconst shouldFilter = key => (\n\t\t(options.skipNull && isNullOrUndefined(object[key]))\n\t\t|| (options.skipEmptyString && object[key] === '')\n\t);\n\n\tconst formatter = encoderForArrayFormat(options);\n\n\tconst objectCopy = {};\n\n\tfor (const [key, value] of Object.entries(object)) {\n\t\tif (!shouldFilter(key)) {\n\t\t\tobjectCopy[key] = value;\n\t\t}\n\t}\n\n\tconst keys = Object.keys(objectCopy);\n\n\tif (options.sort !== false) {\n\t\tkeys.sort(options.sort);\n\t}\n\n\treturn keys.map(key => {\n\t\tconst value = object[key];\n\n\t\tif (value === undefined) {\n\t\t\treturn '';\n\t\t}\n\n\t\tif (value === null) {\n\t\t\treturn encode(key, options);\n\t\t}\n\n\t\tif (Array.isArray(value)) {\n\t\t\tif (value.length === 0 && options.arrayFormat === 'bracket-separator') {\n\t\t\t\treturn encode(key, options) + '[]';\n\t\t\t}\n\n\t\t\treturn value\n\t\t\t\t.reduce(formatter(key), [])\n\t\t\t\t.join('&');\n\t\t}\n\n\t\treturn encode(key, options) + '=' + encode(value, options);\n\t}).filter(x => x.length > 0).join('&');\n}\n\nexport function parseUrl(url, options) {\n\toptions = {\n\t\tdecode: true,\n\t\t...options,\n\t};\n\n\tlet [url_, hash] = splitOnFirst(url, '#');\n\n\tif (url_ === undefined) {\n\t\turl_ = url;\n\t}\n\n\treturn {\n\t\turl: url_?.split('?')?.[0] ?? '',\n\t\tquery: parse(extract(url), options),\n\t\t...(options && options.parseFragmentIdentifier && hash ? {fragmentIdentifier: decode(hash, options)} : {}),\n\t};\n}\n\nexport function stringifyUrl(object, options) {\n\toptions = {\n\t\tencode: true,\n\t\tstrict: true,\n\t\t[encodeFragmentIdentifier]: true,\n\t\t...options,\n\t};\n\n\tconst url = removeHash(object.url).split('?')[0] || '';\n\tconst queryFromUrl = extract(object.url);\n\n\tconst query = {\n\t\t...parse(queryFromUrl, {sort: false}),\n\t\t...object.query,\n\t};\n\n\tlet queryString = stringify(query, options);\n\tif (queryString) {\n\t\tqueryString = `?${queryString}`;\n\t}\n\n\tlet hash = getHash(object.url);\n\tif (object.fragmentIdentifier) {\n\t\tconst urlObjectForFragmentEncode = new URL(url);\n\t\turlObjectForFragmentEncode.hash = object.fragmentIdentifier;\n\t\thash = options[encodeFragmentIdentifier] ? urlObjectForFragmentEncode.hash : `#${object.fragmentIdentifier}`;\n\t}\n\n\treturn `${url}${queryString}${hash}`;\n}\n\nexport function pick(input, filter, options) {\n\toptions = {\n\t\tparseFragmentIdentifier: true,\n\t\t[encodeFragmentIdentifier]: false,\n\t\t...options,\n\t};\n\n\tconst {url, query, fragmentIdentifier} = parseUrl(input, options);\n\n\treturn stringifyUrl({\n\t\turl,\n\t\tquery: includeKeys(query, filter),\n\t\tfragmentIdentifier,\n\t}, options);\n}\n\nexport function exclude(input, filter, options) {\n\tconst exclusionFilter = Array.isArray(filter) ? key => !filter.includes(key) : (key, value) => !filter(key, value);\n\n\treturn pick(input, exclusionFilter, options);\n}\n","import * as queryString from './base.js';\n\nexport default queryString;\n","/*!\n * vue-router v3.6.5\n * (c) 2022 Evan You\n * @license MIT\n */\n/* */\n\nfunction assert (condition, message) {\n if (!condition) {\n throw new Error((\"[vue-router] \" + message))\n }\n}\n\nfunction warn (condition, message) {\n if (!condition) {\n typeof console !== 'undefined' && console.warn((\"[vue-router] \" + message));\n }\n}\n\nfunction extend (a, b) {\n for (var key in b) {\n a[key] = b[key];\n }\n return a\n}\n\n/* */\n\nvar encodeReserveRE = /[!'()*]/g;\nvar encodeReserveReplacer = function (c) { return '%' + c.charCodeAt(0).toString(16); };\nvar commaRE = /%2C/g;\n\n// fixed encodeURIComponent which is more conformant to RFC3986:\n// - escapes [!'()*]\n// - preserve commas\nvar encode = function (str) { return encodeURIComponent(str)\n .replace(encodeReserveRE, encodeReserveReplacer)\n .replace(commaRE, ','); };\n\nfunction decode (str) {\n try {\n return decodeURIComponent(str)\n } catch (err) {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, (\"Error decoding \\\"\" + str + \"\\\". Leaving it intact.\"));\n }\n }\n return str\n}\n\nfunction resolveQuery (\n query,\n extraQuery,\n _parseQuery\n) {\n if ( extraQuery === void 0 ) extraQuery = {};\n\n var parse = _parseQuery || parseQuery;\n var parsedQuery;\n try {\n parsedQuery = parse(query || '');\n } catch (e) {\n process.env.NODE_ENV !== 'production' && warn(false, e.message);\n parsedQuery = {};\n }\n for (var key in extraQuery) {\n var value = extraQuery[key];\n parsedQuery[key] = Array.isArray(value)\n ? value.map(castQueryParamValue)\n : castQueryParamValue(value);\n }\n return parsedQuery\n}\n\nvar castQueryParamValue = function (value) { return (value == null || typeof value === 'object' ? value : String(value)); };\n\nfunction parseQuery (query) {\n var res = {};\n\n query = query.trim().replace(/^(\\?|#|&)/, '');\n\n if (!query) {\n return res\n }\n\n query.split('&').forEach(function (param) {\n var parts = param.replace(/\\+/g, ' ').split('=');\n var key = decode(parts.shift());\n var val = parts.length > 0 ? decode(parts.join('=')) : null;\n\n if (res[key] === undefined) {\n res[key] = val;\n } else if (Array.isArray(res[key])) {\n res[key].push(val);\n } else {\n res[key] = [res[key], val];\n }\n });\n\n return res\n}\n\nfunction stringifyQuery (obj) {\n var res = obj\n ? Object.keys(obj)\n .map(function (key) {\n var val = obj[key];\n\n if (val === undefined) {\n return ''\n }\n\n if (val === null) {\n return encode(key)\n }\n\n if (Array.isArray(val)) {\n var result = [];\n val.forEach(function (val2) {\n if (val2 === undefined) {\n return\n }\n if (val2 === null) {\n result.push(encode(key));\n } else {\n result.push(encode(key) + '=' + encode(val2));\n }\n });\n return result.join('&')\n }\n\n return encode(key) + '=' + encode(val)\n })\n .filter(function (x) { return x.length > 0; })\n .join('&')\n : null;\n return res ? (\"?\" + res) : ''\n}\n\n/* */\n\nvar trailingSlashRE = /\\/?$/;\n\nfunction createRoute (\n record,\n location,\n redirectedFrom,\n router\n) {\n var stringifyQuery = router && router.options.stringifyQuery;\n\n var query = location.query || {};\n try {\n query = clone(query);\n } catch (e) {}\n\n var route = {\n name: location.name || (record && record.name),\n meta: (record && record.meta) || {},\n path: location.path || '/',\n hash: location.hash || '',\n query: query,\n params: location.params || {},\n fullPath: getFullPath(location, stringifyQuery),\n matched: record ? formatMatch(record) : []\n };\n if (redirectedFrom) {\n route.redirectedFrom = getFullPath(redirectedFrom, stringifyQuery);\n }\n return Object.freeze(route)\n}\n\nfunction clone (value) {\n if (Array.isArray(value)) {\n return value.map(clone)\n } else if (value && typeof value === 'object') {\n var res = {};\n for (var key in value) {\n res[key] = clone(value[key]);\n }\n return res\n } else {\n return value\n }\n}\n\n// the starting route that represents the initial state\nvar START = createRoute(null, {\n path: '/'\n});\n\nfunction formatMatch (record) {\n var res = [];\n while (record) {\n res.unshift(record);\n record = record.parent;\n }\n return res\n}\n\nfunction getFullPath (\n ref,\n _stringifyQuery\n) {\n var path = ref.path;\n var query = ref.query; if ( query === void 0 ) query = {};\n var hash = ref.hash; if ( hash === void 0 ) hash = '';\n\n var stringify = _stringifyQuery || stringifyQuery;\n return (path || '/') + stringify(query) + hash\n}\n\nfunction isSameRoute (a, b, onlyPath) {\n if (b === START) {\n return a === b\n } else if (!b) {\n return false\n } else if (a.path && b.path) {\n return a.path.replace(trailingSlashRE, '') === b.path.replace(trailingSlashRE, '') && (onlyPath ||\n a.hash === b.hash &&\n isObjectEqual(a.query, b.query))\n } else if (a.name && b.name) {\n return (\n a.name === b.name &&\n (onlyPath || (\n a.hash === b.hash &&\n isObjectEqual(a.query, b.query) &&\n isObjectEqual(a.params, b.params))\n )\n )\n } else {\n return false\n }\n}\n\nfunction isObjectEqual (a, b) {\n if ( a === void 0 ) a = {};\n if ( b === void 0 ) b = {};\n\n // handle null value #1566\n if (!a || !b) { return a === b }\n var aKeys = Object.keys(a).sort();\n var bKeys = Object.keys(b).sort();\n if (aKeys.length !== bKeys.length) {\n return false\n }\n return aKeys.every(function (key, i) {\n var aVal = a[key];\n var bKey = bKeys[i];\n if (bKey !== key) { return false }\n var bVal = b[key];\n // query values can be null and undefined\n if (aVal == null || bVal == null) { return aVal === bVal }\n // check nested equality\n if (typeof aVal === 'object' && typeof bVal === 'object') {\n return isObjectEqual(aVal, bVal)\n }\n return String(aVal) === String(bVal)\n })\n}\n\nfunction isIncludedRoute (current, target) {\n return (\n current.path.replace(trailingSlashRE, '/').indexOf(\n target.path.replace(trailingSlashRE, '/')\n ) === 0 &&\n (!target.hash || current.hash === target.hash) &&\n queryIncludes(current.query, target.query)\n )\n}\n\nfunction queryIncludes (current, target) {\n for (var key in target) {\n if (!(key in current)) {\n return false\n }\n }\n return true\n}\n\nfunction handleRouteEntered (route) {\n for (var i = 0; i < route.matched.length; i++) {\n var record = route.matched[i];\n for (var name in record.instances) {\n var instance = record.instances[name];\n var cbs = record.enteredCbs[name];\n if (!instance || !cbs) { continue }\n delete record.enteredCbs[name];\n for (var i$1 = 0; i$1 < cbs.length; i$1++) {\n if (!instance._isBeingDestroyed) { cbs[i$1](instance); }\n }\n }\n }\n}\n\nvar View = {\n name: 'RouterView',\n functional: true,\n props: {\n name: {\n type: String,\n default: 'default'\n }\n },\n render: function render (_, ref) {\n var props = ref.props;\n var children = ref.children;\n var parent = ref.parent;\n var data = ref.data;\n\n // used by devtools to display a router-view badge\n data.routerView = true;\n\n // directly use parent context's createElement() function\n // so that components rendered by router-view can resolve named slots\n var h = parent.$createElement;\n var name = props.name;\n var route = parent.$route;\n var cache = parent._routerViewCache || (parent._routerViewCache = {});\n\n // determine current view depth, also check to see if the tree\n // has been toggled inactive but kept-alive.\n var depth = 0;\n var inactive = false;\n while (parent && parent._routerRoot !== parent) {\n var vnodeData = parent.$vnode ? parent.$vnode.data : {};\n if (vnodeData.routerView) {\n depth++;\n }\n if (vnodeData.keepAlive && parent._directInactive && parent._inactive) {\n inactive = true;\n }\n parent = parent.$parent;\n }\n data.routerViewDepth = depth;\n\n // render previous view if the tree is inactive and kept-alive\n if (inactive) {\n var cachedData = cache[name];\n var cachedComponent = cachedData && cachedData.component;\n if (cachedComponent) {\n // #2301\n // pass props\n if (cachedData.configProps) {\n fillPropsinData(cachedComponent, data, cachedData.route, cachedData.configProps);\n }\n return h(cachedComponent, data, children)\n } else {\n // render previous empty view\n return h()\n }\n }\n\n var matched = route.matched[depth];\n var component = matched && matched.components[name];\n\n // render empty node if no matched route or no config component\n if (!matched || !component) {\n cache[name] = null;\n return h()\n }\n\n // cache component\n cache[name] = { component: component };\n\n // attach instance registration hook\n // this will be called in the instance's injected lifecycle hooks\n data.registerRouteInstance = function (vm, val) {\n // val could be undefined for unregistration\n var current = matched.instances[name];\n if (\n (val && current !== vm) ||\n (!val && current === vm)\n ) {\n matched.instances[name] = val;\n }\n }\n\n // also register instance in prepatch hook\n // in case the same component instance is reused across different routes\n ;(data.hook || (data.hook = {})).prepatch = function (_, vnode) {\n matched.instances[name] = vnode.componentInstance;\n };\n\n // register instance in init hook\n // in case kept-alive component be actived when routes changed\n data.hook.init = function (vnode) {\n if (vnode.data.keepAlive &&\n vnode.componentInstance &&\n vnode.componentInstance !== matched.instances[name]\n ) {\n matched.instances[name] = vnode.componentInstance;\n }\n\n // if the route transition has already been confirmed then we weren't\n // able to call the cbs during confirmation as the component was not\n // registered yet, so we call it here.\n handleRouteEntered(route);\n };\n\n var configProps = matched.props && matched.props[name];\n // save route and configProps in cache\n if (configProps) {\n extend(cache[name], {\n route: route,\n configProps: configProps\n });\n fillPropsinData(component, data, route, configProps);\n }\n\n return h(component, data, children)\n }\n};\n\nfunction fillPropsinData (component, data, route, configProps) {\n // resolve props\n var propsToPass = data.props = resolveProps(route, configProps);\n if (propsToPass) {\n // clone to prevent mutation\n propsToPass = data.props = extend({}, propsToPass);\n // pass non-declared props as attrs\n var attrs = data.attrs = data.attrs || {};\n for (var key in propsToPass) {\n if (!component.props || !(key in component.props)) {\n attrs[key] = propsToPass[key];\n delete propsToPass[key];\n }\n }\n }\n}\n\nfunction resolveProps (route, config) {\n switch (typeof config) {\n case 'undefined':\n return\n case 'object':\n return config\n case 'function':\n return config(route)\n case 'boolean':\n return config ? route.params : undefined\n default:\n if (process.env.NODE_ENV !== 'production') {\n warn(\n false,\n \"props in \\\"\" + (route.path) + \"\\\" is a \" + (typeof config) + \", \" +\n \"expecting an object, function or boolean.\"\n );\n }\n }\n}\n\n/* */\n\nfunction resolvePath (\n relative,\n base,\n append\n) {\n var firstChar = relative.charAt(0);\n if (firstChar === '/') {\n return relative\n }\n\n if (firstChar === '?' || firstChar === '#') {\n return base + relative\n }\n\n var stack = base.split('/');\n\n // remove trailing segment if:\n // - not appending\n // - appending to trailing slash (last segment is empty)\n if (!append || !stack[stack.length - 1]) {\n stack.pop();\n }\n\n // resolve relative path\n var segments = relative.replace(/^\\//, '').split('/');\n for (var i = 0; i < segments.length; i++) {\n var segment = segments[i];\n if (segment === '..') {\n stack.pop();\n } else if (segment !== '.') {\n stack.push(segment);\n }\n }\n\n // ensure leading slash\n if (stack[0] !== '') {\n stack.unshift('');\n }\n\n return stack.join('/')\n}\n\nfunction parsePath (path) {\n var hash = '';\n var query = '';\n\n var hashIndex = path.indexOf('#');\n if (hashIndex >= 0) {\n hash = path.slice(hashIndex);\n path = path.slice(0, hashIndex);\n }\n\n var queryIndex = path.indexOf('?');\n if (queryIndex >= 0) {\n query = path.slice(queryIndex + 1);\n path = path.slice(0, queryIndex);\n }\n\n return {\n path: path,\n query: query,\n hash: hash\n }\n}\n\nfunction cleanPath (path) {\n return path.replace(/\\/(?:\\s*\\/)+/g, '/')\n}\n\nvar isarray = Array.isArray || function (arr) {\n return Object.prototype.toString.call(arr) == '[object Array]';\n};\n\n/**\n * Expose `pathToRegexp`.\n */\nvar pathToRegexp_1 = pathToRegexp;\nvar parse_1 = parse;\nvar compile_1 = compile;\nvar tokensToFunction_1 = tokensToFunction;\nvar tokensToRegExp_1 = tokensToRegExp;\n\n/**\n * The main path matching regexp utility.\n *\n * @type {RegExp}\n */\nvar PATH_REGEXP = new RegExp([\n // Match escaped characters that would otherwise appear in future matches.\n // This allows the user to escape special characters that won't transform.\n '(\\\\\\\\.)',\n // Match Express-style parameters and un-named parameters with a prefix\n // and optional suffixes. Matches appear as:\n //\n // \"/:test(\\\\d+)?\" => [\"/\", \"test\", \"\\d+\", undefined, \"?\", undefined]\n // \"/route(\\\\d+)\" => [undefined, undefined, undefined, \"\\d+\", undefined, undefined]\n // \"/*\" => [\"/\", undefined, undefined, undefined, undefined, \"*\"]\n '([\\\\/.])?(?:(?:\\\\:(\\\\w+)(?:\\\\(((?:\\\\\\\\.|[^\\\\\\\\()])+)\\\\))?|\\\\(((?:\\\\\\\\.|[^\\\\\\\\()])+)\\\\))([+*?])?|(\\\\*))'\n].join('|'), 'g');\n\n/**\n * Parse a string for the raw tokens.\n *\n * @param {string} str\n * @param {Object=} options\n * @return {!Array}\n */\nfunction parse (str, options) {\n var tokens = [];\n var key = 0;\n var index = 0;\n var path = '';\n var defaultDelimiter = options && options.delimiter || '/';\n var res;\n\n while ((res = PATH_REGEXP.exec(str)) != null) {\n var m = res[0];\n var escaped = res[1];\n var offset = res.index;\n path += str.slice(index, offset);\n index = offset + m.length;\n\n // Ignore already escaped sequences.\n if (escaped) {\n path += escaped[1];\n continue\n }\n\n var next = str[index];\n var prefix = res[2];\n var name = res[3];\n var capture = res[4];\n var group = res[5];\n var modifier = res[6];\n var asterisk = res[7];\n\n // Push the current path onto the tokens.\n if (path) {\n tokens.push(path);\n path = '';\n }\n\n var partial = prefix != null && next != null && next !== prefix;\n var repeat = modifier === '+' || modifier === '*';\n var optional = modifier === '?' || modifier === '*';\n var delimiter = res[2] || defaultDelimiter;\n var pattern = capture || group;\n\n tokens.push({\n name: name || key++,\n prefix: prefix || '',\n delimiter: delimiter,\n optional: optional,\n repeat: repeat,\n partial: partial,\n asterisk: !!asterisk,\n pattern: pattern ? escapeGroup(pattern) : (asterisk ? '.*' : '[^' + escapeString(delimiter) + ']+?')\n });\n }\n\n // Match any characters still remaining.\n if (index < str.length) {\n path += str.substr(index);\n }\n\n // If the path exists, push it onto the end.\n if (path) {\n tokens.push(path);\n }\n\n return tokens\n}\n\n/**\n * Compile a string to a template function for the path.\n *\n * @param {string} str\n * @param {Object=} options\n * @return {!function(Object=, Object=)}\n */\nfunction compile (str, options) {\n return tokensToFunction(parse(str, options), options)\n}\n\n/**\n * Prettier encoding of URI path segments.\n *\n * @param {string}\n * @return {string}\n */\nfunction encodeURIComponentPretty (str) {\n return encodeURI(str).replace(/[\\/?#]/g, function (c) {\n return '%' + c.charCodeAt(0).toString(16).toUpperCase()\n })\n}\n\n/**\n * Encode the asterisk parameter. Similar to `pretty`, but allows slashes.\n *\n * @param {string}\n * @return {string}\n */\nfunction encodeAsterisk (str) {\n return encodeURI(str).replace(/[?#]/g, function (c) {\n return '%' + c.charCodeAt(0).toString(16).toUpperCase()\n })\n}\n\n/**\n * Expose a method for transforming tokens into the path function.\n */\nfunction tokensToFunction (tokens, options) {\n // Compile all the tokens into regexps.\n var matches = new Array(tokens.length);\n\n // Compile all the patterns before compilation.\n for (var i = 0; i < tokens.length; i++) {\n if (typeof tokens[i] === 'object') {\n matches[i] = new RegExp('^(?:' + tokens[i].pattern + ')$', flags(options));\n }\n }\n\n return function (obj, opts) {\n var path = '';\n var data = obj || {};\n var options = opts || {};\n var encode = options.pretty ? encodeURIComponentPretty : encodeURIComponent;\n\n for (var i = 0; i < tokens.length; i++) {\n var token = tokens[i];\n\n if (typeof token === 'string') {\n path += token;\n\n continue\n }\n\n var value = data[token.name];\n var segment;\n\n if (value == null) {\n if (token.optional) {\n // Prepend partial segment prefixes.\n if (token.partial) {\n path += token.prefix;\n }\n\n continue\n } else {\n throw new TypeError('Expected \"' + token.name + '\" to be defined')\n }\n }\n\n if (isarray(value)) {\n if (!token.repeat) {\n throw new TypeError('Expected \"' + token.name + '\" to not repeat, but received `' + JSON.stringify(value) + '`')\n }\n\n if (value.length === 0) {\n if (token.optional) {\n continue\n } else {\n throw new TypeError('Expected \"' + token.name + '\" to not be empty')\n }\n }\n\n for (var j = 0; j < value.length; j++) {\n segment = encode(value[j]);\n\n if (!matches[i].test(segment)) {\n throw new TypeError('Expected all \"' + token.name + '\" to match \"' + token.pattern + '\", but received `' + JSON.stringify(segment) + '`')\n }\n\n path += (j === 0 ? token.prefix : token.delimiter) + segment;\n }\n\n continue\n }\n\n segment = token.asterisk ? encodeAsterisk(value) : encode(value);\n\n if (!matches[i].test(segment)) {\n throw new TypeError('Expected \"' + token.name + '\" to match \"' + token.pattern + '\", but received \"' + segment + '\"')\n }\n\n path += token.prefix + segment;\n }\n\n return path\n }\n}\n\n/**\n * Escape a regular expression string.\n *\n * @param {string} str\n * @return {string}\n */\nfunction escapeString (str) {\n return str.replace(/([.+*?=^!:${}()[\\]|\\/\\\\])/g, '\\\\$1')\n}\n\n/**\n * Escape the capturing group by escaping special characters and meaning.\n *\n * @param {string} group\n * @return {string}\n */\nfunction escapeGroup (group) {\n return group.replace(/([=!:$\\/()])/g, '\\\\$1')\n}\n\n/**\n * Attach the keys as a property of the regexp.\n *\n * @param {!RegExp} re\n * @param {Array} keys\n * @return {!RegExp}\n */\nfunction attachKeys (re, keys) {\n re.keys = keys;\n return re\n}\n\n/**\n * Get the flags for a regexp from the options.\n *\n * @param {Object} options\n * @return {string}\n */\nfunction flags (options) {\n return options && options.sensitive ? '' : 'i'\n}\n\n/**\n * Pull out keys from a regexp.\n *\n * @param {!RegExp} path\n * @param {!Array} keys\n * @return {!RegExp}\n */\nfunction regexpToRegexp (path, keys) {\n // Use a negative lookahead to match only capturing groups.\n var groups = path.source.match(/\\((?!\\?)/g);\n\n if (groups) {\n for (var i = 0; i < groups.length; i++) {\n keys.push({\n name: i,\n prefix: null,\n delimiter: null,\n optional: false,\n repeat: false,\n partial: false,\n asterisk: false,\n pattern: null\n });\n }\n }\n\n return attachKeys(path, keys)\n}\n\n/**\n * Transform an array into a regexp.\n *\n * @param {!Array} path\n * @param {Array} keys\n * @param {!Object} options\n * @return {!RegExp}\n */\nfunction arrayToRegexp (path, keys, options) {\n var parts = [];\n\n for (var i = 0; i < path.length; i++) {\n parts.push(pathToRegexp(path[i], keys, options).source);\n }\n\n var regexp = new RegExp('(?:' + parts.join('|') + ')', flags(options));\n\n return attachKeys(regexp, keys)\n}\n\n/**\n * Create a path regexp from string input.\n *\n * @param {string} path\n * @param {!Array} keys\n * @param {!Object} options\n * @return {!RegExp}\n */\nfunction stringToRegexp (path, keys, options) {\n return tokensToRegExp(parse(path, options), keys, options)\n}\n\n/**\n * Expose a function for taking tokens and returning a RegExp.\n *\n * @param {!Array} tokens\n * @param {(Array|Object)=} keys\n * @param {Object=} options\n * @return {!RegExp}\n */\nfunction tokensToRegExp (tokens, keys, options) {\n if (!isarray(keys)) {\n options = /** @type {!Object} */ (keys || options);\n keys = [];\n }\n\n options = options || {};\n\n var strict = options.strict;\n var end = options.end !== false;\n var route = '';\n\n // Iterate over the tokens and create our regexp string.\n for (var i = 0; i < tokens.length; i++) {\n var token = tokens[i];\n\n if (typeof token === 'string') {\n route += escapeString(token);\n } else {\n var prefix = escapeString(token.prefix);\n var capture = '(?:' + token.pattern + ')';\n\n keys.push(token);\n\n if (token.repeat) {\n capture += '(?:' + prefix + capture + ')*';\n }\n\n if (token.optional) {\n if (!token.partial) {\n capture = '(?:' + prefix + '(' + capture + '))?';\n } else {\n capture = prefix + '(' + capture + ')?';\n }\n } else {\n capture = prefix + '(' + capture + ')';\n }\n\n route += capture;\n }\n }\n\n var delimiter = escapeString(options.delimiter || '/');\n var endsWithDelimiter = route.slice(-delimiter.length) === delimiter;\n\n // In non-strict mode we allow a slash at the end of match. If the path to\n // match already ends with a slash, we remove it for consistency. The slash\n // is valid at the end of a path match, not in the middle. This is important\n // in non-ending mode, where \"/test/\" shouldn't match \"/test//route\".\n if (!strict) {\n route = (endsWithDelimiter ? route.slice(0, -delimiter.length) : route) + '(?:' + delimiter + '(?=$))?';\n }\n\n if (end) {\n route += '$';\n } else {\n // In non-ending mode, we need the capturing groups to match as much as\n // possible by using a positive lookahead to the end or next path segment.\n route += strict && endsWithDelimiter ? '' : '(?=' + delimiter + '|$)';\n }\n\n return attachKeys(new RegExp('^' + route, flags(options)), keys)\n}\n\n/**\n * Normalize the given path string, returning a regular expression.\n *\n * An empty array can be passed in for the keys, which will hold the\n * placeholder key descriptions. For example, using `/user/:id`, `keys` will\n * contain `[{ name: 'id', delimiter: '/', optional: false, repeat: false }]`.\n *\n * @param {(string|RegExp|Array)} path\n * @param {(Array|Object)=} keys\n * @param {Object=} options\n * @return {!RegExp}\n */\nfunction pathToRegexp (path, keys, options) {\n if (!isarray(keys)) {\n options = /** @type {!Object} */ (keys || options);\n keys = [];\n }\n\n options = options || {};\n\n if (path instanceof RegExp) {\n return regexpToRegexp(path, /** @type {!Array} */ (keys))\n }\n\n if (isarray(path)) {\n return arrayToRegexp(/** @type {!Array} */ (path), /** @type {!Array} */ (keys), options)\n }\n\n return stringToRegexp(/** @type {string} */ (path), /** @type {!Array} */ (keys), options)\n}\npathToRegexp_1.parse = parse_1;\npathToRegexp_1.compile = compile_1;\npathToRegexp_1.tokensToFunction = tokensToFunction_1;\npathToRegexp_1.tokensToRegExp = tokensToRegExp_1;\n\n/* */\n\n// $flow-disable-line\nvar regexpCompileCache = Object.create(null);\n\nfunction fillParams (\n path,\n params,\n routeMsg\n) {\n params = params || {};\n try {\n var filler =\n regexpCompileCache[path] ||\n (regexpCompileCache[path] = pathToRegexp_1.compile(path));\n\n // Fix #2505 resolving asterisk routes { name: 'not-found', params: { pathMatch: '/not-found' }}\n // and fix #3106 so that you can work with location descriptor object having params.pathMatch equal to empty string\n if (typeof params.pathMatch === 'string') { params[0] = params.pathMatch; }\n\n return filler(params, { pretty: true })\n } catch (e) {\n if (process.env.NODE_ENV !== 'production') {\n // Fix #3072 no warn if `pathMatch` is string\n warn(typeof params.pathMatch === 'string', (\"missing param for \" + routeMsg + \": \" + (e.message)));\n }\n return ''\n } finally {\n // delete the 0 if it was added\n delete params[0];\n }\n}\n\n/* */\n\nfunction normalizeLocation (\n raw,\n current,\n append,\n router\n) {\n var next = typeof raw === 'string' ? { path: raw } : raw;\n // named target\n if (next._normalized) {\n return next\n } else if (next.name) {\n next = extend({}, raw);\n var params = next.params;\n if (params && typeof params === 'object') {\n next.params = extend({}, params);\n }\n return next\n }\n\n // relative params\n if (!next.path && next.params && current) {\n next = extend({}, next);\n next._normalized = true;\n var params$1 = extend(extend({}, current.params), next.params);\n if (current.name) {\n next.name = current.name;\n next.params = params$1;\n } else if (current.matched.length) {\n var rawPath = current.matched[current.matched.length - 1].path;\n next.path = fillParams(rawPath, params$1, (\"path \" + (current.path)));\n } else if (process.env.NODE_ENV !== 'production') {\n warn(false, \"relative params navigation requires a current route.\");\n }\n return next\n }\n\n var parsedPath = parsePath(next.path || '');\n var basePath = (current && current.path) || '/';\n var path = parsedPath.path\n ? resolvePath(parsedPath.path, basePath, append || next.append)\n : basePath;\n\n var query = resolveQuery(\n parsedPath.query,\n next.query,\n router && router.options.parseQuery\n );\n\n var hash = next.hash || parsedPath.hash;\n if (hash && hash.charAt(0) !== '#') {\n hash = \"#\" + hash;\n }\n\n return {\n _normalized: true,\n path: path,\n query: query,\n hash: hash\n }\n}\n\n/* */\n\n// work around weird flow bug\nvar toTypes = [String, Object];\nvar eventTypes = [String, Array];\n\nvar noop = function () {};\n\nvar warnedCustomSlot;\nvar warnedTagProp;\nvar warnedEventProp;\n\nvar Link = {\n name: 'RouterLink',\n props: {\n to: {\n type: toTypes,\n required: true\n },\n tag: {\n type: String,\n default: 'a'\n },\n custom: Boolean,\n exact: Boolean,\n exactPath: Boolean,\n append: Boolean,\n replace: Boolean,\n activeClass: String,\n exactActiveClass: String,\n ariaCurrentValue: {\n type: String,\n default: 'page'\n },\n event: {\n type: eventTypes,\n default: 'click'\n }\n },\n render: function render (h) {\n var this$1$1 = this;\n\n var router = this.$router;\n var current = this.$route;\n var ref = router.resolve(\n this.to,\n current,\n this.append\n );\n var location = ref.location;\n var route = ref.route;\n var href = ref.href;\n\n var classes = {};\n var globalActiveClass = router.options.linkActiveClass;\n var globalExactActiveClass = router.options.linkExactActiveClass;\n // Support global empty active class\n var activeClassFallback =\n globalActiveClass == null ? 'router-link-active' : globalActiveClass;\n var exactActiveClassFallback =\n globalExactActiveClass == null\n ? 'router-link-exact-active'\n : globalExactActiveClass;\n var activeClass =\n this.activeClass == null ? activeClassFallback : this.activeClass;\n var exactActiveClass =\n this.exactActiveClass == null\n ? exactActiveClassFallback\n : this.exactActiveClass;\n\n var compareTarget = route.redirectedFrom\n ? createRoute(null, normalizeLocation(route.redirectedFrom), null, router)\n : route;\n\n classes[exactActiveClass] = isSameRoute(current, compareTarget, this.exactPath);\n classes[activeClass] = this.exact || this.exactPath\n ? classes[exactActiveClass]\n : isIncludedRoute(current, compareTarget);\n\n var ariaCurrentValue = classes[exactActiveClass] ? this.ariaCurrentValue : null;\n\n var handler = function (e) {\n if (guardEvent(e)) {\n if (this$1$1.replace) {\n router.replace(location, noop);\n } else {\n router.push(location, noop);\n }\n }\n };\n\n var on = { click: guardEvent };\n if (Array.isArray(this.event)) {\n this.event.forEach(function (e) {\n on[e] = handler;\n });\n } else {\n on[this.event] = handler;\n }\n\n var data = { class: classes };\n\n var scopedSlot =\n !this.$scopedSlots.$hasNormal &&\n this.$scopedSlots.default &&\n this.$scopedSlots.default({\n href: href,\n route: route,\n navigate: handler,\n isActive: classes[activeClass],\n isExactActive: classes[exactActiveClass]\n });\n\n if (scopedSlot) {\n if (process.env.NODE_ENV !== 'production' && !this.custom) {\n !warnedCustomSlot && warn(false, 'In Vue Router 4, the v-slot API will by default wrap its content with an <a> element. Use the custom prop to remove this warning:\\n<router-link v-slot=\"{ navigate, href }\" custom></router-link>\\n');\n warnedCustomSlot = true;\n }\n if (scopedSlot.length === 1) {\n return scopedSlot[0]\n } else if (scopedSlot.length > 1 || !scopedSlot.length) {\n if (process.env.NODE_ENV !== 'production') {\n warn(\n false,\n (\"<router-link> with to=\\\"\" + (this.to) + \"\\\" is trying to use a scoped slot but it didn't provide exactly one child. Wrapping the content with a span element.\")\n );\n }\n return scopedSlot.length === 0 ? h() : h('span', {}, scopedSlot)\n }\n }\n\n if (process.env.NODE_ENV !== 'production') {\n if ('tag' in this.$options.propsData && !warnedTagProp) {\n warn(\n false,\n \"<router-link>'s tag prop is deprecated and has been removed in Vue Router 4. Use the v-slot API to remove this warning: https://next.router.vuejs.org/guide/migration/#removal-of-event-and-tag-props-in-router-link.\"\n );\n warnedTagProp = true;\n }\n if ('event' in this.$options.propsData && !warnedEventProp) {\n warn(\n false,\n \"<router-link>'s event prop is deprecated and has been removed in Vue Router 4. Use the v-slot API to remove this warning: https://next.router.vuejs.org/guide/migration/#removal-of-event-and-tag-props-in-router-link.\"\n );\n warnedEventProp = true;\n }\n }\n\n if (this.tag === 'a') {\n data.on = on;\n data.attrs = { href: href, 'aria-current': ariaCurrentValue };\n } else {\n // find the first <a> child and apply listener and href\n var a = findAnchor(this.$slots.default);\n if (a) {\n // in case the <a> is a static node\n a.isStatic = false;\n var aData = (a.data = extend({}, a.data));\n aData.on = aData.on || {};\n // transform existing events in both objects into arrays so we can push later\n for (var event in aData.on) {\n var handler$1 = aData.on[event];\n if (event in on) {\n aData.on[event] = Array.isArray(handler$1) ? handler$1 : [handler$1];\n }\n }\n // append new listeners for router-link\n for (var event$1 in on) {\n if (event$1 in aData.on) {\n // on[event] is always a function\n aData.on[event$1].push(on[event$1]);\n } else {\n aData.on[event$1] = handler;\n }\n }\n\n var aAttrs = (a.data.attrs = extend({}, a.data.attrs));\n aAttrs.href = href;\n aAttrs['aria-current'] = ariaCurrentValue;\n } else {\n // doesn't have <a> child, apply listener to self\n data.on = on;\n }\n }\n\n return h(this.tag, data, this.$slots.default)\n }\n};\n\nfunction guardEvent (e) {\n // don't redirect with control keys\n if (e.metaKey || e.altKey || e.ctrlKey || e.shiftKey) { return }\n // don't redirect when preventDefault called\n if (e.defaultPrevented) { return }\n // don't redirect on right click\n if (e.button !== undefined && e.button !== 0) { return }\n // don't redirect if `target=\"_blank\"`\n if (e.currentTarget && e.currentTarget.getAttribute) {\n var target = e.currentTarget.getAttribute('target');\n if (/\\b_blank\\b/i.test(target)) { return }\n }\n // this may be a Weex event which doesn't have this method\n if (e.preventDefault) {\n e.preventDefault();\n }\n return true\n}\n\nfunction findAnchor (children) {\n if (children) {\n var child;\n for (var i = 0; i < children.length; i++) {\n child = children[i];\n if (child.tag === 'a') {\n return child\n }\n if (child.children && (child = findAnchor(child.children))) {\n return child\n }\n }\n }\n}\n\nvar _Vue;\n\nfunction install (Vue) {\n if (install.installed && _Vue === Vue) { return }\n install.installed = true;\n\n _Vue = Vue;\n\n var isDef = function (v) { return v !== undefined; };\n\n var registerInstance = function (vm, callVal) {\n var i = vm.$options._parentVnode;\n if (isDef(i) && isDef(i = i.data) && isDef(i = i.registerRouteInstance)) {\n i(vm, callVal);\n }\n };\n\n Vue.mixin({\n beforeCreate: function beforeCreate () {\n if (isDef(this.$options.router)) {\n this._routerRoot = this;\n this._router = this.$options.router;\n this._router.init(this);\n Vue.util.defineReactive(this, '_route', this._router.history.current);\n } else {\n this._routerRoot = (this.$parent && this.$parent._routerRoot) || this;\n }\n registerInstance(this, this);\n },\n destroyed: function destroyed () {\n registerInstance(this);\n }\n });\n\n Object.defineProperty(Vue.prototype, '$router', {\n get: function get () { return this._routerRoot._router }\n });\n\n Object.defineProperty(Vue.prototype, '$route', {\n get: function get () { return this._routerRoot._route }\n });\n\n Vue.component('RouterView', View);\n Vue.component('RouterLink', Link);\n\n var strats = Vue.config.optionMergeStrategies;\n // use the same hook merging strategy for route hooks\n strats.beforeRouteEnter = strats.beforeRouteLeave = strats.beforeRouteUpdate = strats.created;\n}\n\n/* */\n\nvar inBrowser = typeof window !== 'undefined';\n\n/* */\n\nfunction createRouteMap (\n routes,\n oldPathList,\n oldPathMap,\n oldNameMap,\n parentRoute\n) {\n // the path list is used to control path matching priority\n var pathList = oldPathList || [];\n // $flow-disable-line\n var pathMap = oldPathMap || Object.create(null);\n // $flow-disable-line\n var nameMap = oldNameMap || Object.create(null);\n\n routes.forEach(function (route) {\n addRouteRecord(pathList, pathMap, nameMap, route, parentRoute);\n });\n\n // ensure wildcard routes are always at the end\n for (var i = 0, l = pathList.length; i < l; i++) {\n if (pathList[i] === '*') {\n pathList.push(pathList.splice(i, 1)[0]);\n l--;\n i--;\n }\n }\n\n if (process.env.NODE_ENV === 'development') {\n // warn if routes do not include leading slashes\n var found = pathList\n // check for missing leading slash\n .filter(function (path) { return path && path.charAt(0) !== '*' && path.charAt(0) !== '/'; });\n\n if (found.length > 0) {\n var pathNames = found.map(function (path) { return (\"- \" + path); }).join('\\n');\n warn(false, (\"Non-nested routes must include a leading slash character. Fix the following routes: \\n\" + pathNames));\n }\n }\n\n return {\n pathList: pathList,\n pathMap: pathMap,\n nameMap: nameMap\n }\n}\n\nfunction addRouteRecord (\n pathList,\n pathMap,\n nameMap,\n route,\n parent,\n matchAs\n) {\n var path = route.path;\n var name = route.name;\n if (process.env.NODE_ENV !== 'production') {\n assert(path != null, \"\\\"path\\\" is required in a route configuration.\");\n assert(\n typeof route.component !== 'string',\n \"route config \\\"component\\\" for path: \" + (String(\n path || name\n )) + \" cannot be a \" + \"string id. Use an actual component instead.\"\n );\n\n warn(\n // eslint-disable-next-line no-control-regex\n !/[^\\u0000-\\u007F]+/.test(path),\n \"Route with path \\\"\" + path + \"\\\" contains unencoded characters, make sure \" +\n \"your path is correctly encoded before passing it to the router. Use \" +\n \"encodeURI to encode static segments of your path.\"\n );\n }\n\n var pathToRegexpOptions =\n route.pathToRegexpOptions || {};\n var normalizedPath = normalizePath(path, parent, pathToRegexpOptions.strict);\n\n if (typeof route.caseSensitive === 'boolean') {\n pathToRegexpOptions.sensitive = route.caseSensitive;\n }\n\n var record = {\n path: normalizedPath,\n regex: compileRouteRegex(normalizedPath, pathToRegexpOptions),\n components: route.components || { default: route.component },\n alias: route.alias\n ? typeof route.alias === 'string'\n ? [route.alias]\n : route.alias\n : [],\n instances: {},\n enteredCbs: {},\n name: name,\n parent: parent,\n matchAs: matchAs,\n redirect: route.redirect,\n beforeEnter: route.beforeEnter,\n meta: route.meta || {},\n props:\n route.props == null\n ? {}\n : route.components\n ? route.props\n : { default: route.props }\n };\n\n if (route.children) {\n // Warn if route is named, does not redirect and has a default child route.\n // If users navigate to this route by name, the default child will\n // not be rendered (GH Issue #629)\n if (process.env.NODE_ENV !== 'production') {\n if (\n route.name &&\n !route.redirect &&\n route.children.some(function (child) { return /^\\/?$/.test(child.path); })\n ) {\n warn(\n false,\n \"Named Route '\" + (route.name) + \"' has a default child route. \" +\n \"When navigating to this named route (:to=\\\"{name: '\" + (route.name) + \"'}\\\"), \" +\n \"the default child route will not be rendered. Remove the name from \" +\n \"this route and use the name of the default child route for named \" +\n \"links instead.\"\n );\n }\n }\n route.children.forEach(function (child) {\n var childMatchAs = matchAs\n ? cleanPath((matchAs + \"/\" + (child.path)))\n : undefined;\n addRouteRecord(pathList, pathMap, nameMap, child, record, childMatchAs);\n });\n }\n\n if (!pathMap[record.path]) {\n pathList.push(record.path);\n pathMap[record.path] = record;\n }\n\n if (route.alias !== undefined) {\n var aliases = Array.isArray(route.alias) ? route.alias : [route.alias];\n for (var i = 0; i < aliases.length; ++i) {\n var alias = aliases[i];\n if (process.env.NODE_ENV !== 'production' && alias === path) {\n warn(\n false,\n (\"Found an alias with the same value as the path: \\\"\" + path + \"\\\". You have to remove that alias. It will be ignored in development.\")\n );\n // skip in dev to make it work\n continue\n }\n\n var aliasRoute = {\n path: alias,\n children: route.children\n };\n addRouteRecord(\n pathList,\n pathMap,\n nameMap,\n aliasRoute,\n parent,\n record.path || '/' // matchAs\n );\n }\n }\n\n if (name) {\n if (!nameMap[name]) {\n nameMap[name] = record;\n } else if (process.env.NODE_ENV !== 'production' && !matchAs) {\n warn(\n false,\n \"Duplicate named routes definition: \" +\n \"{ name: \\\"\" + name + \"\\\", path: \\\"\" + (record.path) + \"\\\" }\"\n );\n }\n }\n}\n\nfunction compileRouteRegex (\n path,\n pathToRegexpOptions\n) {\n var regex = pathToRegexp_1(path, [], pathToRegexpOptions);\n if (process.env.NODE_ENV !== 'production') {\n var keys = Object.create(null);\n regex.keys.forEach(function (key) {\n warn(\n !keys[key.name],\n (\"Duplicate param keys in route with path: \\\"\" + path + \"\\\"\")\n );\n keys[key.name] = true;\n });\n }\n return regex\n}\n\nfunction normalizePath (\n path,\n parent,\n strict\n) {\n if (!strict) { path = path.replace(/\\/$/, ''); }\n if (path[0] === '/') { return path }\n if (parent == null) { return path }\n return cleanPath(((parent.path) + \"/\" + path))\n}\n\n/* */\n\n\n\nfunction createMatcher (\n routes,\n router\n) {\n var ref = createRouteMap(routes);\n var pathList = ref.pathList;\n var pathMap = ref.pathMap;\n var nameMap = ref.nameMap;\n\n function addRoutes (routes) {\n createRouteMap(routes, pathList, pathMap, nameMap);\n }\n\n function addRoute (parentOrRoute, route) {\n var parent = (typeof parentOrRoute !== 'object') ? nameMap[parentOrRoute] : undefined;\n // $flow-disable-line\n createRouteMap([route || parentOrRoute], pathList, pathMap, nameMap, parent);\n\n // add aliases of parent\n if (parent && parent.alias.length) {\n createRouteMap(\n // $flow-disable-line route is defined if parent is\n parent.alias.map(function (alias) { return ({ path: alias, children: [route] }); }),\n pathList,\n pathMap,\n nameMap,\n parent\n );\n }\n }\n\n function getRoutes () {\n return pathList.map(function (path) { return pathMap[path]; })\n }\n\n function match (\n raw,\n currentRoute,\n redirectedFrom\n ) {\n var location = normalizeLocation(raw, currentRoute, false, router);\n var name = location.name;\n\n if (name) {\n var record = nameMap[name];\n if (process.env.NODE_ENV !== 'production') {\n warn(record, (\"Route with name '\" + name + \"' does not exist\"));\n }\n if (!record) { return _createRoute(null, location) }\n var paramNames = record.regex.keys\n .filter(function (key) { return !key.optional; })\n .map(function (key) { return key.name; });\n\n if (typeof location.params !== 'object') {\n location.params = {};\n }\n\n if (currentRoute && typeof currentRoute.params === 'object') {\n for (var key in currentRoute.params) {\n if (!(key in location.params) && paramNames.indexOf(key) > -1) {\n location.params[key] = currentRoute.params[key];\n }\n }\n }\n\n location.path = fillParams(record.path, location.params, (\"named route \\\"\" + name + \"\\\"\"));\n return _createRoute(record, location, redirectedFrom)\n } else if (location.path) {\n location.params = {};\n for (var i = 0; i < pathList.length; i++) {\n var path = pathList[i];\n var record$1 = pathMap[path];\n if (matchRoute(record$1.regex, location.path, location.params)) {\n return _createRoute(record$1, location, redirectedFrom)\n }\n }\n }\n // no match\n return _createRoute(null, location)\n }\n\n function redirect (\n record,\n location\n ) {\n var originalRedirect = record.redirect;\n var redirect = typeof originalRedirect === 'function'\n ? originalRedirect(createRoute(record, location, null, router))\n : originalRedirect;\n\n if (typeof redirect === 'string') {\n redirect = { path: redirect };\n }\n\n if (!redirect || typeof redirect !== 'object') {\n if (process.env.NODE_ENV !== 'production') {\n warn(\n false, (\"invalid redirect option: \" + (JSON.stringify(redirect)))\n );\n }\n return _createRoute(null, location)\n }\n\n var re = redirect;\n var name = re.name;\n var path = re.path;\n var query = location.query;\n var hash = location.hash;\n var params = location.params;\n query = re.hasOwnProperty('query') ? re.query : query;\n hash = re.hasOwnProperty('hash') ? re.hash : hash;\n params = re.hasOwnProperty('params') ? re.params : params;\n\n if (name) {\n // resolved named direct\n var targetRecord = nameMap[name];\n if (process.env.NODE_ENV !== 'production') {\n assert(targetRecord, (\"redirect failed: named route \\\"\" + name + \"\\\" not found.\"));\n }\n return match({\n _normalized: true,\n name: name,\n query: query,\n hash: hash,\n params: params\n }, undefined, location)\n } else if (path) {\n // 1. resolve relative redirect\n var rawPath = resolveRecordPath(path, record);\n // 2. resolve params\n var resolvedPath = fillParams(rawPath, params, (\"redirect route with path \\\"\" + rawPath + \"\\\"\"));\n // 3. rematch with existing query and hash\n return match({\n _normalized: true,\n path: resolvedPath,\n query: query,\n hash: hash\n }, undefined, location)\n } else {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, (\"invalid redirect option: \" + (JSON.stringify(redirect))));\n }\n return _createRoute(null, location)\n }\n }\n\n function alias (\n record,\n location,\n matchAs\n ) {\n var aliasedPath = fillParams(matchAs, location.params, (\"aliased route with path \\\"\" + matchAs + \"\\\"\"));\n var aliasedMatch = match({\n _normalized: true,\n path: aliasedPath\n });\n if (aliasedMatch) {\n var matched = aliasedMatch.matched;\n var aliasedRecord = matched[matched.length - 1];\n location.params = aliasedMatch.params;\n return _createRoute(aliasedRecord, location)\n }\n return _createRoute(null, location)\n }\n\n function _createRoute (\n record,\n location,\n redirectedFrom\n ) {\n if (record && record.redirect) {\n return redirect(record, redirectedFrom || location)\n }\n if (record && record.matchAs) {\n return alias(record, location, record.matchAs)\n }\n return createRoute(record, location, redirectedFrom, router)\n }\n\n return {\n match: match,\n addRoute: addRoute,\n getRoutes: getRoutes,\n addRoutes: addRoutes\n }\n}\n\nfunction matchRoute (\n regex,\n path,\n params\n) {\n var m = path.match(regex);\n\n if (!m) {\n return false\n } else if (!params) {\n return true\n }\n\n for (var i = 1, len = m.length; i < len; ++i) {\n var key = regex.keys[i - 1];\n if (key) {\n // Fix #1994: using * with props: true generates a param named 0\n params[key.name || 'pathMatch'] = typeof m[i] === 'string' ? decode(m[i]) : m[i];\n }\n }\n\n return true\n}\n\nfunction resolveRecordPath (path, record) {\n return resolvePath(path, record.parent ? record.parent.path : '/', true)\n}\n\n/* */\n\n// use User Timing api (if present) for more accurate key precision\nvar Time =\n inBrowser && window.performance && window.performance.now\n ? window.performance\n : Date;\n\nfunction genStateKey () {\n return Time.now().toFixed(3)\n}\n\nvar _key = genStateKey();\n\nfunction getStateKey () {\n return _key\n}\n\nfunction setStateKey (key) {\n return (_key = key)\n}\n\n/* */\n\nvar positionStore = Object.create(null);\n\nfunction setupScroll () {\n // Prevent browser scroll behavior on History popstate\n if ('scrollRestoration' in window.history) {\n window.history.scrollRestoration = 'manual';\n }\n // Fix for #1585 for Firefox\n // Fix for #2195 Add optional third attribute to workaround a bug in safari https://bugs.webkit.org/show_bug.cgi?id=182678\n // Fix for #2774 Support for apps loaded from Windows file shares not mapped to network drives: replaced location.origin with\n // window.location.protocol + '//' + window.location.host\n // location.host contains the port and location.hostname doesn't\n var protocolAndPath = window.location.protocol + '//' + window.location.host;\n var absolutePath = window.location.href.replace(protocolAndPath, '');\n // preserve existing history state as it could be overriden by the user\n var stateCopy = extend({}, window.history.state);\n stateCopy.key = getStateKey();\n window.history.replaceState(stateCopy, '', absolutePath);\n window.addEventListener('popstate', handlePopState);\n return function () {\n window.removeEventListener('popstate', handlePopState);\n }\n}\n\nfunction handleScroll (\n router,\n to,\n from,\n isPop\n) {\n if (!router.app) {\n return\n }\n\n var behavior = router.options.scrollBehavior;\n if (!behavior) {\n return\n }\n\n if (process.env.NODE_ENV !== 'production') {\n assert(typeof behavior === 'function', \"scrollBehavior must be a function\");\n }\n\n // wait until re-render finishes before scrolling\n router.app.$nextTick(function () {\n var position = getScrollPosition();\n var shouldScroll = behavior.call(\n router,\n to,\n from,\n isPop ? position : null\n );\n\n if (!shouldScroll) {\n return\n }\n\n if (typeof shouldScroll.then === 'function') {\n shouldScroll\n .then(function (shouldScroll) {\n scrollToPosition((shouldScroll), position);\n })\n .catch(function (err) {\n if (process.env.NODE_ENV !== 'production') {\n assert(false, err.toString());\n }\n });\n } else {\n scrollToPosition(shouldScroll, position);\n }\n });\n}\n\nfunction saveScrollPosition () {\n var key = getStateKey();\n if (key) {\n positionStore[key] = {\n x: window.pageXOffset,\n y: window.pageYOffset\n };\n }\n}\n\nfunction handlePopState (e) {\n saveScrollPosition();\n if (e.state && e.state.key) {\n setStateKey(e.state.key);\n }\n}\n\nfunction getScrollPosition () {\n var key = getStateKey();\n if (key) {\n return positionStore[key]\n }\n}\n\nfunction getElementPosition (el, offset) {\n var docEl = document.documentElement;\n var docRect = docEl.getBoundingClientRect();\n var elRect = el.getBoundingClientRect();\n return {\n x: elRect.left - docRect.left - offset.x,\n y: elRect.top - docRect.top - offset.y\n }\n}\n\nfunction isValidPosition (obj) {\n return isNumber(obj.x) || isNumber(obj.y)\n}\n\nfunction normalizePosition (obj) {\n return {\n x: isNumber(obj.x) ? obj.x : window.pageXOffset,\n y: isNumber(obj.y) ? obj.y : window.pageYOffset\n }\n}\n\nfunction normalizeOffset (obj) {\n return {\n x: isNumber(obj.x) ? obj.x : 0,\n y: isNumber(obj.y) ? obj.y : 0\n }\n}\n\nfunction isNumber (v) {\n return typeof v === 'number'\n}\n\nvar hashStartsWithNumberRE = /^#\\d/;\n\nfunction scrollToPosition (shouldScroll, position) {\n var isObject = typeof shouldScroll === 'object';\n if (isObject && typeof shouldScroll.selector === 'string') {\n // getElementById would still fail if the selector contains a more complicated query like #main[data-attr]\n // but at the same time, it doesn't make much sense to select an element with an id and an extra selector\n var el = hashStartsWithNumberRE.test(shouldScroll.selector) // $flow-disable-line\n ? document.getElementById(shouldScroll.selector.slice(1)) // $flow-disable-line\n : document.querySelector(shouldScroll.selector);\n\n if (el) {\n var offset =\n shouldScroll.offset && typeof shouldScroll.offset === 'object'\n ? shouldScroll.offset\n : {};\n offset = normalizeOffset(offset);\n position = getElementPosition(el, offset);\n } else if (isValidPosition(shouldScroll)) {\n position = normalizePosition(shouldScroll);\n }\n } else if (isObject && isValidPosition(shouldScroll)) {\n position = normalizePosition(shouldScroll);\n }\n\n if (position) {\n // $flow-disable-line\n if ('scrollBehavior' in document.documentElement.style) {\n window.scrollTo({\n left: position.x,\n top: position.y,\n // $flow-disable-line\n behavior: shouldScroll.behavior\n });\n } else {\n window.scrollTo(position.x, position.y);\n }\n }\n}\n\n/* */\n\nvar supportsPushState =\n inBrowser &&\n (function () {\n var ua = window.navigator.userAgent;\n\n if (\n (ua.indexOf('Android 2.') !== -1 || ua.indexOf('Android 4.0') !== -1) &&\n ua.indexOf('Mobile Safari') !== -1 &&\n ua.indexOf('Chrome') === -1 &&\n ua.indexOf('Windows Phone') === -1\n ) {\n return false\n }\n\n return window.history && typeof window.history.pushState === 'function'\n })();\n\nfunction pushState (url, replace) {\n saveScrollPosition();\n // try...catch the pushState call to get around Safari\n // DOM Exception 18 where it limits to 100 pushState calls\n var history = window.history;\n try {\n if (replace) {\n // preserve existing history state as it could be overriden by the user\n var stateCopy = extend({}, history.state);\n stateCopy.key = getStateKey();\n history.replaceState(stateCopy, '', url);\n } else {\n history.pushState({ key: setStateKey(genStateKey()) }, '', url);\n }\n } catch (e) {\n window.location[replace ? 'replace' : 'assign'](url);\n }\n}\n\nfunction replaceState (url) {\n pushState(url, true);\n}\n\n// When changing thing, also edit router.d.ts\nvar NavigationFailureType = {\n redirected: 2,\n aborted: 4,\n cancelled: 8,\n duplicated: 16\n};\n\nfunction createNavigationRedirectedError (from, to) {\n return createRouterError(\n from,\n to,\n NavigationFailureType.redirected,\n (\"Redirected when going from \\\"\" + (from.fullPath) + \"\\\" to \\\"\" + (stringifyRoute(\n to\n )) + \"\\\" via a navigation guard.\")\n )\n}\n\nfunction createNavigationDuplicatedError (from, to) {\n var error = createRouterError(\n from,\n to,\n NavigationFailureType.duplicated,\n (\"Avoided redundant navigation to current location: \\\"\" + (from.fullPath) + \"\\\".\")\n );\n // backwards compatible with the first introduction of Errors\n error.name = 'NavigationDuplicated';\n return error\n}\n\nfunction createNavigationCancelledError (from, to) {\n return createRouterError(\n from,\n to,\n NavigationFailureType.cancelled,\n (\"Navigation cancelled from \\\"\" + (from.fullPath) + \"\\\" to \\\"\" + (to.fullPath) + \"\\\" with a new navigation.\")\n )\n}\n\nfunction createNavigationAbortedError (from, to) {\n return createRouterError(\n from,\n to,\n NavigationFailureType.aborted,\n (\"Navigation aborted from \\\"\" + (from.fullPath) + \"\\\" to \\\"\" + (to.fullPath) + \"\\\" via a navigation guard.\")\n )\n}\n\nfunction createRouterError (from, to, type, message) {\n var error = new Error(message);\n error._isRouter = true;\n error.from = from;\n error.to = to;\n error.type = type;\n\n return error\n}\n\nvar propertiesToLog = ['params', 'query', 'hash'];\n\nfunction stringifyRoute (to) {\n if (typeof to === 'string') { return to }\n if ('path' in to) { return to.path }\n var location = {};\n propertiesToLog.forEach(function (key) {\n if (key in to) { location[key] = to[key]; }\n });\n return JSON.stringify(location, null, 2)\n}\n\nfunction isError (err) {\n return Object.prototype.toString.call(err).indexOf('Error') > -1\n}\n\nfunction isNavigationFailure (err, errorType) {\n return (\n isError(err) &&\n err._isRouter &&\n (errorType == null || err.type === errorType)\n )\n}\n\n/* */\n\nfunction runQueue (queue, fn, cb) {\n var step = function (index) {\n if (index >= queue.length) {\n cb();\n } else {\n if (queue[index]) {\n fn(queue[index], function () {\n step(index + 1);\n });\n } else {\n step(index + 1);\n }\n }\n };\n step(0);\n}\n\n/* */\n\nfunction resolveAsyncComponents (matched) {\n return function (to, from, next) {\n var hasAsync = false;\n var pending = 0;\n var error = null;\n\n flatMapComponents(matched, function (def, _, match, key) {\n // if it's a function and doesn't have cid attached,\n // assume it's an async component resolve function.\n // we are not using Vue's default async resolving mechanism because\n // we want to halt the navigation until the incoming component has been\n // resolved.\n if (typeof def === 'function' && def.cid === undefined) {\n hasAsync = true;\n pending++;\n\n var resolve = once(function (resolvedDef) {\n if (isESModule(resolvedDef)) {\n resolvedDef = resolvedDef.default;\n }\n // save resolved on async factory in case it's used elsewhere\n def.resolved = typeof resolvedDef === 'function'\n ? resolvedDef\n : _Vue.extend(resolvedDef);\n match.components[key] = resolvedDef;\n pending--;\n if (pending <= 0) {\n next();\n }\n });\n\n var reject = once(function (reason) {\n var msg = \"Failed to resolve async component \" + key + \": \" + reason;\n process.env.NODE_ENV !== 'production' && warn(false, msg);\n if (!error) {\n error = isError(reason)\n ? reason\n : new Error(msg);\n next(error);\n }\n });\n\n var res;\n try {\n res = def(resolve, reject);\n } catch (e) {\n reject(e);\n }\n if (res) {\n if (typeof res.then === 'function') {\n res.then(resolve, reject);\n } else {\n // new syntax in Vue 2.3\n var comp = res.component;\n if (comp && typeof comp.then === 'function') {\n comp.then(resolve, reject);\n }\n }\n }\n }\n });\n\n if (!hasAsync) { next(); }\n }\n}\n\nfunction flatMapComponents (\n matched,\n fn\n) {\n return flatten(matched.map(function (m) {\n return Object.keys(m.components).map(function (key) { return fn(\n m.components[key],\n m.instances[key],\n m, key\n ); })\n }))\n}\n\nfunction flatten (arr) {\n return Array.prototype.concat.apply([], arr)\n}\n\nvar hasSymbol =\n typeof Symbol === 'function' &&\n typeof Symbol.toStringTag === 'symbol';\n\nfunction isESModule (obj) {\n return obj.__esModule || (hasSymbol && obj[Symbol.toStringTag] === 'Module')\n}\n\n// in Webpack 2, require.ensure now also returns a Promise\n// so the resolve/reject functions may get called an extra time\n// if the user uses an arrow function shorthand that happens to\n// return that Promise.\nfunction once (fn) {\n var called = false;\n return function () {\n var args = [], len = arguments.length;\n while ( len-- ) args[ len ] = arguments[ len ];\n\n if (called) { return }\n called = true;\n return fn.apply(this, args)\n }\n}\n\n/* */\n\nvar History = function History (router, base) {\n this.router = router;\n this.base = normalizeBase(base);\n // start with a route object that stands for \"nowhere\"\n this.current = START;\n this.pending = null;\n this.ready = false;\n this.readyCbs = [];\n this.readyErrorCbs = [];\n this.errorCbs = [];\n this.listeners = [];\n};\n\nHistory.prototype.listen = function listen (cb) {\n this.cb = cb;\n};\n\nHistory.prototype.onReady = function onReady (cb, errorCb) {\n if (this.ready) {\n cb();\n } else {\n this.readyCbs.push(cb);\n if (errorCb) {\n this.readyErrorCbs.push(errorCb);\n }\n }\n};\n\nHistory.prototype.onError = function onError (errorCb) {\n this.errorCbs.push(errorCb);\n};\n\nHistory.prototype.transitionTo = function transitionTo (\n location,\n onComplete,\n onAbort\n) {\n var this$1$1 = this;\n\n var route;\n // catch redirect option https://github.com/vuejs/vue-router/issues/3201\n try {\n route = this.router.match(location, this.current);\n } catch (e) {\n this.errorCbs.forEach(function (cb) {\n cb(e);\n });\n // Exception should still be thrown\n throw e\n }\n var prev = this.current;\n this.confirmTransition(\n route,\n function () {\n this$1$1.updateRoute(route);\n onComplete && onComplete(route);\n this$1$1.ensureURL();\n this$1$1.router.afterHooks.forEach(function (hook) {\n hook && hook(route, prev);\n });\n\n // fire ready cbs once\n if (!this$1$1.ready) {\n this$1$1.ready = true;\n this$1$1.readyCbs.forEach(function (cb) {\n cb(route);\n });\n }\n },\n function (err) {\n if (onAbort) {\n onAbort(err);\n }\n if (err && !this$1$1.ready) {\n // Initial redirection should not mark the history as ready yet\n // because it's triggered by the redirection instead\n // https://github.com/vuejs/vue-router/issues/3225\n // https://github.com/vuejs/vue-router/issues/3331\n if (!isNavigationFailure(err, NavigationFailureType.redirected) || prev !== START) {\n this$1$1.ready = true;\n this$1$1.readyErrorCbs.forEach(function (cb) {\n cb(err);\n });\n }\n }\n }\n );\n};\n\nHistory.prototype.confirmTransition = function confirmTransition (route, onComplete, onAbort) {\n var this$1$1 = this;\n\n var current = this.current;\n this.pending = route;\n var abort = function (err) {\n // changed after adding errors with\n // https://github.com/vuejs/vue-router/pull/3047 before that change,\n // redirect and aborted navigation would produce an err == null\n if (!isNavigationFailure(err) && isError(err)) {\n if (this$1$1.errorCbs.length) {\n this$1$1.errorCbs.forEach(function (cb) {\n cb(err);\n });\n } else {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, 'uncaught error during route navigation:');\n }\n console.error(err);\n }\n }\n onAbort && onAbort(err);\n };\n var lastRouteIndex = route.matched.length - 1;\n var lastCurrentIndex = current.matched.length - 1;\n if (\n isSameRoute(route, current) &&\n // in the case the route map has been dynamically appended to\n lastRouteIndex === lastCurrentIndex &&\n route.matched[lastRouteIndex] === current.matched[lastCurrentIndex]\n ) {\n this.ensureURL();\n if (route.hash) {\n handleScroll(this.router, current, route, false);\n }\n return abort(createNavigationDuplicatedError(current, route))\n }\n\n var ref = resolveQueue(\n this.current.matched,\n route.matched\n );\n var updated = ref.updated;\n var deactivated = ref.deactivated;\n var activated = ref.activated;\n\n var queue = [].concat(\n // in-component leave guards\n extractLeaveGuards(deactivated),\n // global before hooks\n this.router.beforeHooks,\n // in-component update hooks\n extractUpdateHooks(updated),\n // in-config enter guards\n activated.map(function (m) { return m.beforeEnter; }),\n // async components\n resolveAsyncComponents(activated)\n );\n\n var iterator = function (hook, next) {\n if (this$1$1.pending !== route) {\n return abort(createNavigationCancelledError(current, route))\n }\n try {\n hook(route, current, function (to) {\n if (to === false) {\n // next(false) -> abort navigation, ensure current URL\n this$1$1.ensureURL(true);\n abort(createNavigationAbortedError(current, route));\n } else if (isError(to)) {\n this$1$1.ensureURL(true);\n abort(to);\n } else if (\n typeof to === 'string' ||\n (typeof to === 'object' &&\n (typeof to.path === 'string' || typeof to.name === 'string'))\n ) {\n // next('/') or next({ path: '/' }) -> redirect\n abort(createNavigationRedirectedError(current, route));\n if (typeof to === 'object' && to.replace) {\n this$1$1.replace(to);\n } else {\n this$1$1.push(to);\n }\n } else {\n // confirm transition and pass on the value\n next(to);\n }\n });\n } catch (e) {\n abort(e);\n }\n };\n\n runQueue(queue, iterator, function () {\n // wait until async components are resolved before\n // extracting in-component enter guards\n var enterGuards = extractEnterGuards(activated);\n var queue = enterGuards.concat(this$1$1.router.resolveHooks);\n runQueue(queue, iterator, function () {\n if (this$1$1.pending !== route) {\n return abort(createNavigationCancelledError(current, route))\n }\n this$1$1.pending = null;\n onComplete(route);\n if (this$1$1.router.app) {\n this$1$1.router.app.$nextTick(function () {\n handleRouteEntered(route);\n });\n }\n });\n });\n};\n\nHistory.prototype.updateRoute = function updateRoute (route) {\n this.current = route;\n this.cb && this.cb(route);\n};\n\nHistory.prototype.setupListeners = function setupListeners () {\n // Default implementation is empty\n};\n\nHistory.prototype.teardown = function teardown () {\n // clean up event listeners\n // https://github.com/vuejs/vue-router/issues/2341\n this.listeners.forEach(function (cleanupListener) {\n cleanupListener();\n });\n this.listeners = [];\n\n // reset current history route\n // https://github.com/vuejs/vue-router/issues/3294\n this.current = START;\n this.pending = null;\n};\n\nfunction normalizeBase (base) {\n if (!base) {\n if (inBrowser) {\n // respect <base> tag\n var baseEl = document.querySelector('base');\n base = (baseEl && baseEl.getAttribute('href')) || '/';\n // strip full URL origin\n base = base.replace(/^https?:\\/\\/[^\\/]+/, '');\n } else {\n base = '/';\n }\n }\n // make sure there's the starting slash\n if (base.charAt(0) !== '/') {\n base = '/' + base;\n }\n // remove trailing slash\n return base.replace(/\\/$/, '')\n}\n\nfunction resolveQueue (\n current,\n next\n) {\n var i;\n var max = Math.max(current.length, next.length);\n for (i = 0; i < max; i++) {\n if (current[i] !== next[i]) {\n break\n }\n }\n return {\n updated: next.slice(0, i),\n activated: next.slice(i),\n deactivated: current.slice(i)\n }\n}\n\nfunction extractGuards (\n records,\n name,\n bind,\n reverse\n) {\n var guards = flatMapComponents(records, function (def, instance, match, key) {\n var guard = extractGuard(def, name);\n if (guard) {\n return Array.isArray(guard)\n ? guard.map(function (guard) { return bind(guard, instance, match, key); })\n : bind(guard, instance, match, key)\n }\n });\n return flatten(reverse ? guards.reverse() : guards)\n}\n\nfunction extractGuard (\n def,\n key\n) {\n if (typeof def !== 'function') {\n // extend now so that global mixins are applied.\n def = _Vue.extend(def);\n }\n return def.options[key]\n}\n\nfunction extractLeaveGuards (deactivated) {\n return extractGuards(deactivated, 'beforeRouteLeave', bindGuard, true)\n}\n\nfunction extractUpdateHooks (updated) {\n return extractGuards(updated, 'beforeRouteUpdate', bindGuard)\n}\n\nfunction bindGuard (guard, instance) {\n if (instance) {\n return function boundRouteGuard () {\n return guard.apply(instance, arguments)\n }\n }\n}\n\nfunction extractEnterGuards (\n activated\n) {\n return extractGuards(\n activated,\n 'beforeRouteEnter',\n function (guard, _, match, key) {\n return bindEnterGuard(guard, match, key)\n }\n )\n}\n\nfunction bindEnterGuard (\n guard,\n match,\n key\n) {\n return function routeEnterGuard (to, from, next) {\n return guard(to, from, function (cb) {\n if (typeof cb === 'function') {\n if (!match.enteredCbs[key]) {\n match.enteredCbs[key] = [];\n }\n match.enteredCbs[key].push(cb);\n }\n next(cb);\n })\n }\n}\n\n/* */\n\nvar HTML5History = /*@__PURE__*/(function (History) {\n function HTML5History (router, base) {\n History.call(this, router, base);\n\n this._startLocation = getLocation(this.base);\n }\n\n if ( History ) HTML5History.__proto__ = History;\n HTML5History.prototype = Object.create( History && History.prototype );\n HTML5History.prototype.constructor = HTML5History;\n\n HTML5History.prototype.setupListeners = function setupListeners () {\n var this$1$1 = this;\n\n if (this.listeners.length > 0) {\n return\n }\n\n var router = this.router;\n var expectScroll = router.options.scrollBehavior;\n var supportsScroll = supportsPushState && expectScroll;\n\n if (supportsScroll) {\n this.listeners.push(setupScroll());\n }\n\n var handleRoutingEvent = function () {\n var current = this$1$1.current;\n\n // Avoiding first `popstate` event dispatched in some browsers but first\n // history route not updated since async guard at the same time.\n var location = getLocation(this$1$1.base);\n if (this$1$1.current === START && location === this$1$1._startLocation) {\n return\n }\n\n this$1$1.transitionTo(location, function (route) {\n if (supportsScroll) {\n handleScroll(router, route, current, true);\n }\n });\n };\n window.addEventListener('popstate', handleRoutingEvent);\n this.listeners.push(function () {\n window.removeEventListener('popstate', handleRoutingEvent);\n });\n };\n\n HTML5History.prototype.go = function go (n) {\n window.history.go(n);\n };\n\n HTML5History.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(location, function (route) {\n pushState(cleanPath(this$1$1.base + route.fullPath));\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n }, onAbort);\n };\n\n HTML5History.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(location, function (route) {\n replaceState(cleanPath(this$1$1.base + route.fullPath));\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n }, onAbort);\n };\n\n HTML5History.prototype.ensureURL = function ensureURL (push) {\n if (getLocation(this.base) !== this.current.fullPath) {\n var current = cleanPath(this.base + this.current.fullPath);\n push ? pushState(current) : replaceState(current);\n }\n };\n\n HTML5History.prototype.getCurrentLocation = function getCurrentLocation () {\n return getLocation(this.base)\n };\n\n return HTML5History;\n}(History));\n\nfunction getLocation (base) {\n var path = window.location.pathname;\n var pathLowerCase = path.toLowerCase();\n var baseLowerCase = base.toLowerCase();\n // base=\"/a\" shouldn't turn path=\"/app\" into \"/a/pp\"\n // https://github.com/vuejs/vue-router/issues/3555\n // so we ensure the trailing slash in the base\n if (base && ((pathLowerCase === baseLowerCase) ||\n (pathLowerCase.indexOf(cleanPath(baseLowerCase + '/')) === 0))) {\n path = path.slice(base.length);\n }\n return (path || '/') + window.location.search + window.location.hash\n}\n\n/* */\n\nvar HashHistory = /*@__PURE__*/(function (History) {\n function HashHistory (router, base, fallback) {\n History.call(this, router, base);\n // check history fallback deeplinking\n if (fallback && checkFallback(this.base)) {\n return\n }\n ensureSlash();\n }\n\n if ( History ) HashHistory.__proto__ = History;\n HashHistory.prototype = Object.create( History && History.prototype );\n HashHistory.prototype.constructor = HashHistory;\n\n // this is delayed until the app mounts\n // to avoid the hashchange listener being fired too early\n HashHistory.prototype.setupListeners = function setupListeners () {\n var this$1$1 = this;\n\n if (this.listeners.length > 0) {\n return\n }\n\n var router = this.router;\n var expectScroll = router.options.scrollBehavior;\n var supportsScroll = supportsPushState && expectScroll;\n\n if (supportsScroll) {\n this.listeners.push(setupScroll());\n }\n\n var handleRoutingEvent = function () {\n var current = this$1$1.current;\n if (!ensureSlash()) {\n return\n }\n this$1$1.transitionTo(getHash(), function (route) {\n if (supportsScroll) {\n handleScroll(this$1$1.router, route, current, true);\n }\n if (!supportsPushState) {\n replaceHash(route.fullPath);\n }\n });\n };\n var eventType = supportsPushState ? 'popstate' : 'hashchange';\n window.addEventListener(\n eventType,\n handleRoutingEvent\n );\n this.listeners.push(function () {\n window.removeEventListener(eventType, handleRoutingEvent);\n });\n };\n\n HashHistory.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(\n location,\n function (route) {\n pushHash(route.fullPath);\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n HashHistory.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n var ref = this;\n var fromRoute = ref.current;\n this.transitionTo(\n location,\n function (route) {\n replaceHash(route.fullPath);\n handleScroll(this$1$1.router, route, fromRoute, false);\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n HashHistory.prototype.go = function go (n) {\n window.history.go(n);\n };\n\n HashHistory.prototype.ensureURL = function ensureURL (push) {\n var current = this.current.fullPath;\n if (getHash() !== current) {\n push ? pushHash(current) : replaceHash(current);\n }\n };\n\n HashHistory.prototype.getCurrentLocation = function getCurrentLocation () {\n return getHash()\n };\n\n return HashHistory;\n}(History));\n\nfunction checkFallback (base) {\n var location = getLocation(base);\n if (!/^\\/#/.test(location)) {\n window.location.replace(cleanPath(base + '/#' + location));\n return true\n }\n}\n\nfunction ensureSlash () {\n var path = getHash();\n if (path.charAt(0) === '/') {\n return true\n }\n replaceHash('/' + path);\n return false\n}\n\nfunction getHash () {\n // We can't use window.location.hash here because it's not\n // consistent across browsers - Firefox will pre-decode it!\n var href = window.location.href;\n var index = href.indexOf('#');\n // empty path\n if (index < 0) { return '' }\n\n href = href.slice(index + 1);\n\n return href\n}\n\nfunction getUrl (path) {\n var href = window.location.href;\n var i = href.indexOf('#');\n var base = i >= 0 ? href.slice(0, i) : href;\n return (base + \"#\" + path)\n}\n\nfunction pushHash (path) {\n if (supportsPushState) {\n pushState(getUrl(path));\n } else {\n window.location.hash = path;\n }\n}\n\nfunction replaceHash (path) {\n if (supportsPushState) {\n replaceState(getUrl(path));\n } else {\n window.location.replace(getUrl(path));\n }\n}\n\n/* */\n\nvar AbstractHistory = /*@__PURE__*/(function (History) {\n function AbstractHistory (router, base) {\n History.call(this, router, base);\n this.stack = [];\n this.index = -1;\n }\n\n if ( History ) AbstractHistory.__proto__ = History;\n AbstractHistory.prototype = Object.create( History && History.prototype );\n AbstractHistory.prototype.constructor = AbstractHistory;\n\n AbstractHistory.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n this.transitionTo(\n location,\n function (route) {\n this$1$1.stack = this$1$1.stack.slice(0, this$1$1.index + 1).concat(route);\n this$1$1.index++;\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n AbstractHistory.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n this.transitionTo(\n location,\n function (route) {\n this$1$1.stack = this$1$1.stack.slice(0, this$1$1.index).concat(route);\n onComplete && onComplete(route);\n },\n onAbort\n );\n };\n\n AbstractHistory.prototype.go = function go (n) {\n var this$1$1 = this;\n\n var targetIndex = this.index + n;\n if (targetIndex < 0 || targetIndex >= this.stack.length) {\n return\n }\n var route = this.stack[targetIndex];\n this.confirmTransition(\n route,\n function () {\n var prev = this$1$1.current;\n this$1$1.index = targetIndex;\n this$1$1.updateRoute(route);\n this$1$1.router.afterHooks.forEach(function (hook) {\n hook && hook(route, prev);\n });\n },\n function (err) {\n if (isNavigationFailure(err, NavigationFailureType.duplicated)) {\n this$1$1.index = targetIndex;\n }\n }\n );\n };\n\n AbstractHistory.prototype.getCurrentLocation = function getCurrentLocation () {\n var current = this.stack[this.stack.length - 1];\n return current ? current.fullPath : '/'\n };\n\n AbstractHistory.prototype.ensureURL = function ensureURL () {\n // noop\n };\n\n return AbstractHistory;\n}(History));\n\n/* */\n\n\n\nvar VueRouter = function VueRouter (options) {\n if ( options === void 0 ) options = {};\n\n if (process.env.NODE_ENV !== 'production') {\n warn(this instanceof VueRouter, \"Router must be called with the new operator.\");\n }\n this.app = null;\n this.apps = [];\n this.options = options;\n this.beforeHooks = [];\n this.resolveHooks = [];\n this.afterHooks = [];\n this.matcher = createMatcher(options.routes || [], this);\n\n var mode = options.mode || 'hash';\n this.fallback =\n mode === 'history' && !supportsPushState && options.fallback !== false;\n if (this.fallback) {\n mode = 'hash';\n }\n if (!inBrowser) {\n mode = 'abstract';\n }\n this.mode = mode;\n\n switch (mode) {\n case 'history':\n this.history = new HTML5History(this, options.base);\n break\n case 'hash':\n this.history = new HashHistory(this, options.base, this.fallback);\n break\n case 'abstract':\n this.history = new AbstractHistory(this, options.base);\n break\n default:\n if (process.env.NODE_ENV !== 'production') {\n assert(false, (\"invalid mode: \" + mode));\n }\n }\n};\n\nvar prototypeAccessors = { currentRoute: { configurable: true } };\n\nVueRouter.prototype.match = function match (raw, current, redirectedFrom) {\n return this.matcher.match(raw, current, redirectedFrom)\n};\n\nprototypeAccessors.currentRoute.get = function () {\n return this.history && this.history.current\n};\n\nVueRouter.prototype.init = function init (app /* Vue component instance */) {\n var this$1$1 = this;\n\n process.env.NODE_ENV !== 'production' &&\n assert(\n install.installed,\n \"not installed. Make sure to call `Vue.use(VueRouter)` \" +\n \"before creating root instance.\"\n );\n\n this.apps.push(app);\n\n // set up app destroyed handler\n // https://github.com/vuejs/vue-router/issues/2639\n app.$once('hook:destroyed', function () {\n // clean out app from this.apps array once destroyed\n var index = this$1$1.apps.indexOf(app);\n if (index > -1) { this$1$1.apps.splice(index, 1); }\n // ensure we still have a main app or null if no apps\n // we do not release the router so it can be reused\n if (this$1$1.app === app) { this$1$1.app = this$1$1.apps[0] || null; }\n\n if (!this$1$1.app) { this$1$1.history.teardown(); }\n });\n\n // main app previously initialized\n // return as we don't need to set up new history listener\n if (this.app) {\n return\n }\n\n this.app = app;\n\n var history = this.history;\n\n if (history instanceof HTML5History || history instanceof HashHistory) {\n var handleInitialScroll = function (routeOrError) {\n var from = history.current;\n var expectScroll = this$1$1.options.scrollBehavior;\n var supportsScroll = supportsPushState && expectScroll;\n\n if (supportsScroll && 'fullPath' in routeOrError) {\n handleScroll(this$1$1, routeOrError, from, false);\n }\n };\n var setupListeners = function (routeOrError) {\n history.setupListeners();\n handleInitialScroll(routeOrError);\n };\n history.transitionTo(\n history.getCurrentLocation(),\n setupListeners,\n setupListeners\n );\n }\n\n history.listen(function (route) {\n this$1$1.apps.forEach(function (app) {\n app._route = route;\n });\n });\n};\n\nVueRouter.prototype.beforeEach = function beforeEach (fn) {\n return registerHook(this.beforeHooks, fn)\n};\n\nVueRouter.prototype.beforeResolve = function beforeResolve (fn) {\n return registerHook(this.resolveHooks, fn)\n};\n\nVueRouter.prototype.afterEach = function afterEach (fn) {\n return registerHook(this.afterHooks, fn)\n};\n\nVueRouter.prototype.onReady = function onReady (cb, errorCb) {\n this.history.onReady(cb, errorCb);\n};\n\nVueRouter.prototype.onError = function onError (errorCb) {\n this.history.onError(errorCb);\n};\n\nVueRouter.prototype.push = function push (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n // $flow-disable-line\n if (!onComplete && !onAbort && typeof Promise !== 'undefined') {\n return new Promise(function (resolve, reject) {\n this$1$1.history.push(location, resolve, reject);\n })\n } else {\n this.history.push(location, onComplete, onAbort);\n }\n};\n\nVueRouter.prototype.replace = function replace (location, onComplete, onAbort) {\n var this$1$1 = this;\n\n // $flow-disable-line\n if (!onComplete && !onAbort && typeof Promise !== 'undefined') {\n return new Promise(function (resolve, reject) {\n this$1$1.history.replace(location, resolve, reject);\n })\n } else {\n this.history.replace(location, onComplete, onAbort);\n }\n};\n\nVueRouter.prototype.go = function go (n) {\n this.history.go(n);\n};\n\nVueRouter.prototype.back = function back () {\n this.go(-1);\n};\n\nVueRouter.prototype.forward = function forward () {\n this.go(1);\n};\n\nVueRouter.prototype.getMatchedComponents = function getMatchedComponents (to) {\n var route = to\n ? to.matched\n ? to\n : this.resolve(to).route\n : this.currentRoute;\n if (!route) {\n return []\n }\n return [].concat.apply(\n [],\n route.matched.map(function (m) {\n return Object.keys(m.components).map(function (key) {\n return m.components[key]\n })\n })\n )\n};\n\nVueRouter.prototype.resolve = function resolve (\n to,\n current,\n append\n) {\n current = current || this.history.current;\n var location = normalizeLocation(to, current, append, this);\n var route = this.match(location, current);\n var fullPath = route.redirectedFrom || route.fullPath;\n var base = this.history.base;\n var href = createHref(base, fullPath, this.mode);\n return {\n location: location,\n route: route,\n href: href,\n // for backwards compat\n normalizedTo: location,\n resolved: route\n }\n};\n\nVueRouter.prototype.getRoutes = function getRoutes () {\n return this.matcher.getRoutes()\n};\n\nVueRouter.prototype.addRoute = function addRoute (parentOrRoute, route) {\n this.matcher.addRoute(parentOrRoute, route);\n if (this.history.current !== START) {\n this.history.transitionTo(this.history.getCurrentLocation());\n }\n};\n\nVueRouter.prototype.addRoutes = function addRoutes (routes) {\n if (process.env.NODE_ENV !== 'production') {\n warn(false, 'router.addRoutes() is deprecated and has been removed in Vue Router 4. Use router.addRoute() instead.');\n }\n this.matcher.addRoutes(routes);\n if (this.history.current !== START) {\n this.history.transitionTo(this.history.getCurrentLocation());\n }\n};\n\nObject.defineProperties( VueRouter.prototype, prototypeAccessors );\n\nvar VueRouter$1 = VueRouter;\n\nfunction registerHook (list, fn) {\n list.push(fn);\n return function () {\n var i = list.indexOf(fn);\n if (i > -1) { list.splice(i, 1); }\n }\n}\n\nfunction createHref (base, fullPath, mode) {\n var path = mode === 'hash' ? '#' + fullPath : fullPath;\n return base ? cleanPath(base + '/' + path) : path\n}\n\n// We cannot remove this as it would be a breaking change\nVueRouter.install = install;\nVueRouter.version = '3.6.5';\nVueRouter.isNavigationFailure = isNavigationFailure;\nVueRouter.NavigationFailureType = NavigationFailureType;\nVueRouter.START_LOCATION = START;\n\nif (inBrowser && window.Vue) {\n window.Vue.use(VueRouter);\n}\n\nvar version = '3.6.5';\n\nexport { NavigationFailureType, Link as RouterLink, View as RouterView, START as START_LOCATION, VueRouter$1 as default, isNavigationFailure, version };\n","import { generateUrl } from '@nextcloud/router';\nimport queryString from 'query-string';\nimport Router from 'vue-router';\nimport Vue from 'vue';\nimport { ErrorHandler } from 'vue-router/types/router';\nVue.use(Router);\n// Prevent router from throwing errors when we're already on the page we're trying to go to\nconst originalPush = Router.prototype.push;\nRouter.prototype.push = function push(to, onComplete, onAbort) {\n if (onComplete || onAbort)\n return originalPush.call(this, to, onComplete, onAbort);\n return originalPush.call(this, to).catch(err => err);\n};\nconst router = new Router({\n mode: 'history',\n // if index.php is in the url AND we got this far, then it's working:\n // let's keep using index.php in the url\n base: generateUrl('/apps/files'),\n linkActiveClass: 'active',\n routes: [\n {\n path: '/',\n // Pretending we're using the default view\n redirect: { name: 'filelist', params: { view: 'files' } },\n },\n {\n path: '/:view/:fileid(\\\\d+)?',\n name: 'filelist',\n props: true,\n },\n ],\n // Custom stringifyQuery to prevent encoding of slashes in the url\n stringifyQuery(query) {\n const result = queryString.stringify(query).replace(/%2F/gmi, '/');\n return result ? ('?' + result) : '';\n },\n});\nexport default router;\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcContent',{attrs:{\"app-name\":\"files\"}},[_c('Navigation'),_vm._v(\" \"),_c('FilesList')],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon cog-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M12,15.5A3.5,3.5 0 0,1 8.5,12A3.5,3.5 0 0,1 12,8.5A3.5,3.5 0 0,1 15.5,12A3.5,3.5 0 0,1 12,15.5M19.43,12.97C19.47,12.65 19.5,12.33 19.5,12C19.5,11.67 19.47,11.34 19.43,11L21.54,9.37C21.73,9.22 21.78,8.95 21.66,8.73L19.66,5.27C19.54,5.05 19.27,4.96 19.05,5.05L16.56,6.05C16.04,5.66 15.5,5.32 14.87,5.07L14.5,2.42C14.46,2.18 14.25,2 14,2H10C9.75,2 9.54,2.18 9.5,2.42L9.13,5.07C8.5,5.32 7.96,5.66 7.44,6.05L4.95,5.05C4.73,4.96 4.46,5.05 4.34,5.27L2.34,8.73C2.21,8.95 2.27,9.22 2.46,9.37L4.57,11C4.53,11.34 4.5,11.67 4.5,12C4.5,12.33 4.53,12.65 4.57,12.97L2.46,14.63C2.27,14.78 2.21,15.05 2.34,15.27L4.34,18.73C4.46,18.95 4.73,19.03 4.95,18.95L7.44,17.94C7.96,18.34 8.5,18.68 9.13,18.93L9.5,21.58C9.54,21.82 9.75,22 10,22H14C14.25,22 14.46,21.82 14.5,21.58L14.87,18.93C15.5,18.67 16.04,18.34 16.56,17.94L19.05,18.95C19.27,19.03 19.54,18.95 19.66,18.73L21.66,15.27C21.78,15.05 21.73,14.78 21.54,14.63L19.43,12.97Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"CogIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Cog.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Cog.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Cog.vue?vue&type=template&id=89df8f2e\"\nimport script from \"./Cog.vue?vue&type=script&lang=js\"\nexport * from \"./Cog.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon cog-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M12,15.5A3.5,3.5 0 0,1 8.5,12A3.5,3.5 0 0,1 12,8.5A3.5,3.5 0 0,1 15.5,12A3.5,3.5 0 0,1 12,15.5M19.43,12.97C19.47,12.65 19.5,12.33 19.5,12C19.5,11.67 19.47,11.34 19.43,11L21.54,9.37C21.73,9.22 21.78,8.95 21.66,8.73L19.66,5.27C19.54,5.05 19.27,4.96 19.05,5.05L16.56,6.05C16.04,5.66 15.5,5.32 14.87,5.07L14.5,2.42C14.46,2.18 14.25,2 14,2H10C9.75,2 9.54,2.18 9.5,2.42L9.13,5.07C8.5,5.32 7.96,5.66 7.44,6.05L4.95,5.05C4.73,4.96 4.46,5.05 4.34,5.27L2.34,8.73C2.21,8.95 2.27,9.22 2.46,9.37L4.57,11C4.53,11.34 4.5,11.67 4.5,12C4.5,12.33 4.53,12.65 4.57,12.97L2.46,14.63C2.27,14.78 2.21,15.05 2.34,15.27L4.34,18.73C4.46,18.95 4.73,19.03 4.95,18.95L7.44,17.94C7.96,18.34 8.5,18.68 9.13,18.93L9.5,21.58C9.54,21.82 9.75,22 10,22H14C14.25,22 14.46,21.82 14.5,21.58L14.87,18.93C15.5,18.67 16.04,18.34 16.56,17.94L19.05,18.95C19.27,19.03 19.54,18.95 19.66,18.73L21.66,15.27C21.78,15.05 21.73,14.78 21.54,14.63L19.43,12.97Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport { emit, subscribe } from '@nextcloud/event-bus';\nimport { generateUrl } from '@nextcloud/router';\nimport { loadState } from '@nextcloud/initial-state';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nconst viewConfig = loadState('files', 'viewConfigs', {});\nexport const useViewConfigStore = function (...args) {\n const store = defineStore('viewconfig', {\n state: () => ({\n viewConfig,\n }),\n getters: {\n getConfig: (state) => (view) => state.viewConfig[view] || {},\n },\n actions: {\n /**\n * Update the view config local store\n */\n onUpdate(view, key, value) {\n if (!this.viewConfig[view]) {\n Vue.set(this.viewConfig, view, {});\n }\n Vue.set(this.viewConfig[view], key, value);\n },\n /**\n * Update the view config local store AND on server side\n */\n async update(view, key, value) {\n axios.put(generateUrl(`/apps/files/api/v1/views/${view}/${key}`), {\n value,\n });\n emit('files:viewconfig:updated', { view, key, value });\n },\n /**\n * Set the sorting key AND sort by ASC\n * The key param must be a valid key of a File object\n * If not found, will be searched within the File attributes\n */\n setSortingBy(key = 'basename', view = 'files') {\n // Save new config\n this.update(view, 'sorting_mode', key);\n this.update(view, 'sorting_direction', 'asc');\n },\n /**\n * Toggle the sorting direction\n */\n toggleSortingDirection(view = 'files') {\n const config = this.getConfig(view) || { sorting_direction: 'asc' };\n const newDirection = config.sorting_direction === 'asc' ? 'desc' : 'asc';\n // Save new config\n this.update(view, 'sorting_direction', newDirection);\n },\n },\n });\n const viewConfigStore = store(...args);\n // Make sure we only register the listeners once\n if (!viewConfigStore._initialized) {\n subscribe('files:viewconfig:updated', function ({ view, key, value }) {\n viewConfigStore.onUpdate(view, key, value);\n });\n viewConfigStore._initialized = true;\n }\n return viewConfigStore;\n};\n","/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { getLoggerBuilder } from '@nextcloud/logger'\n\nexport default getLoggerBuilder()\n\t.setApp('files')\n\t.detectUser()\n\t.build()\n","/* eslint-disable no-undefined,no-param-reassign,no-shadow */\n\n/**\n * Throttle execution of a function. Especially useful for rate limiting\n * execution of handlers on events like resize and scroll.\n *\n * @param {number} delay - A zero-or-greater delay in milliseconds. For event callbacks, values around 100 or 250 (or even higher)\n * are most useful.\n * @param {Function} callback - A function to be executed after delay milliseconds. The `this` context and all arguments are passed through,\n * as-is, to `callback` when the throttled-function is executed.\n * @param {object} [options] - An object to configure options.\n * @param {boolean} [options.noTrailing] - Optional, defaults to false. If noTrailing is true, callback will only execute every `delay` milliseconds\n * while the throttled-function is being called. If noTrailing is false or unspecified, callback will be executed\n * one final time after the last throttled-function call. (After the throttled-function has not been called for\n * `delay` milliseconds, the internal counter is reset).\n * @param {boolean} [options.noLeading] - Optional, defaults to false. If noLeading is false, the first throttled-function call will execute callback\n * immediately. If noLeading is true, the first the callback execution will be skipped. It should be noted that\n * callback will never executed if both noLeading = true and noTrailing = true.\n * @param {boolean} [options.debounceMode] - If `debounceMode` is true (at begin), schedule `clear` to execute after `delay` ms. If `debounceMode` is\n * false (at end), schedule `callback` to execute after `delay` ms.\n *\n * @returns {Function} A new, throttled, function.\n */\nfunction throttle (delay, callback, options) {\n var _ref = options || {},\n _ref$noTrailing = _ref.noTrailing,\n noTrailing = _ref$noTrailing === void 0 ? false : _ref$noTrailing,\n _ref$noLeading = _ref.noLeading,\n noLeading = _ref$noLeading === void 0 ? false : _ref$noLeading,\n _ref$debounceMode = _ref.debounceMode,\n debounceMode = _ref$debounceMode === void 0 ? undefined : _ref$debounceMode;\n /*\n * After wrapper has stopped being called, this timeout ensures that\n * `callback` is executed at the proper times in `throttle` and `end`\n * debounce modes.\n */\n\n\n var timeoutID;\n var cancelled = false; // Keep track of the last time `callback` was executed.\n\n var lastExec = 0; // Function to clear existing timeout\n\n function clearExistingTimeout() {\n if (timeoutID) {\n clearTimeout(timeoutID);\n }\n } // Function to cancel next exec\n\n\n function cancel(options) {\n var _ref2 = options || {},\n _ref2$upcomingOnly = _ref2.upcomingOnly,\n upcomingOnly = _ref2$upcomingOnly === void 0 ? false : _ref2$upcomingOnly;\n\n clearExistingTimeout();\n cancelled = !upcomingOnly;\n }\n /*\n * The `wrapper` function encapsulates all of the throttling / debouncing\n * functionality and when executed will limit the rate at which `callback`\n * is executed.\n */\n\n\n function wrapper() {\n for (var _len = arguments.length, arguments_ = new Array(_len), _key = 0; _key < _len; _key++) {\n arguments_[_key] = arguments[_key];\n }\n\n var self = this;\n var elapsed = Date.now() - lastExec;\n\n if (cancelled) {\n return;\n } // Execute `callback` and update the `lastExec` timestamp.\n\n\n function exec() {\n lastExec = Date.now();\n callback.apply(self, arguments_);\n }\n /*\n * If `debounceMode` is true (at begin) this is used to clear the flag\n * to allow future `callback` executions.\n */\n\n\n function clear() {\n timeoutID = undefined;\n }\n\n if (!noLeading && debounceMode && !timeoutID) {\n /*\n * Since `wrapper` is being called for the first time and\n * `debounceMode` is true (at begin), execute `callback`\n * and noLeading != true.\n */\n exec();\n }\n\n clearExistingTimeout();\n\n if (debounceMode === undefined && elapsed > delay) {\n if (noLeading) {\n /*\n * In throttle mode with noLeading, if `delay` time has\n * been exceeded, update `lastExec` and schedule `callback`\n * to execute after `delay` ms.\n */\n lastExec = Date.now();\n\n if (!noTrailing) {\n timeoutID = setTimeout(debounceMode ? clear : exec, delay);\n }\n } else {\n /*\n * In throttle mode without noLeading, if `delay` time has been exceeded, execute\n * `callback`.\n */\n exec();\n }\n } else if (noTrailing !== true) {\n /*\n * In trailing throttle mode, since `delay` time has not been\n * exceeded, schedule `callback` to execute `delay` ms after most\n * recent execution.\n *\n * If `debounceMode` is true (at begin), schedule `clear` to execute\n * after `delay` ms.\n *\n * If `debounceMode` is false (at end), schedule `callback` to\n * execute after `delay` ms.\n */\n timeoutID = setTimeout(debounceMode ? clear : exec, debounceMode === undefined ? delay - elapsed : delay);\n }\n }\n\n wrapper.cancel = cancel; // Return the wrapper function.\n\n return wrapper;\n}\n\n/* eslint-disable no-undefined */\n/**\n * Debounce execution of a function. Debouncing, unlike throttling,\n * guarantees that a function is only executed a single time, either at the\n * very beginning of a series of calls, or at the very end.\n *\n * @param {number} delay - A zero-or-greater delay in milliseconds. For event callbacks, values around 100 or 250 (or even higher) are most useful.\n * @param {Function} callback - A function to be executed after delay milliseconds. The `this` context and all arguments are passed through, as-is,\n * to `callback` when the debounced-function is executed.\n * @param {object} [options] - An object to configure options.\n * @param {boolean} [options.atBegin] - Optional, defaults to false. If atBegin is false or unspecified, callback will only be executed `delay` milliseconds\n * after the last debounced-function call. If atBegin is true, callback will be executed only at the first debounced-function call.\n * (After the throttled-function has not been called for `delay` milliseconds, the internal counter is reset).\n *\n * @returns {Function} A new, debounced function.\n */\n\nfunction debounce (delay, callback, options) {\n var _ref = options || {},\n _ref$atBegin = _ref.atBegin,\n atBegin = _ref$atBegin === void 0 ? false : _ref$atBegin;\n\n return throttle(delay, callback, {\n debounceMode: atBegin !== false\n });\n}\n\nexport { debounce, throttle };\n//# sourceMappingURL=index.js.map\n","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon chart-pie-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M11,2V22C5.9,21.5 2,17.2 2,12C2,6.8 5.9,2.5 11,2M13,2V11H22C21.5,6.2 17.8,2.5 13,2M13,13V22C17.7,21.5 21.5,17.8 22,13H13Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ChartPieIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChartPie.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ChartPie.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./ChartPie.vue?vue&type=template&id=b117066e\"\nimport script from \"./ChartPie.vue?vue&type=script&lang=js\"\nexport * from \"./ChartPie.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon chart-pie-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M11,2V22C5.9,21.5 2,17.2 2,12C2,6.8 5.9,2.5 11,2M13,2V11H22C21.5,6.2 17.8,2.5 13,2M13,13V22C17.7,21.5 21.5,17.8 22,13H13Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n\t<NcAppNavigationItem v-if=\"storageStats\"\n\t\t:aria-label=\"t('files', 'Storage informations')\"\n\t\t:class=\"{ 'app-navigation-entry__settings-quota--not-unlimited': storageStats.quota >= 0}\"\n\t\t:loading=\"loadingStorageStats\"\n\t\t:name=\"storageStatsTitle\"\n\t\t:title=\"storageStatsTooltip\"\n\t\tclass=\"app-navigation-entry__settings-quota\"\n\t\tdata-cy-files-navigation-settings-quota\n\t\t@click.stop.prevent=\"debounceUpdateStorageStats\">\n\t\t<ChartPie slot=\"icon\" :size=\"20\" />\n\n\t\t<!-- Progress bar -->\n\t\t<NcProgressBar v-if=\"storageStats.quota >= 0\"\n\t\t\tslot=\"extra\"\n\t\t\t:error=\"storageStats.relative > 80\"\n\t\t\t:value=\"Math.min(storageStats.relative, 100)\" />\n\t</NcAppNavigationItem>\n</template>\n\n<script>\nimport { debounce, throttle } from 'throttle-debounce'\nimport { formatFileSize } from '@nextcloud/files'\nimport { generateUrl } from '@nextcloud/router'\nimport { loadState } from '@nextcloud/initial-state'\nimport { showError } from '@nextcloud/dialogs'\nimport { subscribe } from '@nextcloud/event-bus'\nimport { translate } from '@nextcloud/l10n'\nimport axios from '@nextcloud/axios'\n\nimport ChartPie from 'vue-material-design-icons/ChartPie.vue'\nimport NcAppNavigationItem from '@nextcloud/vue/dist/Components/NcAppNavigationItem.js'\nimport NcProgressBar from '@nextcloud/vue/dist/Components/NcProgressBar.js'\n\nimport logger from '../logger.js'\n\nexport default {\n\tname: 'NavigationQuota',\n\n\tcomponents: {\n\t\tChartPie,\n\t\tNcAppNavigationItem,\n\t\tNcProgressBar,\n\t},\n\n\tdata() {\n\t\treturn {\n\t\t\tloadingStorageStats: false,\n\t\t\tstorageStats: loadState('files', 'storageStats', null),\n\t\t}\n\t},\n\n\tcomputed: {\n\t\tstorageStatsTitle() {\n\t\t\tconst usedQuotaByte = formatFileSize(this.storageStats?.used, false, false)\n\t\t\tconst quotaByte = formatFileSize(this.storageStats?.quota, false, false)\n\n\t\t\t// If no quota set\n\t\t\tif (this.storageStats?.quota < 0) {\n\t\t\t\treturn this.t('files', '{usedQuotaByte} used', { usedQuotaByte })\n\t\t\t}\n\n\t\t\treturn this.t('files', '{used} of {quota} used', {\n\t\t\t\tused: usedQuotaByte,\n\t\t\t\tquota: quotaByte,\n\t\t\t})\n\t\t},\n\t\tstorageStatsTooltip() {\n\t\t\tif (!this.storageStats.relative) {\n\t\t\t\treturn ''\n\t\t\t}\n\n\t\t\treturn this.t('files', '{relative}% used', this.storageStats)\n\t\t},\n\t},\n\n\tbeforeMount() {\n\t\t/**\n\t\t * Update storage stats every minute\n\t\t * TODO: remove when all views are migrated to Vue\n\t\t */\n\t\tsetInterval(this.throttleUpdateStorageStats, 60 * 1000)\n\n\t\tsubscribe('files:node:created', this.throttleUpdateStorageStats)\n\t\tsubscribe('files:node:deleted', this.throttleUpdateStorageStats)\n\t\tsubscribe('files:node:moved', this.throttleUpdateStorageStats)\n\t\tsubscribe('files:node:updated', this.throttleUpdateStorageStats)\n\t},\n\n\tmounted() {\n\t\t// If the user has a quota set, warn if the available account storage is <=0\n\t\t//\n\t\t// NOTE: This doesn't catch situations where actual *server* \n\t\t// disk (non-quota) space is low, but those should probably\n\t\t// be handled differently anyway since a regular user can't\n\t\t// can't do much about them (If we did want to indicate server disk \n\t\t// space matters to users, we'd probably want to use a warning\n\t\t// specific to that situation anyhow. So this covers warning covers \n\t\t// our primary day-to-day concern (individual account quota usage).\n\t\t//\n\t\tif (this.storageStats?.quota > 0 && this.storageStats?.free <= 0) {\n\t\t\tthis.showStorageFullWarning()\n\t\t}\n\t},\n\n\tmethods: {\n\t\t// From user input\n\t\tdebounceUpdateStorageStats: debounce(200, function(event) {\n\t\t\tthis.updateStorageStats(event)\n\t\t}),\n\t\t// From interval or event bus\n\t\tthrottleUpdateStorageStats: throttle(1000, function(event) {\n\t\t\tthis.updateStorageStats(event)\n\t\t}),\n\n\t\t/**\n\t\t * Update the storage stats\n\t\t * Throttled at max 1 refresh per minute\n\t\t *\n\t\t * @param {Event} [event = null] if user interaction\n\t\t */\n\t\tasync updateStorageStats(event = null) {\n\t\t\tif (this.loadingStorageStats) {\n\t\t\t\treturn\n\t\t\t}\n\n\t\t\tthis.loadingStorageStats = true\n\t\t\ttry {\n\t\t\t\tconst response = await axios.get(generateUrl('/apps/files/api/v1/stats'))\n\t\t\t\tif (!response?.data?.data) {\n\t\t\t\t\tthrow new Error('Invalid storage stats')\n\t\t\t\t}\n\n\t\t\t\t// Warn the user if the available account storage changed from > 0 to 0 \n\t\t\t\t// (unless only because quota was intentionally set to 0 by admin in the interim)\n\t\t\t\tif (this.storageStats?.free > 0 && response.data.data?.free <= 0 && response.data.data?.quota > 0) {\n\t\t\t\t\tthis.showStorageFullWarning()\n\t\t\t\t}\n\n\t\t\t\tthis.storageStats = response.data.data\n\t\t\t} catch (error) {\n\t\t\t\tlogger.error('Could not refresh storage stats', { error })\n\t\t\t\t// Only show to the user if it was manually triggered\n\t\t\t\tif (event) {\n\t\t\t\t\tshowError(t('files', 'Could not refresh storage stats'))\n\t\t\t\t}\n\t\t\t} finally {\n\t\t\t\tthis.loadingStorageStats = false\n\t\t\t}\n\t\t},\n\n\t\tshowStorageFullWarning() {\n\t\t\tshowError(this.t('files', 'Your storage is full, files can not be updated or synced anymore!'))\n\t\t},\n\n\t\tt: translate,\n\t},\n}\n</script>\n\n<style lang=\"scss\" scoped>\n// User storage stats display\n.app-navigation-entry__settings-quota {\n\t// Align title with progress and icon\n\t&--not-unlimited::v-deep .app-navigation-entry__name {\n\t\tmargin-top: -6px;\n\t}\n\n\tprogress {\n\t\tposition: absolute;\n\t\tbottom: 12px;\n\t\tmargin-left: 44px;\n\t\twidth: calc(100% - 44px - 22px);\n\t}\n}\n</style>\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./NavigationQuota.vue?vue&type=template&id=063ed938&scoped=true\"\nimport script from \"./NavigationQuota.vue?vue&type=script&lang=js\"\nexport * from \"./NavigationQuota.vue?vue&type=script&lang=js\"\nimport style0 from \"./NavigationQuota.vue?vue&type=style&index=0&id=063ed938&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"063ed938\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return (_vm.storageStats)?_c('NcAppNavigationItem',{staticClass:\"app-navigation-entry__settings-quota\",class:{ 'app-navigation-entry__settings-quota--not-unlimited': _vm.storageStats.quota >= 0},attrs:{\"aria-label\":_vm.t('files', 'Storage informations'),\"loading\":_vm.loadingStorageStats,\"name\":_vm.storageStatsTitle,\"title\":_vm.storageStatsTooltip,\"data-cy-files-navigation-settings-quota\":\"\"},on:{\"click\":function($event){$event.stopPropagation();$event.preventDefault();return _vm.debounceUpdateStorageStats.apply(null, arguments)}}},[_c('ChartPie',{attrs:{\"slot\":\"icon\",\"size\":20},slot:\"icon\"}),_vm._v(\" \"),(_vm.storageStats.quota >= 0)?_c('NcProgressBar',{attrs:{\"slot\":\"extra\",\"error\":_vm.storageStats.relative > 80,\"value\":Math.min(_vm.storageStats.relative, 100)},slot:\"extra\"}):_vm._e()],1):_vm._e()\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcAppSettingsDialog',{attrs:{\"data-cy-files-navigation-settings\":\"\",\"open\":_vm.open,\"show-navigation\":true,\"name\":_vm.t('files', 'Files settings')},on:{\"update:open\":_vm.onClose}},[_c('NcAppSettingsSection',{attrs:{\"id\":\"settings\",\"name\":_vm.t('files', 'Files settings')}},[_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"sort_favorites_first\",\"checked\":_vm.userConfig.sort_favorites_first},on:{\"update:checked\":function($event){return _vm.setConfig('sort_favorites_first', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Sort favorites first'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"sort_folders_first\",\"checked\":_vm.userConfig.sort_folders_first},on:{\"update:checked\":function($event){return _vm.setConfig('sort_folders_first', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Sort folders before files'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"show_hidden\",\"checked\":_vm.userConfig.show_hidden},on:{\"update:checked\":function($event){return _vm.setConfig('show_hidden', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Show hidden files'))+\"\\n\\t\\t\")]),_vm._v(\" \"),_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"crop_image_previews\",\"checked\":_vm.userConfig.crop_image_previews},on:{\"update:checked\":function($event){return _vm.setConfig('crop_image_previews', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Crop image previews'))+\"\\n\\t\\t\")]),_vm._v(\" \"),(_vm.enableGridView)?_c('NcCheckboxRadioSwitch',{attrs:{\"data-cy-files-settings-setting\":\"grid_view\",\"checked\":_vm.userConfig.grid_view},on:{\"update:checked\":function($event){return _vm.setConfig('grid_view', $event)}}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Enable the grid view'))+\"\\n\\t\\t\")]):_vm._e()],1),_vm._v(\" \"),(_vm.settings.length !== 0)?_c('NcAppSettingsSection',{attrs:{\"id\":\"more-settings\",\"name\":_vm.t('files', 'Additional settings')}},[_vm._l((_vm.settings),function(setting){return [_c('Setting',{key:setting.name,attrs:{\"el\":setting.el}})]})],2):_vm._e(),_vm._v(\" \"),_c('NcAppSettingsSection',{attrs:{\"id\":\"webdav\",\"name\":_vm.t('files', 'WebDAV')}},[_c('NcInputField',{attrs:{\"id\":\"webdav-url-input\",\"label\":_vm.t('files', 'WebDAV URL'),\"show-trailing-button\":true,\"success\":_vm.webdavUrlCopied,\"trailing-button-label\":_vm.t('files', 'Copy to clipboard'),\"value\":_vm.webdavUrl,\"readonly\":\"readonly\",\"type\":\"url\"},on:{\"focus\":function($event){return $event.target.select()},\"trailing-button-click\":_vm.copyCloudId},scopedSlots:_vm._u([{key:\"trailing-button-icon\",fn:function(){return [_c('Clipboard',{attrs:{\"size\":20}})]},proxy:true}])}),_vm._v(\" \"),_c('em',[_c('a',{staticClass:\"setting-link\",attrs:{\"href\":_vm.webdavDocs,\"target\":\"_blank\",\"rel\":\"noreferrer noopener\"}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Use this address to access your Files via WebDAV'))+\" ↗\\n\\t\\t\\t\")])]),_vm._v(\" \"),_c('br'),_vm._v(\" \"),_c('em',[_c('a',{staticClass:\"setting-link\",attrs:{\"href\":_vm.appPasswordUrl}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'If you have enabled 2FA, you must create and use a new app password by clicking here.'))+\" ↗\\n\\t\\t\\t\")])])],1)],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon clipboard-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M19,3H14.82C14.4,1.84 13.3,1 12,1C10.7,1 9.6,1.84 9.18,3H5A2,2 0 0,0 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5A2,2 0 0,0 19,3M12,3A1,1 0 0,1 13,4A1,1 0 0,1 12,5A1,1 0 0,1 11,4A1,1 0 0,1 12,3\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ClipboardIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Clipboard.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Clipboard.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Clipboard.vue?vue&type=template&id=0c133921\"\nimport script from \"./Clipboard.vue?vue&type=script&lang=js\"\nexport * from \"./Clipboard.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon clipboard-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M19,3H14.82C14.4,1.84 13.3,1 12,1C10.7,1 9.6,1.84 9.18,3H5A2,2 0 0,0 3,5V19A2,2 0 0,0 5,21H19A2,2 0 0,0 21,19V5A2,2 0 0,0 19,3M12,3A1,1 0 0,1 13,4A1,1 0 0,1 12,5A1,1 0 0,1 11,4A1,1 0 0,1 12,3\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<!--\n - @copyright Copyright (c) 2020 Gary Kim <gary@garykim.dev>\n -\n - @author John Molakvoæ <skjnldsv@protonmail.com>\n -\n - @license GNU AGPL version 3 or any later version\n -\n - This program is free software: you can redistribute it and/or modify\n - it under the terms of the GNU Affero General Public License as\n - published by the Free Software Foundation, either version 3 of the\n - License, or (at your option) any later version.\n -\n - This program is distributed in the hope that it will be useful,\n - but WITHOUT ANY WARRANTY; without even the implied warranty of\n - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n - GNU Affero General Public License for more details.\n -\n - You should have received a copy of the GNU Affero General Public License\n - along with this program. If not, see <http://www.gnu.org/licenses/>.\n -\n -->\n\n<template>\n\t<div />\n</template>\n<script>\nexport default {\n\tname: 'Setting',\n\tprops: {\n\t\tel: {\n\t\t\ttype: Function,\n\t\t\trequired: true,\n\t\t},\n\t},\n\tmounted() {\n\t\tthis.$el.appendChild(this.el())\n\t},\n}\n</script>\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Setting.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Setting.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./Setting.vue?vue&type=template&id=61d69eae\"\nimport script from \"./Setting.vue?vue&type=script&lang=js\"\nexport * from \"./Setting.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('div')\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import { defineStore } from 'pinia';\nimport { emit, subscribe } from '@nextcloud/event-bus';\nimport { generateUrl } from '@nextcloud/router';\nimport { loadState } from '@nextcloud/initial-state';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nconst userConfig = loadState('files', 'config', {\n show_hidden: false,\n crop_image_previews: true,\n sort_favorites_first: true,\n sort_folders_first: true,\n grid_view: false,\n});\nexport const useUserConfigStore = function (...args) {\n const store = defineStore('userconfig', {\n state: () => ({\n userConfig,\n }),\n actions: {\n /**\n * Update the user config local store\n */\n onUpdate(key, value) {\n Vue.set(this.userConfig, key, value);\n },\n /**\n * Update the user config local store AND on server side\n */\n async update(key, value) {\n await axios.put(generateUrl('/apps/files/api/v1/config/' + key), {\n value,\n });\n emit('files:config:updated', { key, value });\n },\n },\n });\n const userConfigStore = store(...args);\n // Make sure we only register the listeners once\n if (!userConfigStore._initialized) {\n subscribe('files:config:updated', function ({ key, value }) {\n userConfigStore.onUpdate(key, value);\n });\n userConfigStore._initialized = true;\n }\n return userConfigStore;\n};\n","<!--\n - @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n -\n - @author John Molakvoæ <skjnldsv@protonmail.com>\n -\n - @license GNU AGPL version 3 or any later version\n -\n - This program is free software: you can redistribute it and/or modify\n - it under the terms of the GNU Affero General Public License as\n - published by the Free Software Foundation, either version 3 of the\n - License, or (at your option) any later version.\n -\n - This program is distributed in the hope that it will be useful,\n - but WITHOUT ANY WARRANTY; without even the implied warranty of\n - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n - GNU Affero General Public License for more details.\n -\n - You should have received a copy of the GNU Affero General Public License\n - along with this program. If not, see <http://www.gnu.org/licenses/>.\n -\n -->\n<template>\n\t<NcAppSettingsDialog data-cy-files-navigation-settings\n\t\t:open=\"open\"\n\t\t:show-navigation=\"true\"\n\t\t:name=\"t('files', 'Files settings')\"\n\t\t@update:open=\"onClose\">\n\t\t<!-- Settings API-->\n\t\t<NcAppSettingsSection id=\"settings\" :name=\"t('files', 'Files settings')\">\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"sort_favorites_first\"\n\t\t\t\t:checked=\"userConfig.sort_favorites_first\"\n\t\t\t\t@update:checked=\"setConfig('sort_favorites_first', $event)\">\n\t\t\t\t{{ t('files', 'Sort favorites first') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"sort_folders_first\"\n\t\t\t\t:checked=\"userConfig.sort_folders_first\"\n\t\t\t\t@update:checked=\"setConfig('sort_folders_first', $event)\">\n\t\t\t\t{{ t('files', 'Sort folders before files') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"show_hidden\"\n\t\t\t\t:checked=\"userConfig.show_hidden\"\n\t\t\t\t@update:checked=\"setConfig('show_hidden', $event)\">\n\t\t\t\t{{ t('files', 'Show hidden files') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch data-cy-files-settings-setting=\"crop_image_previews\"\n\t\t\t\t:checked=\"userConfig.crop_image_previews\"\n\t\t\t\t@update:checked=\"setConfig('crop_image_previews', $event)\">\n\t\t\t\t{{ t('files', 'Crop image previews') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t\t<NcCheckboxRadioSwitch v-if=\"enableGridView\"\n\t\t\t\tdata-cy-files-settings-setting=\"grid_view\"\n\t\t\t\t:checked=\"userConfig.grid_view\"\n\t\t\t\t@update:checked=\"setConfig('grid_view', $event)\">\n\t\t\t\t{{ t('files', 'Enable the grid view') }}\n\t\t\t</NcCheckboxRadioSwitch>\n\t\t</NcAppSettingsSection>\n\n\t\t<!-- Settings API-->\n\t\t<NcAppSettingsSection v-if=\"settings.length !== 0\"\n\t\t\tid=\"more-settings\"\n\t\t\t:name=\"t('files', 'Additional settings')\">\n\t\t\t<template v-for=\"setting in settings\">\n\t\t\t\t<Setting :key=\"setting.name\" :el=\"setting.el\" />\n\t\t\t</template>\n\t\t</NcAppSettingsSection>\n\n\t\t<!-- Webdav URL-->\n\t\t<NcAppSettingsSection id=\"webdav\" :name=\"t('files', 'WebDAV')\">\n\t\t\t<NcInputField id=\"webdav-url-input\"\n\t\t\t\t:label=\"t('files', 'WebDAV URL')\"\n\t\t\t\t:show-trailing-button=\"true\"\n\t\t\t\t:success=\"webdavUrlCopied\"\n\t\t\t\t:trailing-button-label=\"t('files', 'Copy to clipboard')\"\n\t\t\t\t:value=\"webdavUrl\"\n\t\t\t\treadonly=\"readonly\"\n\t\t\t\ttype=\"url\"\n\t\t\t\t@focus=\"$event.target.select()\"\n\t\t\t\t@trailing-button-click=\"copyCloudId\">\n\t\t\t\t<template #trailing-button-icon>\n\t\t\t\t\t<Clipboard :size=\"20\" />\n\t\t\t\t</template>\n\t\t\t</NcInputField>\n\t\t\t<em>\n\t\t\t\t<a class=\"setting-link\"\n\t\t\t\t\t:href=\"webdavDocs\"\n\t\t\t\t\ttarget=\"_blank\"\n\t\t\t\t\trel=\"noreferrer noopener\">\n\t\t\t\t\t{{ t('files', 'Use this address to access your Files via WebDAV') }} ↗\n\t\t\t\t</a>\n\t\t\t</em>\n\t\t\t<br>\n\t\t\t<em>\n\t\t\t\t<a class=\"setting-link\" :href=\"appPasswordUrl\">\n\t\t\t\t\t{{ t('files', 'If you have enabled 2FA, you must create and use a new app password by clicking here.') }} ↗\n\t\t\t\t</a>\n\t\t\t</em>\n\t\t</NcAppSettingsSection>\n\t</NcAppSettingsDialog>\n</template>\n\n<script>\nimport NcAppSettingsDialog from '@nextcloud/vue/dist/Components/NcAppSettingsDialog.js'\nimport NcAppSettingsSection from '@nextcloud/vue/dist/Components/NcAppSettingsSection.js'\nimport NcCheckboxRadioSwitch from '@nextcloud/vue/dist/Components/NcCheckboxRadioSwitch.js'\nimport Clipboard from 'vue-material-design-icons/Clipboard.vue'\nimport NcInputField from '@nextcloud/vue/dist/Components/NcInputField.js'\nimport Setting from '../components/Setting.vue'\n\nimport { generateRemoteUrl, generateUrl } from '@nextcloud/router'\nimport { getCurrentUser } from '@nextcloud/auth'\nimport { showError, showSuccess } from '@nextcloud/dialogs'\nimport { translate } from '@nextcloud/l10n'\nimport { loadState } from '@nextcloud/initial-state'\nimport { useUserConfigStore } from '../store/userconfig.ts'\n\nexport default {\n\tname: 'Settings',\n\tcomponents: {\n\t\tClipboard,\n\t\tNcAppSettingsDialog,\n\t\tNcAppSettingsSection,\n\t\tNcCheckboxRadioSwitch,\n\t\tNcInputField,\n\t\tSetting,\n\t},\n\n\tprops: {\n\t\topen: {\n\t\t\ttype: Boolean,\n\t\t\tdefault: false,\n\t\t},\n\t},\n\n\tsetup() {\n\t\tconst userConfigStore = useUserConfigStore()\n\t\treturn {\n\t\t\tuserConfigStore,\n\t\t}\n\t},\n\n\tdata() {\n\t\treturn {\n\t\t\t// Settings API\n\t\t\tsettings: window.OCA?.Files?.Settings?.settings || [],\n\n\t\t\t// Webdav infos\n\t\t\twebdavUrl: generateRemoteUrl('dav/files/' + encodeURIComponent(getCurrentUser()?.uid)),\n\t\t\twebdavDocs: 'https://docs.nextcloud.com/server/stable/go.php?to=user-webdav',\n\t\t\tappPasswordUrl: generateUrl('/settings/user/security#generate-app-token-section'),\n\t\t\twebdavUrlCopied: false,\n\t\t\tenableGridView: (loadState('core', 'config', [])['enable_non-accessible_features'] ?? true),\n\t\t}\n\t},\n\n\tcomputed: {\n\t\tuserConfig() {\n\t\t\treturn this.userConfigStore.userConfig\n\t\t},\n\t},\n\n\tbeforeMount() {\n\t\t// Update the settings API entries state\n\t\tthis.settings.forEach(setting => setting.open())\n\t},\n\n\tbeforeDestroy() {\n\t\t// Update the settings API entries state\n\t\tthis.settings.forEach(setting => setting.close())\n\t},\n\n\tmethods: {\n\t\tonClose() {\n\t\t\tthis.$emit('close')\n\t\t},\n\n\t\tsetConfig(key, value) {\n\t\t\tthis.userConfigStore.update(key, value)\n\t\t},\n\n\t\tasync copyCloudId() {\n\t\t\tdocument.querySelector('input#webdav-url-input').select()\n\n\t\t\tif (!navigator.clipboard) {\n\t\t\t\t// Clipboard API not available\n\t\t\t\tshowError(t('files', 'Clipboard is not available'))\n\t\t\t\treturn\n\t\t\t}\n\n\t\t\tawait navigator.clipboard.writeText(this.webdavUrl)\n\t\t\tthis.webdavUrlCopied = true\n\t\t\tshowSuccess(t('files', 'WebDAV URL copied to clipboard'))\n\t\t\tsetTimeout(() => {\n\t\t\t\tthis.webdavUrlCopied = false\n\t\t\t}, 5000)\n\t\t},\n\n\t\tt: translate,\n\t},\n}\n</script>\n\n<style lang=\"scss\" scoped>\n.setting-link:hover {\n\ttext-decoration: underline;\n}\n</style>\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=script&lang=js\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./Settings.vue?vue&type=template&id=109572de&scoped=true\"\nimport script from \"./Settings.vue?vue&type=script&lang=js\"\nexport * from \"./Settings.vue?vue&type=script&lang=js\"\nimport style0 from \"./Settings.vue?vue&type=style&index=0&id=109572de&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"109572de\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('NcAppNavigation',{attrs:{\"data-cy-files-navigation\":\"\",\"aria-label\":_vm.t('files', 'Files')},scopedSlots:_vm._u([{key:\"list\",fn:function(){return _vm._l((_vm.parentViews),function(view){return _c('NcAppNavigationItem',{key:view.id,attrs:{\"allow-collapse\":true,\"data-cy-files-navigation-item\":view.id,\"exact\":_vm.useExactRouteMatching(view),\"icon\":view.iconClass,\"name\":view.name,\"open\":_vm.isExpanded(view),\"pinned\":view.sticky,\"to\":_vm.generateToNavigation(view)},on:{\"update:open\":function($event){return _vm.onToggleExpand(view)}}},[(view.icon)?_c('NcIconSvgWrapper',{attrs:{\"slot\":\"icon\",\"svg\":view.icon},slot:\"icon\"}):_vm._e(),_vm._v(\" \"),_vm._l((_vm.childViews[view.id]),function(child){return _c('NcAppNavigationItem',{key:child.id,attrs:{\"data-cy-files-navigation-item\":child.id,\"exact-path\":true,\"icon\":child.iconClass,\"name\":child.name,\"to\":_vm.generateToNavigation(child)}},[(child.icon)?_c('NcIconSvgWrapper',{attrs:{\"slot\":\"icon\",\"svg\":child.icon},slot:\"icon\"}):_vm._e()],1)})],2)})},proxy:true},{key:\"footer\",fn:function(){return [_c('ul',{staticClass:\"app-navigation-entry__settings\"},[_c('NavigationQuota'),_vm._v(\" \"),_c('NcAppNavigationItem',{attrs:{\"aria-label\":_vm.t('files', 'Open the files app settings'),\"name\":_vm.t('files', 'Files settings'),\"data-cy-files-navigation-settings-button\":\"\"},on:{\"click\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.openSettings.apply(null, arguments)}}},[_c('Cog',{attrs:{\"slot\":\"icon\",\"size\":20},slot:\"icon\"})],1)],1)]},proxy:true}])},[_vm._v(\" \"),_vm._v(\" \"),_c('SettingsModal',{attrs:{\"open\":_vm.settingsOpened,\"data-cy-files-navigation-settings\":\"\"},on:{\"close\":_vm.onSettingsClose}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./Navigation.vue?vue&type=template&id=8291caa8&scoped=true\"\nimport script from \"./Navigation.vue?vue&type=script&lang=ts\"\nexport * from \"./Navigation.vue?vue&type=script&lang=ts\"\nimport style0 from \"./Navigation.vue?vue&type=style&index=0&id=8291caa8&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"8291caa8\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcAppContent',{attrs:{\"page-heading\":_vm.pageHeading,\"data-cy-files-content\":\"\"}},[_c('div',{staticClass:\"files-list__header\"},[_c('BreadCrumbs',{attrs:{\"path\":_vm.dir},on:{\"reload\":_vm.fetchContent},scopedSlots:_vm._u([{key:\"actions\",fn:function(){return [(_vm.canShare && _vm.filesListWidth >= 512)?_c('NcButton',{staticClass:\"files-list__header-share-button\",class:{ 'files-list__header-share-button--shared': _vm.shareButtonType },attrs:{\"aria-label\":_vm.shareButtonLabel,\"title\":_vm.shareButtonLabel,\"type\":\"tertiary\"},on:{\"click\":_vm.openSharingSidebar},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.shareButtonType === _vm.Type.SHARE_TYPE_LINK)?_c('LinkIcon'):_c('AccountPlusIcon',{attrs:{\"size\":20}})]},proxy:true}],null,false,2969853559)}):_vm._e(),_vm._v(\" \"),(!_vm.canUpload || _vm.isQuotaExceeded)?_c('NcButton',{staticClass:\"files-list__header-upload-button--disabled\",attrs:{\"aria-label\":_vm.cantUploadLabel,\"title\":_vm.cantUploadLabel,\"disabled\":true,\"type\":\"secondary\"},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('PlusIcon',{attrs:{\"size\":20}})]},proxy:true}],null,false,2953566425)},[_vm._v(\"\\n\\t\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'New'))+\"\\n\\t\\t\\t\\t\")]):(_vm.currentFolder)?_c('UploadPicker',{staticClass:\"files-list__header-upload-button\",attrs:{\"content\":_vm.dirContents,\"destination\":_vm.currentFolder,\"multiple\":true},on:{\"failed\":_vm.onUploadFail,\"uploaded\":_vm.onUpload}}):_vm._e()]},proxy:true}])}),_vm._v(\" \"),(_vm.filesListWidth >= 512 && _vm.enableGridView)?_c('NcButton',{staticClass:\"files-list__header-grid-button\",attrs:{\"aria-label\":_vm.gridViewButtonLabel,\"title\":_vm.gridViewButtonLabel,\"type\":\"tertiary\"},on:{\"click\":_vm.toggleGridView},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.userConfig.grid_view)?_c('ListViewIcon'):_c('ViewGridIcon')]},proxy:true}],null,false,1682960703)}):_vm._e(),_vm._v(\" \"),(_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__refresh-icon\"}):_vm._e()],1),_vm._v(\" \"),(!_vm.loading && _vm.canUpload)?_c('DragAndDropNotice',{attrs:{\"current-folder\":_vm.currentFolder}}):_vm._e(),_vm._v(\" \"),(_vm.loading && !_vm.isRefreshing)?_c('NcLoadingIcon',{staticClass:\"files-list__loading-icon\",attrs:{\"size\":38,\"name\":_vm.t('files', 'Loading current folder')}}):(!_vm.loading && _vm.isEmptyDir)?_c('NcEmptyContent',{attrs:{\"name\":_vm.currentView?.emptyTitle || _vm.t('files', 'No files in here'),\"description\":_vm.currentView?.emptyCaption || _vm.t('files', 'Upload some content or sync with your devices!'),\"data-cy-files-content-empty\":\"\"},scopedSlots:_vm._u([{key:\"action\",fn:function(){return [(_vm.dir !== '/')?_c('NcButton',{attrs:{\"aria-label\":_vm.t('files', 'Go to the previous folder'),\"type\":\"primary\",\"to\":_vm.toPreviousDir}},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Go back'))+\"\\n\\t\\t\\t\")]):_vm._e()]},proxy:true},{key:\"icon\",fn:function(){return [_c('NcIconSvgWrapper',{attrs:{\"svg\":_vm.currentView.icon}})]},proxy:true}])}):_c('FilesListVirtual',{ref:\"filesListVirtual\",attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"nodes\":_vm.dirContentsSorted}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon format-list-bulleted-square-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M3,4H7V8H3V4M9,5V7H21V5H9M3,10H7V14H3V10M9,11V13H21V11H9M3,16H7V20H3V16M9,17V19H21V17H9\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FormatListBulletedSquareIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./FormatListBulletedSquare.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./FormatListBulletedSquare.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./FormatListBulletedSquare.vue?vue&type=template&id=00aea13f\"\nimport script from \"./FormatListBulletedSquare.vue?vue&type=script&lang=js\"\nexport * from \"./FormatListBulletedSquare.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon format-list-bulleted-square-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M3,4H7V8H3V4M9,5V7H21V5H9M3,10H7V14H3V10M9,11V13H21V11H9M3,16H7V20H3V16M9,17V19H21V17H9\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon account-plus-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"AccountPlusIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./AccountPlus.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./AccountPlus.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./AccountPlus.vue?vue&type=template&id=a16afc28\"\nimport script from \"./AccountPlus.vue?vue&type=script&lang=js\"\nexport * from \"./AccountPlus.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon account-plus-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M15,14C12.33,14 7,15.33 7,18V20H23V18C23,15.33 17.67,14 15,14M6,10V7H4V10H1V12H4V15H6V12H9V10M15,12A4,4 0 0,0 19,8A4,4 0 0,0 15,4A4,4 0 0,0 11,8A4,4 0 0,0 15,12Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ViewGrid.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ViewGrid.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon view-grid-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M3,11H11V3H3M3,21H11V13H3M13,21H21V13H13M13,3V11H21V3\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ViewGridIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./ViewGrid.vue?vue&type=template&id=7b96a104\"\nimport script from \"./ViewGrid.vue?vue&type=script&lang=js\"\nexport * from \"./ViewGrid.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon view-grid-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M3,11H11V3H3M3,21H11V13H3M13,21H21V13H13M13,3V11H21V3\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { Permission, View, FileAction, FileType } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport InformationSvg from '@mdi/svg/svg/information-variant.svg?raw';\nimport logger from '../logger.js';\nexport const ACTION_DETAILS = 'details';\nexport const action = new FileAction({\n id: ACTION_DETAILS,\n displayName: () => t('files', 'Open details'),\n iconSvgInline: () => InformationSvg,\n // Sidebar currently supports user folder only, /files/USER\n enabled: (nodes) => {\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n if (!nodes[0]) {\n return false;\n }\n // Only work if the sidebar is available\n if (!window?.OCA?.Files?.Sidebar) {\n return false;\n }\n return (nodes[0].root?.startsWith('/files/') && nodes[0].permissions !== Permission.NONE) ?? false;\n },\n async exec(node, view, dir) {\n try {\n // TODO: migrate Sidebar to use a Node instead\n await window.OCA.Files.Sidebar.open(node.path);\n // Silently update current fileid\n window.OCP.Files.Router.goToRoute(null, { view: view.id, fileid: node.fileid }, { dir }, true);\n return null;\n }\n catch (error) {\n logger.error('Error while opening sidebar', { error });\n return false;\n }\n },\n order: -50,\n});\n","import { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nimport logger from '../logger';\nimport Vue from 'vue';\nexport const useFilesStore = function (...args) {\n const store = defineStore('files', {\n state: () => ({\n files: {},\n roots: {},\n }),\n getters: {\n /**\n * Get a file or folder by id\n */\n getNode: (state) => (id) => state.files[id],\n /**\n * Get a list of files or folders by their IDs\n * Does not return undefined values\n */\n getNodes: (state) => (ids) => ids\n .map(id => state.files[id])\n .filter(Boolean),\n /**\n * Get a file or folder by id\n */\n getRoot: (state) => (service) => state.roots[service],\n },\n actions: {\n updateNodes(nodes) {\n // Update the store all at once\n const files = nodes.reduce((acc, node) => {\n if (!node.fileid) {\n logger.error('Trying to update/set a node without fileid', node);\n return acc;\n }\n acc[node.fileid] = node;\n return acc;\n }, {});\n Vue.set(this, 'files', { ...this.files, ...files });\n },\n deleteNodes(nodes) {\n nodes.forEach(node => {\n if (node.fileid) {\n Vue.delete(this.files, node.fileid);\n }\n });\n },\n setRoot({ service, root }) {\n Vue.set(this.roots, service, root);\n },\n onDeletedNode(node) {\n this.deleteNodes([node]);\n },\n onCreatedNode(node) {\n this.updateNodes([node]);\n },\n onUpdatedNode(node) {\n this.updateNodes([node]);\n },\n },\n });\n const fileStore = store(...args);\n // Make sure we only register the listeners once\n if (!fileStore._initialized) {\n subscribe('files:node:created', fileStore.onCreatedNode);\n subscribe('files:node:deleted', fileStore.onDeletedNode);\n subscribe('files:node:updated', fileStore.onUpdatedNode);\n fileStore._initialized = true;\n }\n return fileStore;\n};\n","import { defineStore } from 'pinia';\nimport { FileType, Folder, Node, getNavigation } from '@nextcloud/files';\nimport { subscribe } from '@nextcloud/event-bus';\nimport Vue from 'vue';\nimport logger from '../logger';\nimport { useFilesStore } from './files';\nexport const usePathsStore = function (...args) {\n const files = useFilesStore();\n const store = defineStore('paths', {\n state: () => ({\n paths: {},\n }),\n getters: {\n getPath: (state) => {\n return (service, path) => {\n if (!state.paths[service]) {\n return undefined;\n }\n return state.paths[service][path];\n };\n },\n },\n actions: {\n addPath(payload) {\n // If it doesn't exists, init the service state\n if (!this.paths[payload.service]) {\n Vue.set(this.paths, payload.service, {});\n }\n // Now we can set the provided path\n Vue.set(this.paths[payload.service], payload.path, payload.fileid);\n },\n onCreatedNode(node) {\n const service = getNavigation()?.active?.id || 'files';\n if (!node.fileid) {\n logger.error('Node has no fileid', { node });\n return;\n }\n // Only add path if it's a folder\n if (node.type === FileType.Folder) {\n this.addPath({\n service,\n path: node.path,\n fileid: node.fileid,\n });\n }\n // Update parent folder children if exists\n // If the folder is the root, get it and update it\n if (node.dirname === '/') {\n const root = files.getRoot(service);\n if (!root._children) {\n Vue.set(root, '_children', []);\n }\n root._children.push(node.fileid);\n return;\n }\n // If the folder doesn't exists yet, it will be\n // fetched later and its children updated anyway.\n if (this.paths[service][node.dirname]) {\n const parentId = this.paths[service][node.dirname];\n const parentFolder = files.getNode(parentId);\n logger.debug('Path already exists, updating children', { parentFolder, node });\n if (!parentFolder) {\n logger.error('Parent folder not found', { parentId });\n return;\n }\n if (!parentFolder._children) {\n Vue.set(parentFolder, '_children', []);\n }\n parentFolder._children.push(node.fileid);\n return;\n }\n logger.debug('Parent path does not exists, skipping children update', { node });\n },\n },\n });\n const pathsStore = store(...args);\n // Make sure we only register the listeners once\n if (!pathsStore._initialized) {\n // TODO: watch folders to update paths?\n subscribe('files:node:created', pathsStore.onCreatedNode);\n // subscribe('files:node:deleted', pathsStore.onDeletedNode)\n // subscribe('files:node:moved', pathsStore.onMovedNode)\n pathsStore._initialized = true;\n }\n return pathsStore;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\nimport { FileId, SelectionStore } from '../types';\nexport const useSelectionStore = defineStore('selection', {\n state: () => ({\n selected: [],\n lastSelection: [],\n lastSelectedIndex: null,\n }),\n actions: {\n /**\n * Set the selection of fileIds\n */\n set(selection = []) {\n Vue.set(this, 'selected', [...new Set(selection)]);\n },\n /**\n * Set the last selected index\n */\n setLastIndex(lastSelectedIndex = null) {\n // Update the last selection if we provided a new selection starting point\n Vue.set(this, 'lastSelection', lastSelectedIndex ? this.selected : []);\n Vue.set(this, 'lastSelectedIndex', lastSelectedIndex);\n },\n /**\n * Reset the selection\n */\n reset() {\n Vue.set(this, 'selected', []);\n Vue.set(this, 'lastSelection', []);\n Vue.set(this, 'lastSelectedIndex', null);\n },\n },\n});\n","import { defineStore } from 'pinia';\nimport { getUploader } from '@nextcloud/upload';\nlet uploader;\nexport const useUploaderStore = function (...args) {\n // Only init on runtime\n uploader = getUploader();\n const store = defineStore('uploader', {\n state: () => ({\n queue: uploader.queue,\n }),\n });\n return store(...args);\n};\n","/**\n * SPDX-FileCopyrightText: 2024 Nextcloud GmbH and Nextcloud contributors\n * SPDX-License-Identifier: AGPL-3.0-or-later\n */\nimport { getCanonicalLocale, getLanguage } from '@nextcloud/l10n';\n/**\n * Helper to create string representation\n * @param value Value to stringify\n */\nfunction stringify(value) {\n // The default representation of Date is not sortable because of the weekday names in front of it\n if (value instanceof Date) {\n return value.toISOString();\n }\n return String(value);\n}\n/**\n * Natural order a collection\n * You can define identifiers as callback functions, that get the element and return the value to sort.\n *\n * @param collection The collection to order\n * @param identifiers An array of identifiers to use, by default the identity of the element is used\n * @param orders Array of orders, by default all identifiers are sorted ascening\n */\nexport function orderBy(collection, identifiers, orders) {\n // If not identifiers are set we use the identity of the value\n identifiers = identifiers ?? [(value) => value];\n // By default sort the collection ascending\n orders = orders ?? [];\n const sorting = identifiers.map((_, index) => (orders[index] ?? 'asc') === 'asc' ? 1 : -1);\n const collator = Intl.Collator([getLanguage(), getCanonicalLocale()], {\n // handle 10 as ten and not as one-zero\n numeric: true,\n usage: 'sort',\n });\n return [...collection].sort((a, b) => {\n for (const [index, identifier] of identifiers.entries()) {\n // Get the local compare of stringified value a and b\n const value = collator.compare(stringify(identifier(a)), stringify(identifier(b)));\n // If they do not match return the order\n if (value !== 0) {\n return value * sorting[index];\n }\n // If they match we need to continue with the next identifier\n }\n // If all are equal we need to return equality\n return 0;\n });\n}\n","import { emit } from '@nextcloud/event-bus';\nimport { Folder, Node, davGetClient, davGetDefaultPropfind, davResultToNode } from '@nextcloud/files';\nimport { openConflictPicker } from '@nextcloud/upload';\nimport { showError, showInfo } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport logger from '../logger.js';\n/**\n * This represents a Directory in the file tree\n * We extend the File class to better handling uploading\n * and stay as close as possible as the Filesystem API.\n * This also allow us to hijack the size or lastModified\n * properties to compute them dynamically.\n */\nexport class Directory extends File {\n /* eslint-disable no-use-before-define */\n _contents;\n constructor(name, contents = []) {\n super([], name, { type: 'httpd/unix-directory' });\n this._contents = contents;\n }\n set contents(contents) {\n this._contents = contents;\n }\n get contents() {\n return this._contents;\n }\n get size() {\n return this._computeDirectorySize(this);\n }\n get lastModified() {\n if (this._contents.length === 0) {\n return Date.now();\n }\n return this._computeDirectoryMtime(this);\n }\n /**\n * Get the last modification time of a file tree\n * This is not perfect, but will get us a pretty good approximation\n * @param directory the directory to traverse\n */\n _computeDirectoryMtime(directory) {\n return directory.contents.reduce((acc, file) => {\n return file.lastModified > acc\n // If the file is a directory, the lastModified will\n // also return the results of its _computeDirectoryMtime method\n // Fancy recursion, huh?\n ? file.lastModified\n : acc;\n }, 0);\n }\n /**\n * Get the size of a file tree\n * @param directory the directory to traverse\n */\n _computeDirectorySize(directory) {\n return directory.contents.reduce((acc, entry) => {\n // If the file is a directory, the size will\n // also return the results of its _computeDirectorySize method\n // Fancy recursion, huh?\n return acc + entry.size;\n }, 0);\n }\n}\n/**\n * Traverse a file tree using the Filesystem API\n * @param entry the entry to traverse\n */\nexport const traverseTree = async (entry) => {\n // Handle file\n if (entry.isFile) {\n return new Promise((resolve, reject) => {\n entry.file(resolve, reject);\n });\n }\n // Handle directory\n logger.debug('Handling recursive file tree', { entry: entry.name });\n const directory = entry;\n const entries = await readDirectory(directory);\n const contents = (await Promise.all(entries.map(traverseTree))).flat();\n return new Directory(directory.name, contents);\n};\n/**\n * Read a directory using Filesystem API\n * @param directory the directory to read\n */\nconst readDirectory = (directory) => {\n const dirReader = directory.createReader();\n return new Promise((resolve, reject) => {\n const entries = [];\n const getEntries = () => {\n dirReader.readEntries((results) => {\n if (results.length) {\n entries.push(...results);\n getEntries();\n }\n else {\n resolve(entries);\n }\n }, (error) => {\n reject(error);\n });\n };\n getEntries();\n });\n};\nexport const createDirectoryIfNotExists = async (absolutePath) => {\n const davClient = davGetClient();\n const dirExists = await davClient.exists(absolutePath);\n if (!dirExists) {\n logger.debug('Directory does not exist, creating it', { absolutePath });\n await davClient.createDirectory(absolutePath, { recursive: true });\n const stat = await davClient.stat(absolutePath, { details: true, data: davGetDefaultPropfind() });\n emit('files:node:created', davResultToNode(stat.data));\n }\n};\nexport const resolveConflict = async (files, destination, contents) => {\n try {\n // List all conflicting files\n const conflicts = files.filter((file) => {\n return contents.find((node) => node.basename === (file instanceof File ? file.name : file.basename));\n }).filter(Boolean);\n // List of incoming files that are NOT in conflict\n const uploads = files.filter((file) => {\n return !conflicts.includes(file);\n });\n // Let the user choose what to do with the conflicting files\n const { selected, renamed } = await openConflictPicker(destination.path, conflicts, contents);\n logger.debug('Conflict resolution', { uploads, selected, renamed });\n // If the user selected nothing, we cancel the upload\n if (selected.length === 0 && renamed.length === 0) {\n // User skipped\n showInfo(t('files', 'Conflicts resolution skipped'));\n logger.info('User skipped the conflict resolution');\n return [];\n }\n // Update the list of files to upload\n return [...uploads, ...selected, ...renamed];\n }\n catch (error) {\n console.error(error);\n // User cancelled\n showError(t('files', 'Upload cancelled'));\n logger.error('User cancelled the upload');\n }\n return [];\n};\n","\n import API from \"!../../../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../css-loader/dist/cjs.js!./style.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../css-loader/dist/cjs.js!./style.css\";\n export default content && content.locals ? content.locals : undefined;\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport '@nextcloud/dialogs/style.css';\nimport { Permission } from '@nextcloud/files';\nimport PQueue from 'p-queue';\n// This is the processing queue. We only want to allow 3 concurrent requests\nlet queue;\n/**\n * Get the processing queue\n */\nexport const getQueue = () => {\n if (!queue) {\n queue = new PQueue({ concurrency: 3 });\n }\n return queue;\n};\nexport var MoveCopyAction;\n(function (MoveCopyAction) {\n MoveCopyAction[\"MOVE\"] = \"Move\";\n MoveCopyAction[\"COPY\"] = \"Copy\";\n MoveCopyAction[\"MOVE_OR_COPY\"] = \"move-or-copy\";\n})(MoveCopyAction || (MoveCopyAction = {}));\nexport const canMove = (nodes) => {\n const minPermission = nodes.reduce((min, node) => Math.min(min, node.permissions), Permission.ALL);\n return (minPermission & Permission.UPDATE) !== 0;\n};\nexport const canDownload = (nodes) => {\n return nodes.every(node => {\n const shareAttributes = JSON.parse(node.attributes?.['share-attributes'] ?? '[]');\n return !shareAttributes.some(attribute => attribute.scope === 'permissions' && attribute.enabled === false && attribute.key === 'download');\n });\n};\nexport const canCopy = (nodes) => {\n // For now the only restriction is that a shared file\n // cannot be copied if the download is disabled\n return canDownload(nodes);\n};\n","import { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken } from '@nextcloud/auth';\nimport { request } from 'webdav/dist/node/request.js';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl, {\n headers: {\n requesttoken: getRequestToken() || '',\n },\n });\n /**\n * Allow to override the METHOD to support dav REPORT\n *\n * @see https://github.com/perry-mitchell/webdav-client/blob/8d9694613c978ce7404e26a401c39a41f125f87f/source/request.ts\n */\n const patcher = getPatcher();\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n // https://github.com/perry-mitchell/hot-patcher/issues/6\n patcher.patch('request', (options) => {\n if (options.headers?.method) {\n options.method = options.headers.method;\n delete options.headers.method;\n }\n return request(options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nexport const hashCode = function (str) {\n return str.split('').reduce(function (a, b) {\n a = ((a << 5) - a) + b.charCodeAt(0);\n return a & a;\n }, 0);\n};\n","import { CancelablePromise } from 'cancelable-promise';\nimport { File, Folder, davParsePermissions, davGetDefaultPropfind } from '@nextcloud/files';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser } from '@nextcloud/auth';\nimport { getClient, rootPath } from './WebdavClient';\nimport { hashCode } from '../utils/hashUtils';\nimport logger from '../logger';\nconst client = getClient();\nexport const resultToNode = function (node) {\n const userId = getCurrentUser()?.uid;\n if (!userId) {\n throw new Error('No user id found');\n }\n const props = node.props;\n const permissions = davParsePermissions(props?.permissions);\n const owner = (props['owner-id'] || userId).toString();\n const source = generateRemoteUrl('dav' + rootPath + node.filename);\n const id = props?.fileid < 0\n ? hashCode(source)\n : props?.fileid || 0;\n const nodeData = {\n id,\n source,\n mtime: new Date(node.lastmod),\n mime: node.mime || 'application/octet-stream',\n size: props?.size || 0,\n permissions,\n owner,\n root: rootPath,\n attributes: {\n ...node,\n ...props,\n hasPreview: props?.['has-preview'],\n failed: props?.fileid < 0,\n },\n };\n delete nodeData.attributes.props;\n return node.type === 'file'\n ? new File(nodeData)\n : new Folder(nodeData);\n};\nexport const getContents = (path = '/') => {\n const controller = new AbortController();\n const propfindPayload = davGetDefaultPropfind();\n return new CancelablePromise(async (resolve, reject, onCancel) => {\n onCancel(() => controller.abort());\n try {\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n data: propfindPayload,\n includeSelf: true,\n signal: controller.signal,\n });\n const root = contentsResponse.data[0];\n const contents = contentsResponse.data.slice(1);\n if (root.filename !== path) {\n throw new Error('Root node does not match requested path');\n }\n resolve({\n folder: resultToNode(root),\n contents: contents.map(result => {\n try {\n return resultToNode(result);\n }\n catch (error) {\n logger.error(`Invalid node detected '${result.basename}'`, { error });\n return null;\n }\n }).filter(Boolean),\n });\n }\n catch (error) {\n reject(error);\n }\n });\n};\n","/**\n * @copyright Copyright (c) 2021 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { FileType } from '@nextcloud/files';\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n';\nimport { basename, extname } from 'path';\n// TODO: move to @nextcloud/files\n/**\n * Create an unique file name\n * @param name The initial name to use\n * @param otherNames Other names that are already used\n * @param options Optional parameters for tuning the behavior\n * @param options.suffix A function that takes an index and returns a suffix to add to the file name, defaults to '(index)'\n * @param options.ignoreFileExtension Set to true to ignore the file extension when adding the suffix (when getting a unique directory name)\n * @return Either the initial name, if unique, or the name with the suffix so that the name is unique\n */\nexport const getUniqueName = (name, otherNames, options = {}) => {\n const opts = {\n suffix: (n) => `(${n})`,\n ignoreFileExtension: false,\n ...options,\n };\n let newName = name;\n let i = 1;\n while (otherNames.includes(newName)) {\n const ext = opts.ignoreFileExtension ? '' : extname(name);\n const base = basename(name, ext);\n newName = `${base} ${opts.suffix(i++)}${ext}`;\n }\n return newName;\n};\nexport const encodeFilePath = function (path) {\n const pathSections = (path.startsWith('/') ? path : `/${path}`).split('/');\n let relativePath = '';\n pathSections.forEach((section) => {\n if (section !== '') {\n relativePath += '/' + encodeURIComponent(section);\n }\n });\n return relativePath;\n};\n/**\n * Extract dir and name from file path\n *\n * @param {string} path the full path\n * @return {string[]} [dirPath, fileName]\n */\nexport const extractFilePaths = function (path) {\n const pathSections = path.split('/');\n const fileName = pathSections[pathSections.length - 1];\n const dirPath = pathSections.slice(0, pathSections.length - 1).join('/');\n return [dirPath, fileName];\n};\n/**\n * Generate a translated summary of an array of nodes\n * @param {Node[]} nodes the nodes to summarize\n * @return {string}\n */\nexport const getSummaryFor = (nodes) => {\n const fileCount = nodes.filter(node => node.type === FileType.File).length;\n const folderCount = nodes.filter(node => node.type === FileType.Folder).length;\n if (fileCount === 0) {\n return n('files', '{folderCount} folder', '{folderCount} folders', folderCount, { folderCount });\n }\n else if (folderCount === 0) {\n return n('files', '{fileCount} file', '{fileCount} files', fileCount, { fileCount });\n }\n if (fileCount === 1) {\n return n('files', '1 file and {folderCount} folder', '1 file and {folderCount} folders', folderCount, { folderCount });\n }\n if (folderCount === 1) {\n return n('files', '{fileCount} file and 1 folder', '{fileCount} files and 1 folder', fileCount, { fileCount });\n }\n return t('files', '{fileCount} files and {folderCount} folders', { fileCount, folderCount });\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport '@nextcloud/dialogs/style.css';\n// eslint-disable-next-line n/no-extraneous-import\nimport { AxiosError } from 'axios';\nimport { basename, join } from 'path';\nimport { emit } from '@nextcloud/event-bus';\nimport { FilePickerClosed, getFilePickerBuilder, showError } from '@nextcloud/dialogs';\nimport { Permission, FileAction, FileType, NodeStatus, davGetClient, davRootPath, davResultToNode, davGetDefaultPropfind } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport { openConflictPicker, hasConflict } from '@nextcloud/upload';\nimport Vue from 'vue';\nimport CopyIconSvg from '@mdi/svg/svg/folder-multiple.svg?raw';\nimport FolderMoveSvg from '@mdi/svg/svg/folder-move.svg?raw';\nimport { MoveCopyAction, canCopy, canMove, getQueue } from './moveOrCopyActionUtils';\nimport { getContents } from '../services/Files';\nimport logger from '../logger';\nimport { getUniqueName } from '../utils/fileUtils';\n/**\n * Return the action that is possible for the given nodes\n * @param {Node[]} nodes The nodes to check against\n * @return {MoveCopyAction} The action that is possible for the given nodes\n */\nconst getActionForNodes = (nodes) => {\n if (canMove(nodes)) {\n if (canCopy(nodes)) {\n return MoveCopyAction.MOVE_OR_COPY;\n }\n return MoveCopyAction.MOVE;\n }\n // Assuming we can copy as the enabled checks for copy permissions\n return MoveCopyAction.COPY;\n};\n/**\n * Handle the copy/move of a node to a destination\n * This can be imported and used by other scripts/components on server\n * @param {Node} node The node to copy/move\n * @param {Folder} destination The destination to copy/move the node to\n * @param {MoveCopyAction} method The method to use for the copy/move\n * @param {boolean} overwrite Whether to overwrite the destination if it exists\n * @return {Promise<void>} A promise that resolves when the copy/move is done\n */\nexport const handleCopyMoveNodeTo = async (node, destination, method, overwrite = false) => {\n if (!destination) {\n return;\n }\n if (destination.type !== FileType.Folder) {\n throw new Error(t('files', 'Destination is not a folder'));\n }\n // Do not allow to MOVE a node to the same folder it is already located\n if (method === MoveCopyAction.MOVE && node.dirname === destination.path) {\n throw new Error(t('files', 'This file/folder is already in that directory'));\n }\n /**\n * Example:\n * - node: /foo/bar/file.txt -> path = /foo/bar/file.txt, destination: /foo\n * Allow move of /foo does not start with /foo/bar/file.txt so allow\n * - node: /foo , destination: /foo/bar\n * Do not allow as it would copy foo within itself\n * - node: /foo/bar.txt, destination: /foo\n * Allow copy a file to the same directory\n * - node: \"/foo/bar\", destination: \"/foo/bar 1\"\n * Allow to move or copy but we need to check with trailing / otherwise it would report false positive\n */\n if (`${destination.path}/`.startsWith(`${node.path}/`)) {\n throw new Error(t('files', 'You cannot move a file/folder onto itself or into a subfolder of itself'));\n }\n // Set loading state\n Vue.set(node, 'status', NodeStatus.LOADING);\n const queue = getQueue();\n return await queue.add(async () => {\n const copySuffix = (index) => {\n if (index === 1) {\n return t('files', '(copy)'); // TRANSLATORS: Mark a file as a copy of another file\n }\n return t('files', '(copy %n)', undefined, index); // TRANSLATORS: Meaning it is the n'th copy of a file\n };\n try {\n const client = davGetClient();\n const currentPath = join(davRootPath, node.path);\n const destinationPath = join(davRootPath, destination.path);\n if (method === MoveCopyAction.COPY) {\n let target = node.basename;\n // If we do not allow overwriting then find an unique name\n if (!overwrite) {\n const otherNodes = await client.getDirectoryContents(destinationPath);\n target = getUniqueName(node.basename, otherNodes.map((n) => n.basename), {\n suffix: copySuffix,\n ignoreFileExtension: node.type === FileType.Folder,\n });\n }\n await client.copyFile(currentPath, join(destinationPath, target));\n // If the node is copied into current directory the view needs to be updated\n if (node.dirname === destination.path) {\n const { data } = await client.stat(join(destinationPath, target), {\n details: true,\n data: davGetDefaultPropfind(),\n });\n emit('files:node:created', davResultToNode(data));\n }\n }\n else {\n // show conflict file popup if we do not allow overwriting\n const otherNodes = await getContents(destination.path);\n if (hasConflict([node], otherNodes.contents)) {\n try {\n // Let the user choose what to do with the conflicting files\n const { selected, renamed } = await openConflictPicker(destination.path, [node], otherNodes.contents);\n // if the user selected to keep the old file, and did not select the new file\n // that means they opted to delete the current node\n if (!selected.length && !renamed.length) {\n await client.deleteFile(currentPath);\n emit('files:node:deleted', node);\n return;\n }\n }\n catch (error) {\n // User cancelled\n showError(t('files', 'Move cancelled'));\n return;\n }\n }\n // getting here means either no conflict, file was renamed to keep both files\n // in a conflict, or the selected file was chosen to be kept during the conflict\n await client.moveFile(currentPath, join(destinationPath, node.basename));\n // Delete the node as it will be fetched again\n // when navigating to the destination folder\n emit('files:node:deleted', node);\n }\n }\n catch (error) {\n if (error instanceof AxiosError) {\n if (error?.response?.status === 412) {\n throw new Error(t('files', 'A file or folder with that name already exists in this folder'));\n }\n else if (error?.response?.status === 423) {\n throw new Error(t('files', 'The files is locked'));\n }\n else if (error?.response?.status === 404) {\n throw new Error(t('files', 'The file does not exist anymore'));\n }\n else if (error.message) {\n throw new Error(error.message);\n }\n }\n logger.debug(error);\n throw new Error();\n }\n finally {\n Vue.set(node, 'status', undefined);\n }\n });\n};\n/**\n * Open a file picker for the given action\n * @param {MoveCopyAction} action The action to open the file picker for\n * @param {string} dir The directory to start the file picker in\n * @param {Node[]} nodes The nodes to move/copy\n * @return {Promise<MoveCopyResult>} The picked destination\n */\nconst openFilePickerForAction = async (action, dir = '/', nodes) => {\n const fileIDs = nodes.map(node => node.fileid).filter(Boolean);\n const filePicker = getFilePickerBuilder(t('files', 'Choose destination'))\n .allowDirectories(true)\n .setFilter((n) => {\n // We only want to show folders that we can create nodes in\n return (n.permissions & Permission.CREATE) !== 0\n // We don't want to show the current nodes in the file picker\n && !fileIDs.includes(n.fileid);\n })\n .setMimeTypeFilter([])\n .setMultiSelect(false)\n .startAt(dir);\n return new Promise((resolve, reject) => {\n filePicker.setButtonFactory((_selection, path) => {\n const buttons = [];\n const target = basename(path);\n const dirnames = nodes.map(node => node.dirname);\n const paths = nodes.map(node => node.path);\n if (action === MoveCopyAction.COPY || action === MoveCopyAction.MOVE_OR_COPY) {\n buttons.push({\n label: target ? t('files', 'Copy to {target}', { target }, undefined, { escape: false, sanitize: false }) : t('files', 'Copy'),\n type: 'primary',\n icon: CopyIconSvg,\n async callback(destination) {\n resolve({\n destination: destination[0],\n action: MoveCopyAction.COPY,\n });\n },\n });\n }\n // Invalid MOVE targets (but valid copy targets)\n if (dirnames.includes(path)) {\n // This file/folder is already in that directory\n return buttons;\n }\n if (paths.includes(path)) {\n // You cannot move a file/folder onto itself\n return buttons;\n }\n if (action === MoveCopyAction.MOVE || action === MoveCopyAction.MOVE_OR_COPY) {\n buttons.push({\n label: target ? t('files', 'Move to {target}', { target }, undefined, { escape: false, sanitize: false }) : t('files', 'Move'),\n type: action === MoveCopyAction.MOVE ? 'primary' : 'secondary',\n icon: FolderMoveSvg,\n async callback(destination) {\n resolve({\n destination: destination[0],\n action: MoveCopyAction.MOVE,\n });\n },\n });\n }\n return buttons;\n });\n const picker = filePicker.build();\n picker.pick().catch((error) => {\n logger.debug(error);\n if (error instanceof FilePickerClosed) {\n reject(new Error(t('files', 'Cancelled move or copy operation')));\n }\n else {\n reject(new Error(t('files', 'Move or copy operation failed')));\n }\n });\n });\n};\nexport const action = new FileAction({\n id: 'move-copy',\n displayName(nodes) {\n switch (getActionForNodes(nodes)) {\n case MoveCopyAction.MOVE:\n return t('files', 'Move');\n case MoveCopyAction.COPY:\n return t('files', 'Copy');\n case MoveCopyAction.MOVE_OR_COPY:\n return t('files', 'Move or copy');\n }\n },\n iconSvgInline: () => FolderMoveSvg,\n enabled(nodes) {\n // We only support moving/copying files within the user folder\n if (!nodes.every(node => node.root?.startsWith('/files/'))) {\n return false;\n }\n return nodes.length > 0 && (canMove(nodes) || canCopy(nodes));\n },\n async exec(node, view, dir) {\n const action = getActionForNodes([node]);\n let result;\n try {\n result = await openFilePickerForAction(action, dir, [node]);\n }\n catch (e) {\n logger.error(e);\n return false;\n }\n try {\n await handleCopyMoveNodeTo(node, result.destination, result.action);\n return true;\n }\n catch (error) {\n if (error instanceof Error && !!error.message) {\n showError(error.message);\n // Silent action as we handle the toast\n return null;\n }\n return false;\n }\n },\n async execBatch(nodes, view, dir) {\n const action = getActionForNodes(nodes);\n const result = await openFilePickerForAction(action, dir, nodes);\n const promises = nodes.map(async (node) => {\n try {\n await handleCopyMoveNodeTo(node, result.destination, result.action);\n return true;\n }\n catch (error) {\n logger.error(`Failed to ${result.action} node`, { node, error });\n return false;\n }\n });\n // We need to keep the selection on error!\n // So we do not return null, and for batch action\n // we let the front handle the error.\n return await Promise.all(promises);\n },\n order: 15,\n});\n","/**\n * @copyright Copyright (c) 2023 Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { Folder, Node, NodeStatus, davRootPath } from '@nextcloud/files';\nimport { getUploader, hasConflict } from '@nextcloud/upload';\nimport { join } from 'path';\nimport { joinPaths } from '@nextcloud/paths';\nimport { showError, showInfo, showSuccess, showWarning } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport Vue from 'vue';\nimport { Directory, traverseTree, resolveConflict, createDirectoryIfNotExists } from './DropServiceUtils';\nimport { handleCopyMoveNodeTo } from '../actions/moveOrCopyAction';\nimport { MoveCopyAction } from '../actions/moveOrCopyActionUtils';\nimport logger from '../logger.js';\n/**\n * This function converts a list of DataTransferItems to a file tree.\n * It uses the Filesystem API if available, otherwise it falls back to the File API.\n * The File API will NOT be available if the browser is not in a secure context (e.g. HTTP).\n * ⚠️ When using this method, you need to use it as fast as possible, as the DataTransferItems\n * will be cleared after the first access to the props of one of the entries.\n *\n * @param items the list of DataTransferItems\n */\nexport const dataTransferToFileTree = async (items) => {\n // Check if the browser supports the Filesystem API\n // We need to cache the entries to prevent Blink engine bug that clears\n // the list (`data.items`) after first access props of one of the entries\n const entries = items\n .filter((item) => {\n if (item.kind !== 'file') {\n logger.debug('Skipping dropped item', { kind: item.kind, type: item.type });\n return false;\n }\n return true;\n }).map((item) => {\n // MDN recommends to try both, as it might be renamed in the future\n return item?.getAsEntry?.()\n ?? item?.webkitGetAsEntry?.()\n ?? item;\n });\n let warned = false;\n const fileTree = new Directory('root');\n // Traverse the file tree\n for (const entry of entries) {\n // Handle browser issues if Filesystem API is not available. Fallback to File API\n if (entry instanceof DataTransferItem) {\n logger.warn('Could not get FilesystemEntry of item, falling back to file');\n const file = entry.getAsFile();\n if (file === null) {\n logger.warn('Could not process DataTransferItem', { type: entry.type, kind: entry.kind });\n showError(t('files', 'One of the dropped files could not be processed'));\n continue;\n }\n // Warn the user that the browser does not support the Filesystem API\n // we therefore cannot upload directories recursively.\n if (file.type === 'httpd/unix-directory' || !file.type) {\n if (!warned) {\n logger.warn('Browser does not support Filesystem API. Directories will not be uploaded');\n showWarning(t('files', 'Your browser does not support the Filesystem API. Directories will not be uploaded'));\n warned = true;\n }\n continue;\n }\n fileTree.contents.push(file);\n continue;\n }\n // Use Filesystem API\n try {\n fileTree.contents.push(await traverseTree(entry));\n }\n catch (error) {\n // Do not throw, as we want to continue with the other files\n logger.error('Error while traversing file tree', { error });\n }\n }\n return fileTree;\n};\nexport const onDropExternalFiles = async (root, destination, contents) => {\n const uploader = getUploader();\n // Check for conflicts on root elements\n if (await hasConflict(root.contents, contents)) {\n root.contents = await resolveConflict(root.contents, destination, contents);\n }\n if (root.contents.length === 0) {\n logger.info('No files to upload', { root });\n showInfo(t('files', 'No files to upload'));\n return [];\n }\n // Let's process the files\n logger.debug(`Uploading files to ${destination.path}`, { root, contents: root.contents });\n const queue = [];\n const uploadDirectoryContents = async (directory, path) => {\n for (const file of directory.contents) {\n // This is the relative path to the resource\n // from the current uploader destination\n const relativePath = join(path, file.name);\n // If the file is a directory, we need to create it first\n // then browse its tree and upload its contents.\n if (file instanceof Directory) {\n const absolutePath = joinPaths(davRootPath, destination.path, relativePath);\n try {\n console.debug('Processing directory', { relativePath });\n await createDirectoryIfNotExists(absolutePath);\n await uploadDirectoryContents(file, relativePath);\n }\n catch (error) {\n showError(t('files', 'Unable to create the directory {directory}', { directory: file.name }));\n logger.error('', { error, absolutePath, directory: file });\n }\n continue;\n }\n // If we've reached a file, we can upload it\n logger.debug('Uploading file to ' + join(destination.path, relativePath), { file });\n // Overriding the root to avoid changing the current uploader context\n queue.push(uploader.upload(relativePath, file, destination.source));\n }\n };\n // Pause the uploader to prevent it from starting\n // while we compute the queue\n uploader.pause();\n // Upload the files. Using '/' as the starting point\n // as we already adjusted the uploader destination\n await uploadDirectoryContents(root, '/');\n uploader.start();\n // Wait for all promises to settle\n const results = await Promise.allSettled(queue);\n // Check for errors\n const errors = results.filter(result => result.status === 'rejected');\n if (errors.length > 0) {\n logger.error('Error while uploading files', { errors });\n showError(t('files', 'Some files could not be uploaded'));\n return [];\n }\n logger.debug('Files uploaded successfully');\n showSuccess(t('files', 'Files uploaded successfully'));\n return Promise.all(queue);\n};\nexport const onDropInternalFiles = async (nodes, destination, contents, isCopy = false) => {\n const queue = [];\n // Check for conflicts on root elements\n if (await hasConflict(nodes, contents)) {\n nodes = await resolveConflict(nodes, destination, contents);\n }\n if (nodes.length === 0) {\n logger.info('No files to process', { nodes });\n showInfo(t('files', 'No files to process'));\n return;\n }\n for (const node of nodes) {\n Vue.set(node, 'status', NodeStatus.LOADING);\n // TODO: resolve potential conflicts prior and force overwrite\n queue.push(handleCopyMoveNodeTo(node, destination, isCopy ? MoveCopyAction.COPY : MoveCopyAction.MOVE));\n }\n // Wait for all promises to settle\n const results = await Promise.allSettled(queue);\n nodes.forEach(node => Vue.set(node, 'status', undefined));\n // Check for errors\n const errors = results.filter(result => result.status === 'rejected');\n if (errors.length > 0) {\n logger.error('Error while copying or moving files', { errors });\n showError(isCopy ? t('files', 'Some files could not be copied') : t('files', 'Some files could not be moved'));\n return;\n }\n logger.debug('Files copy/move successful');\n showSuccess(isCopy ? t('files', 'Files copied successfully') : t('files', 'Files moved successfully'));\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\nexport const useDragAndDropStore = defineStore('dragging', {\n state: () => ({\n dragging: [],\n }),\n actions: {\n /**\n * Set the selection of fileIds\n */\n set(selection = []) {\n Vue.set(this, 'dragging', selection);\n },\n /**\n * Reset the selection\n */\n reset() {\n Vue.set(this, 'dragging', []);\n },\n },\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport Vue from 'vue';\nexport default Vue.extend({\n data() {\n return {\n filesListWidth: null,\n };\n },\n mounted() {\n const fileListEl = document.querySelector('#app-content-vue');\n this.filesListWidth = fileListEl?.clientWidth ?? null;\n this.$resizeObserver = new ResizeObserver((entries) => {\n if (entries.length > 0 && entries[0].target === fileListEl) {\n this.filesListWidth = entries[0].contentRect.width;\n }\n });\n this.$resizeObserver.observe(fileListEl);\n },\n beforeDestroy() {\n this.$resizeObserver.disconnect();\n },\n});\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcBreadcrumbs',{staticClass:\"files-list__breadcrumbs\",class:{ 'files-list__breadcrumbs--with-progress': _vm.wrapUploadProgressBar },attrs:{\"data-cy-files-content-breadcrumbs\":\"\",\"aria-label\":_vm.t('files', 'Current directory path')},scopedSlots:_vm._u([{key:\"actions\",fn:function(){return [_vm._t(\"actions\")]},proxy:true}],null,true)},_vm._l((_vm.sections),function(section,index){return _c('NcBreadcrumb',_vm._b({key:section.dir,attrs:{\"dir\":\"auto\",\"to\":section.to,\"force-icon-text\":index === 0 && _vm.filesListWidth >= 486,\"title\":_vm.titleForSection(index, section),\"aria-description\":_vm.ariaForSection(section)},on:{\"drop\":function($event){return _vm.onDrop($event, section.dir)}},nativeOn:{\"click\":function($event){return _vm.onClick(section.to)},\"dragover\":function($event){return _vm.onDragOver($event, section.dir)}},scopedSlots:_vm._u([(index === 0)?{key:\"icon\",fn:function(){return [_c('NcIconSvgWrapper',{attrs:{\"size\":20,\"svg\":_vm.viewIcon}})]},proxy:true}:null],null,true)},'NcBreadcrumb',section,false))}),1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./BreadCrumbs.vue?vue&type=template&id=740bb6f2&scoped=true\"\nimport script from \"./BreadCrumbs.vue?vue&type=script&lang=ts\"\nexport * from \"./BreadCrumbs.vue?vue&type=script&lang=ts\"\nimport style0 from \"./BreadCrumbs.vue?vue&type=style&index=0&id=740bb6f2&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"740bb6f2\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('VirtualList',{ref:\"table\",attrs:{\"data-component\":_vm.userConfig.grid_view ? _vm.FileEntryGrid : _vm.FileEntry,\"data-key\":'source',\"data-sources\":_vm.nodes,\"grid-mode\":_vm.userConfig.grid_view,\"extra-props\":{\n\t\tisMtimeAvailable: _vm.isMtimeAvailable,\n\t\tisSizeAvailable: _vm.isSizeAvailable,\n\t\tnodes: _vm.nodes,\n\t\tfilesListWidth: _vm.filesListWidth,\n\t},\"scroll-to-index\":_vm.scrollToIndex,\"caption\":_vm.caption},scopedSlots:_vm._u([(!_vm.isNoneSelected)?{key:\"header-overlay\",fn:function(){return [_c('FilesListTableHeaderActions',{attrs:{\"current-view\":_vm.currentView,\"selected-nodes\":_vm.selectedNodes}})]},proxy:true}:null,{key:\"before\",fn:function(){return _vm._l((_vm.sortedHeaders),function(header){return _c('FilesListHeader',{key:header.id,attrs:{\"current-folder\":_vm.currentFolder,\"current-view\":_vm.currentView,\"header\":header}})})},proxy:true},{key:\"header\",fn:function(){return [_c('FilesListTableHeader',{ref:\"thead\",attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes}})]},proxy:true},{key:\"footer\",fn:function(){return [_c('FilesListTableFooter',{attrs:{\"files-list-width\":_vm.filesListWidth,\"is-mtime-available\":_vm.isMtimeAvailable,\"is-size-available\":_vm.isSizeAvailable,\"nodes\":_vm.nodes,\"summary\":_vm.summary}})]},proxy:true}],null,true)})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nexport const useActionsMenuStore = defineStore('actionsmenu', {\n state: () => ({\n opened: null,\n }),\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nexport const useRenamingStore = function (...args) {\n const store = defineStore('renaming', {\n state: () => ({\n renamingNode: undefined,\n newName: '',\n }),\n });\n const renamingStore = store(...args);\n // Make sure we only register the listeners once\n if (!renamingStore._initialized) {\n subscribe('files:node:rename', function (node) {\n renamingStore.renamingNode = node;\n renamingStore.newName = node.basename;\n });\n renamingStore._initialized = true;\n }\n return renamingStore;\n};\n","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon file-multiple-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M15,7H20.5L15,1.5V7M8,0H16L22,6V18A2,2 0 0,1 20,20H8C6.89,20 6,19.1 6,18V2A2,2 0 0,1 8,0M4,4V22H20V24H4A2,2 0 0,1 2,22V4H4Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FileMultipleIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./FileMultiple.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./FileMultiple.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./FileMultiple.vue?vue&type=template&id=27b46e04\"\nimport script from \"./FileMultiple.vue?vue&type=script&lang=js\"\nexport * from \"./FileMultiple.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon file-multiple-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M15,7H20.5L15,1.5V7M8,0H16L22,6V18A2,2 0 0,1 20,20H8C6.89,20 6,19.1 6,18V2A2,2 0 0,1 8,0M4,4V22H20V24H4A2,2 0 0,1 2,22V4H4Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Folder.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Folder.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon folder-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FolderIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Folder.vue?vue&type=template&id=07f089a4\"\nimport script from \"./Folder.vue?vue&type=script&lang=js\"\nexport * from \"./Folder.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon folder-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M10,4H4C2.89,4 2,4.89 2,6V18A2,2 0 0,0 4,20H20A2,2 0 0,0 22,18V8C22,6.89 21.1,6 20,6H12L10,4Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{staticClass:\"files-list-drag-image\"},[_c('span',{staticClass:\"files-list-drag-image__icon\"},[_c('span',{ref:\"previewImg\"}),_vm._v(\" \"),(_vm.isSingleFolder)?_c('FolderIcon'):_c('FileMultipleIcon')],1),_vm._v(\" \"),_c('span',{staticClass:\"files-list-drag-image__name\"},[_vm._v(_vm._s(_vm.name))])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./DragAndDropPreview.vue?vue&type=template&id=578d5cf6\"\nimport script from \"./DragAndDropPreview.vue?vue&type=script&lang=ts\"\nexport * from \"./DragAndDropPreview.vue?vue&type=script&lang=ts\"\nimport style0 from \"./DragAndDropPreview.vue?vue&type=style&index=0&id=578d5cf6&prod&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import DragAndDropPreview from '../components/DragAndDropPreview.vue';\nimport Vue from 'vue';\nconst Preview = Vue.extend(DragAndDropPreview);\nlet preview;\nexport const getDragAndDropPreview = async (nodes) => {\n return new Promise((resolve) => {\n if (!preview) {\n preview = new Preview().$mount();\n document.body.appendChild(preview.$el);\n }\n preview.update(nodes);\n preview.$on('loaded', () => {\n resolve(preview.$el);\n preview.$off('loaded');\n });\n });\n};\n","/**\n * @copyright Copyright (c) 2024 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { extname } from 'path';\nimport { FileType, Permission, Folder, File as NcFile, NodeStatus, Node, View } from '@nextcloud/files';\nimport { generateUrl } from '@nextcloud/router';\nimport { translate as t } from '@nextcloud/l10n';\nimport { vOnClickOutside } from '@vueuse/components';\nimport Vue, { defineComponent } from 'vue';\nimport { action as sidebarAction } from '../actions/sidebarAction.ts';\nimport { getDragAndDropPreview } from '../utils/dragUtils.ts';\nimport { hashCode } from '../utils/hashUtils.ts';\nimport { dataTransferToFileTree, onDropExternalFiles, onDropInternalFiles } from '../services/DropService.ts';\nimport logger from '../logger.js';\nimport { showError } from '@nextcloud/dialogs';\nVue.directive('onClickOutside', vOnClickOutside);\nexport default defineComponent({\n props: {\n source: {\n type: [Folder, NcFile, Node],\n required: true,\n },\n nodes: {\n type: Array,\n required: true,\n },\n filesListWidth: {\n type: Number,\n default: 0,\n },\n },\n data() {\n return {\n loading: '',\n dragover: false,\n gridMode: false,\n };\n },\n computed: {\n currentView() {\n return this.$navigation.active;\n },\n currentDir() {\n // Remove any trailing slash but leave root slash\n return (this.$route?.query?.dir?.toString() || '/').replace(/^(.+)\\/$/, '$1');\n },\n currentFileId() {\n return this.$route.params?.fileid || this.$route.query?.fileid || null;\n },\n fileid() {\n return this.source?.fileid;\n },\n uniqueId() {\n return hashCode(this.source.source);\n },\n isLoading() {\n return this.source.status === NodeStatus.LOADING;\n },\n extension() {\n if (this.source.attributes?.displayName) {\n return extname(this.source.attributes.displayName);\n }\n return this.source.extension || '';\n },\n displayName() {\n const ext = this.extension;\n const name = (this.source.attributes.displayName\n || this.source.basename);\n // Strip extension from name if defined\n return !ext ? name : name.slice(0, 0 - ext.length);\n },\n draggingFiles() {\n return this.draggingStore.dragging;\n },\n selectedFiles() {\n return this.selectionStore.selected;\n },\n isSelected() {\n return this.fileid && this.selectedFiles.includes(this.fileid);\n },\n isRenaming() {\n return this.renamingStore.renamingNode === this.source;\n },\n isRenamingSmallScreen() {\n return this.isRenaming && this.filesListWidth < 512;\n },\n isActive() {\n return this.fileid?.toString?.() === this.currentFileId?.toString?.();\n },\n canDrag() {\n if (this.isRenaming) {\n return false;\n }\n const canDrag = (node) => {\n return (node?.permissions & Permission.UPDATE) !== 0;\n };\n // If we're dragging a selection, we need to check all files\n if (this.selectedFiles.length > 0) {\n const nodes = this.selectedFiles.map(fileid => this.filesStore.getNode(fileid));\n return nodes.every(canDrag);\n }\n return canDrag(this.source);\n },\n canDrop() {\n if (this.source.type !== FileType.Folder) {\n return false;\n }\n // If the current folder is also being dragged, we can't drop it on itself\n if (this.fileid && this.draggingFiles.includes(this.fileid)) {\n return false;\n }\n return (this.source.permissions & Permission.CREATE) !== 0;\n },\n openedMenu: {\n get() {\n return this.actionsMenuStore.opened === this.uniqueId.toString();\n },\n set(opened) {\n // Only reset when opening a new menu\n if (opened) {\n // Reset any right click position override on close\n // Wait for css animation to be done\n const root = this.$el?.closest('main.app-content');\n root.style.removeProperty('--mouse-pos-x');\n root.style.removeProperty('--mouse-pos-y');\n }\n this.actionsMenuStore.opened = opened ? this.uniqueId.toString() : null;\n },\n },\n },\n watch: {\n /**\n * When the source changes, reset the preview\n * and fetch the new one.\n */\n source(a, b) {\n if (a.source !== b.source) {\n this.resetState();\n }\n },\n },\n beforeDestroy() {\n this.resetState();\n },\n methods: {\n resetState() {\n // Reset loading state\n this.loading = '';\n // Reset the preview state\n this.$refs?.preview?.reset?.();\n // Close menu\n this.openedMenu = false;\n },\n // Open the actions menu on right click\n onRightClick(event) {\n // If already opened, fallback to default browser\n if (this.openedMenu) {\n return;\n }\n // The grid mode is compact enough to not care about\n // the actions menu mouse position\n if (!this.gridMode) {\n // Actions menu is contained within the app content\n const root = this.$el?.closest('main.app-content');\n const contentRect = root.getBoundingClientRect();\n // Using Math.min/max to prevent the menu from going out of the AppContent\n // 200 = max width of the menu\n root.style.setProperty('--mouse-pos-x', Math.max(0, event.clientX - contentRect.left - 200) + 'px');\n root.style.setProperty('--mouse-pos-y', Math.max(0, event.clientY - contentRect.top) + 'px');\n }\n // If the clicked row is in the selection, open global menu\n const isMoreThanOneSelected = this.selectedFiles.length > 1;\n this.actionsMenuStore.opened = this.isSelected && isMoreThanOneSelected ? 'global' : this.uniqueId.toString();\n // Prevent any browser defaults\n event.preventDefault();\n event.stopPropagation();\n },\n execDefaultAction(event) {\n if (event.ctrlKey || event.metaKey) {\n event.preventDefault();\n window.open(generateUrl('/f/{fileId}', { fileId: this.fileid }));\n return false;\n }\n this.$refs.actions.execDefaultAction(event);\n },\n openDetailsIfAvailable(event) {\n event.preventDefault();\n event.stopPropagation();\n if (sidebarAction?.enabled?.([this.source], this.currentView)) {\n sidebarAction.exec(this.source, this.currentView, this.currentDir);\n }\n },\n onDragOver(event) {\n this.dragover = this.canDrop;\n if (!this.canDrop) {\n event.dataTransfer.dropEffect = 'none';\n return;\n }\n // Handle copy/move drag and drop\n if (event.ctrlKey) {\n event.dataTransfer.dropEffect = 'copy';\n }\n else {\n event.dataTransfer.dropEffect = 'move';\n }\n },\n onDragLeave(event) {\n // Counter bubbling, make sure we're ending the drag\n // only when we're leaving the current element\n const currentTarget = event.currentTarget;\n if (currentTarget?.contains(event.relatedTarget)) {\n return;\n }\n this.dragover = false;\n },\n async onDragStart(event) {\n event.stopPropagation();\n if (!this.canDrag || !this.fileid) {\n event.preventDefault();\n event.stopPropagation();\n return;\n }\n logger.debug('Drag started', { event });\n // Make sure that we're not dragging a file like the preview\n event.dataTransfer?.clearData?.();\n // Reset any renaming\n this.renamingStore.$reset();\n // Dragging set of files, if we're dragging a file\n // that is already selected, we use the entire selection\n if (this.selectedFiles.includes(this.fileid)) {\n this.draggingStore.set(this.selectedFiles);\n }\n else {\n this.draggingStore.set([this.fileid]);\n }\n const nodes = this.draggingStore.dragging\n .map(fileid => this.filesStore.getNode(fileid));\n const image = await getDragAndDropPreview(nodes);\n event.dataTransfer?.setDragImage(image, -10, -10);\n },\n onDragEnd() {\n this.draggingStore.reset();\n this.dragover = false;\n logger.debug('Drag ended');\n },\n async onDrop(event) {\n // skip if native drop like text drag and drop from files names\n if (!this.draggingFiles && !event.dataTransfer?.items?.length) {\n return;\n }\n event.preventDefault();\n event.stopPropagation();\n // Caching the selection\n const selection = this.draggingFiles;\n const items = [...event.dataTransfer?.items || []];\n // We need to process the dataTransfer ASAP before the\n // browser clears it. This is why we cache the items too.\n const fileTree = await dataTransferToFileTree(items);\n // We might not have the target directory fetched yet\n const contents = await this.currentView?.getContents(this.source.path);\n const folder = contents?.folder;\n if (!folder) {\n showError(this.t('files', 'Target folder does not exist any more'));\n return;\n }\n // If another button is pressed, cancel it. This\n // allows cancelling the drag with the right click.\n if (!this.canDrop || event.button) {\n return;\n }\n const isCopy = event.ctrlKey;\n this.dragover = false;\n logger.debug('Dropped', { event, folder, selection, fileTree });\n // Check whether we're uploading files\n if (fileTree.contents.length > 0) {\n await onDropExternalFiles(fileTree, folder, contents.contents);\n return;\n }\n // Else we're moving/copying files\n const nodes = selection.map(fileid => this.filesStore.getNode(fileid));\n await onDropInternalFiles(nodes, folder, contents.contents, isCopy);\n // Reset selection after we dropped the files\n // if the dropped files are within the selection\n if (selection.some(fileid => this.selectedFiles.includes(fileid))) {\n logger.debug('Dropped selection, resetting select store...');\n this.selectionStore.reset();\n }\n },\n t,\n },\n});\n","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span')\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomElementRender.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CustomElementRender.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./CustomElementRender.vue?vue&type=template&id=08a118c6\"\nimport script from \"./CustomElementRender.vue?vue&type=script&lang=ts\"\nexport * from \"./CustomElementRender.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./ArrowLeft.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./ArrowLeft.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon arrow-left-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M20,11V13H8L13.5,18.5L12.08,19.92L4.16,12L12.08,4.08L13.5,5.5L8,11H20Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"ArrowLeftIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./ArrowLeft.vue?vue&type=template&id=214c9a86\"\nimport script from \"./ArrowLeft.vue?vue&type=script&lang=js\"\nexport * from \"./ArrowLeft.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon arrow-left-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M20,11V13H8L13.5,18.5L12.08,19.92L4.16,12L12.08,4.08L13.5,5.5L8,11H20Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('td',{staticClass:\"files-list__row-actions\",attrs:{\"data-cy-files-list-row-actions\":\"\"}},[_vm._l((_vm.enabledRenderActions),function(action){return _c('CustomElementRender',{key:action.id,staticClass:\"files-list__row-action--inline\",class:'files-list__row-action-' + action.id,attrs:{\"current-view\":_vm.currentView,\"render\":action.renderInline,\"source\":_vm.source}})}),_vm._v(\" \"),_c('NcActions',{ref:\"actionsMenu\",attrs:{\"boundaries-element\":_vm.getBoundariesElement,\"container\":_vm.getBoundariesElement,\"force-name\":true,\"type\":\"tertiary\",\"force-menu\":_vm.enabledInlineActions.length === 0 /* forceMenu only if no inline actions */,\"inline\":_vm.enabledInlineActions.length,\"open\":_vm.openedMenu},on:{\"update:open\":function($event){_vm.openedMenu=$event},\"close\":function($event){_vm.openedSubmenu = null}}},[_vm._l((_vm.enabledMenuActions),function(action){return _c('NcActionButton',{key:action.id,ref:`action-${action.id}`,refInFor:true,class:{\n\t\t\t\t[`files-list__row-action-${action.id}`]: true,\n\t\t\t\t[`files-list__row-action--menu`]: _vm.isMenu(action.id)\n\t\t\t},attrs:{\"close-after-click\":!_vm.isMenu(action.id),\"data-cy-files-list-row-action\":action.id,\"is-menu\":_vm.isMenu(action.id),\"title\":action.title?.([_vm.source], _vm.currentView)},on:{\"click\":function($event){return _vm.onActionClick(action)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.loading === action.id)?_c('NcLoadingIcon',{attrs:{\"size\":18}}):_c('NcIconSvgWrapper',{attrs:{\"svg\":action.iconSvgInline([_vm.source], _vm.currentView)}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.mountType === 'shared' && action.id === 'sharing-status' ? '' : _vm.actionDisplayName(action))+\"\\n\\t\\t\")])}),_vm._v(\" \"),(_vm.openedSubmenu && _vm.enabledSubmenuActions[_vm.openedSubmenu?.id])?[_c('NcActionButton',{staticClass:\"files-list__row-action-back\",on:{\"click\":function($event){return _vm.onBackToMenuClick(_vm.openedSubmenu)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [_c('ArrowLeftIcon')]},proxy:true}],null,false,3001860362)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.actionDisplayName(_vm.openedSubmenu))+\"\\n\\t\\t\\t\")]),_vm._v(\" \"),_c('NcActionSeparator'),_vm._v(\" \"),_vm._l((_vm.enabledSubmenuActions[_vm.openedSubmenu?.id]),function(action){return _c('NcActionButton',{key:action.id,staticClass:\"files-list__row-action--submenu\",class:`files-list__row-action-${action.id}`,attrs:{\"close-after-click\":false /* never close submenu, just go back */,\"data-cy-files-list-row-action\":action.id,\"title\":action.title?.([_vm.source], _vm.currentView)},on:{\"click\":function($event){return _vm.onActionClick(action)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.loading === action.id)?_c('NcLoadingIcon',{attrs:{\"size\":18}}):_c('NcIconSvgWrapper',{attrs:{\"svg\":action.iconSvgInline([_vm.source], _vm.currentView)}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.actionDisplayName(action))+\"\\n\\t\\t\\t\")])})]:_vm._e()],2)],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FileEntryActions.vue?vue&type=template&id=03cc6660&scoped=true\"\nimport script from \"./FileEntryActions.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryActions.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FileEntryActions.vue?vue&type=style&index=0&id=03cc6660&prod&lang=scss\"\nimport style1 from \"./FileEntryActions.vue?vue&type=style&index=1&id=03cc6660&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"03cc6660\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryCheckbox.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryCheckbox.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('td',{staticClass:\"files-list__row-checkbox\",on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;if($event.ctrlKey||$event.shiftKey||$event.altKey||$event.metaKey)return null;return _vm.resetSelection.apply(null, arguments)}}},[(_vm.isLoading)?_c('NcLoadingIcon'):_c('NcCheckboxRadioSwitch',{attrs:{\"aria-label\":_vm.ariaLabel,\"checked\":_vm.isSelected},on:{\"update:checked\":_vm.onSelectionChange}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\n/**\n * Observe various events and save the current\n * special keys states. Useful for checking the\n * current status of a key when executing a method.\n */\nexport const useKeyboardStore = function (...args) {\n const store = defineStore('keyboard', {\n state: () => ({\n altKey: false,\n ctrlKey: false,\n metaKey: false,\n shiftKey: false,\n }),\n actions: {\n onEvent(event) {\n if (!event) {\n event = window.event;\n }\n Vue.set(this, 'altKey', !!event.altKey);\n Vue.set(this, 'ctrlKey', !!event.ctrlKey);\n Vue.set(this, 'metaKey', !!event.metaKey);\n Vue.set(this, 'shiftKey', !!event.shiftKey);\n },\n },\n });\n const keyboardStore = store(...args);\n // Make sure we only register the listeners once\n if (!keyboardStore._initialized) {\n window.addEventListener('keydown', keyboardStore.onEvent);\n window.addEventListener('keyup', keyboardStore.onEvent);\n window.addEventListener('mousemove', keyboardStore.onEvent);\n keyboardStore._initialized = true;\n }\n return keyboardStore;\n};\n","import { render, staticRenderFns } from \"./FileEntryCheckbox.vue?vue&type=template&id=6992c304\"\nimport script from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryCheckbox.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return (_vm.isRenaming)?_c('form',{directives:[{name:\"on-click-outside\",rawName:\"v-on-click-outside\",value:(_vm.stopRenaming),expression:\"stopRenaming\"}],staticClass:\"files-list__row-rename\",attrs:{\"aria-label\":_vm.t('files', 'Rename file')},on:{\"submit\":function($event){$event.preventDefault();$event.stopPropagation();return _vm.onRename.apply(null, arguments)}}},[_c('NcTextField',{ref:\"renameInput\",attrs:{\"label\":_vm.renameLabel,\"autofocus\":true,\"minlength\":1,\"required\":true,\"value\":_vm.newName,\"enterkeyhint\":\"done\"},on:{\"update:value\":function($event){_vm.newName=$event},\"keyup\":[_vm.checkInputValidity,function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;return _vm.stopRenaming.apply(null, arguments)}]}})],1):_c(_vm.linkTo.is,_vm._b({ref:\"basename\",tag:\"component\",staticClass:\"files-list__row-name-link\",attrs:{\"aria-hidden\":_vm.isRenaming,\"data-cy-files-list-row-name-link\":\"\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'component',_vm.linkTo.params,false),[_c('span',{staticClass:\"files-list__row-name-text\"},[_c('span',{staticClass:\"files-list__row-name-\",domProps:{\"textContent\":_vm._s(_vm.displayName)}}),_vm._v(\" \"),_c('span',{staticClass:\"files-list__row-name-ext\",domProps:{\"textContent\":_vm._s(_vm.extension)}})])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryName.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FileEntryName.vue?vue&type=template&id=637facfc\"\nimport script from \"./FileEntryName.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryName.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('span',{staticClass:\"files-list__row-icon\"},[(_vm.source.type === 'folder')?[(_vm.dragover)?_vm._m(0):[_vm._m(1),_vm._v(\" \"),(_vm.folderOverlay)?_c(_vm.folderOverlay,{tag:\"OverlayIcon\",staticClass:\"files-list__row-icon-overlay\"}):_vm._e()]]:(_vm.previewUrl && _vm.backgroundFailed !== true)?_c('img',{ref:\"previewImg\",staticClass:\"files-list__row-icon-preview\",class:{'files-list__row-icon-preview--loaded': _vm.backgroundFailed === false},attrs:{\"alt\":\"\",\"loading\":\"lazy\",\"src\":_vm.previewUrl},on:{\"error\":_vm.onBackgroundError,\"load\":function($event){_vm.backgroundFailed = false}}}):_vm._m(2),_vm._v(\" \"),(_vm.isFavorite)?_c('span',{staticClass:\"files-list__row-icon-favorite\"},[_vm._m(3)],1):_vm._e(),_vm._v(\" \"),(_vm.fileOverlay)?_c(_vm.fileOverlay,{tag:\"OverlayIcon\",staticClass:\"files-list__row-icon-overlay files-list__row-icon-overlay--file\"}):_vm._e()],2)\n}\nvar staticRenderFns = [function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FolderOpenIcon')\n},function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FolderIcon')\n},function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FileIcon')\n},function (){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('FavoriteIcon')\n}]\n\nexport { render, staticRenderFns }","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon file-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M13,9V3.5L18.5,9M6,2C4.89,2 4,2.89 4,4V20A2,2 0 0,0 6,22H18A2,2 0 0,0 20,20V8L14,2H6Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FileIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./File.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./File.vue?vue&type=script&lang=js\"","import { render, staticRenderFns } from \"./File.vue?vue&type=template&id=e3c8d598\"\nimport script from \"./File.vue?vue&type=script&lang=js\"\nexport * from \"./File.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon file-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M13,9V3.5L18.5,9M6,2C4.89,2 4,2.89 4,4V20A2,2 0 0,0 6,22H18A2,2 0 0,0 20,20V8L14,2H6Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./FolderOpen.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./FolderOpen.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon folder-open-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M19,20H4C2.89,20 2,19.1 2,18V6C2,4.89 2.89,4 4,4H10L12,6H19A2,2 0 0,1 21,8H21L4,8V18L6.14,10H23.21L20.93,18.5C20.7,19.37 19.92,20 19,20Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"FolderOpenIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./FolderOpen.vue?vue&type=template&id=79cee0a4\"\nimport script from \"./FolderOpen.vue?vue&type=script&lang=js\"\nexport * from \"./FolderOpen.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon folder-open-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M19,20H4C2.89,20 2,19.1 2,18V6C2,4.89 2.89,4 4,4H10L12,6H19A2,2 0 0,1 21,8H21L4,8V18L6.14,10H23.21L20.93,18.5C20.7,19.37 19.92,20 19,20Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Key.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Key.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon key-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M7 14C5.9 14 5 13.1 5 12S5.9 10 7 10 9 10.9 9 12 8.1 14 7 14M12.6 10C11.8 7.7 9.6 6 7 6C3.7 6 1 8.7 1 12S3.7 18 7 18C9.6 18 11.8 16.3 12.6 14H16V18H20V14H23V10H12.6Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"KeyIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Key.vue?vue&type=template&id=01a06d54\"\nimport script from \"./Key.vue?vue&type=script&lang=js\"\nexport * from \"./Key.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon key-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M7 14C5.9 14 5 13.1 5 12S5.9 10 7 10 9 10.9 9 12 8.1 14 7 14M12.6 10C11.8 7.7 9.6 6 7 6C3.7 6 1 8.7 1 12S3.7 18 7 18C9.6 18 11.8 16.3 12.6 14H16V18H20V14H23V10H12.6Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Network.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Network.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon network-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"NetworkIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Network.vue?vue&type=template&id=29f8873c\"\nimport script from \"./Network.vue?vue&type=script&lang=js\"\nexport * from \"./Network.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon network-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M17,3A2,2 0 0,1 19,5V15A2,2 0 0,1 17,17H13V19H14A1,1 0 0,1 15,20H22V22H15A1,1 0 0,1 14,23H10A1,1 0 0,1 9,22H2V20H9A1,1 0 0,1 10,19H11V17H7C5.89,17 5,16.1 5,15V5A2,2 0 0,1 7,3H17Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./Tag.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./Tag.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon tag-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"TagIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./Tag.vue?vue&type=template&id=75dd05e4\"\nimport script from \"./Tag.vue?vue&type=script&lang=js\"\nexport * from \"./Tag.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon tag-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M5.5,7A1.5,1.5 0 0,1 4,5.5A1.5,1.5 0 0,1 5.5,4A1.5,1.5 0 0,1 7,5.5A1.5,1.5 0 0,1 5.5,7M21.41,11.58L12.41,2.58C12.05,2.22 11.55,2 11,2H4C2.89,2 2,2.89 2,4V11C2,11.55 2.22,12.05 2.59,12.41L11.58,21.41C11.95,21.77 12.45,22 13,22C13.55,22 14.05,21.77 14.41,21.41L21.41,14.41C21.78,14.05 22,13.55 22,13C22,12.44 21.77,11.94 21.41,11.58Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./PlayCircle.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./PlayCircle.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon play-circle-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M10,16.5V7.5L16,12M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"PlayCircleIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./PlayCircle.vue?vue&type=template&id=6901b3e6\"\nimport script from \"./PlayCircle.vue?vue&type=script&lang=js\"\nexport * from \"./PlayCircle.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon play-circle-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M10,16.5V7.5L16,12M12,2A10,10 0 0,0 2,12A10,10 0 0,0 12,22A10,10 0 0,0 22,12A10,10 0 0,0 12,2Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CollectivesIcon.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./CollectivesIcon.vue?vue&type=script&lang=js\"","<template>\n\t<span :aria-hidden=\"!title\"\n\t\t:aria-label=\"title\"\n\t\tclass=\"material-design-icon collectives-icon\"\n\t\trole=\"img\"\n\t\tv-bind=\"$attrs\"\n\t\t@click=\"$emit('click', $event)\">\n\t\t<svg :fill=\"fillColor\"\n\t\t\tclass=\"material-design-icon__svg\"\n\t\t\t:width=\"size\"\n\t\t\t:height=\"size\"\n\t\t\tviewBox=\"0 0 16 16\">\n\t\t\t<path d=\"M2.9,8.8c0-1.2,0.4-2.4,1.2-3.3L0.3,6c-0.2,0-0.3,0.3-0.1,0.4l2.7,2.6C2.9,9,2.9,8.9,2.9,8.8z\" />\n\t\t\t<path d=\"M8,3.7c0.7,0,1.3,0.1,1.9,0.4L8.2,0.6c-0.1-0.2-0.3-0.2-0.4,0L6.1,4C6.7,3.8,7.3,3.7,8,3.7z\" />\n\t\t\t<path d=\"M3.7,11.5L3,15.2c0,0.2,0.2,0.4,0.4,0.3l3.3-1.7C5.4,13.4,4.4,12.6,3.7,11.5z\" />\n\t\t\t<path d=\"M15.7,6l-3.7-0.5c0.7,0.9,1.2,2,1.2,3.3c0,0.1,0,0.2,0,0.3l2.7-2.6C15.9,6.3,15.9,6.1,15.7,6z\" />\n\t\t\t<path d=\"M12.3,11.5c-0.7,1.1-1.8,1.9-3,2.2l3.3,1.7c0.2,0.1,0.4-0.1,0.4-0.3L12.3,11.5z\" />\n\t\t\t<path d=\"M9.6,10.1c-0.4,0.5-1,0.8-1.6,0.8c-1.1,0-2-0.9-2.1-2C5.9,7.7,6.8,6.7,8,6.7c0.6,0,1.1,0.3,1.5,0.7 c0.1,0.1,0.1,0.1,0.2,0.1h1.4c0.2,0,0.4-0.2,0.3-0.5c-0.7-1.3-2.1-2.2-3.8-2.1C5.8,5,4.3,6.6,4.1,8.5C4,10.8,5.8,12.7,8,12.7 c1.6,0,2.9-0.9,3.5-2.3c0.1-0.2-0.1-0.4-0.3-0.4H9.9C9.8,10,9.7,10,9.6,10.1z\" />\n\t\t</svg>\n\t</span>\n</template>\n\n<script>\nexport default {\n\tname: 'CollectivesIcon',\n\tprops: {\n\t\ttitle: {\n\t\t\ttype: String,\n\t\t\tdefault: '',\n\t\t},\n\t\tfillColor: {\n\t\t\ttype: String,\n\t\t\tdefault: 'currentColor',\n\t\t},\n\t\tsize: {\n\t\t\ttype: Number,\n\t\t\tdefault: 24,\n\t\t},\n\t},\n}\n</script>\n","import { render, staticRenderFns } from \"./CollectivesIcon.vue?vue&type=template&id=18541dcc\"\nimport script from \"./CollectivesIcon.vue?vue&type=script&lang=js\"\nexport * from \"./CollectivesIcon.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon collectives-icon\",attrs:{\"aria-hidden\":!_vm.title,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 16 16\"}},[_c('path',{attrs:{\"d\":\"M2.9,8.8c0-1.2,0.4-2.4,1.2-3.3L0.3,6c-0.2,0-0.3,0.3-0.1,0.4l2.7,2.6C2.9,9,2.9,8.9,2.9,8.8z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M8,3.7c0.7,0,1.3,0.1,1.9,0.4L8.2,0.6c-0.1-0.2-0.3-0.2-0.4,0L6.1,4C6.7,3.8,7.3,3.7,8,3.7z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M3.7,11.5L3,15.2c0,0.2,0.2,0.4,0.4,0.3l3.3-1.7C5.4,13.4,4.4,12.6,3.7,11.5z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M15.7,6l-3.7-0.5c0.7,0.9,1.2,2,1.2,3.3c0,0.1,0,0.2,0,0.3l2.7-2.6C15.9,6.3,15.9,6.1,15.7,6z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M12.3,11.5c-0.7,1.1-1.8,1.9-3,2.2l3.3,1.7c0.2,0.1,0.4-0.1,0.4-0.3L12.3,11.5z\"}}),_vm._v(\" \"),_c('path',{attrs:{\"d\":\"M9.6,10.1c-0.4,0.5-1,0.8-1.6,0.8c-1.1,0-2-0.9-2.1-2C5.9,7.7,6.8,6.7,8,6.7c0.6,0,1.1,0.3,1.5,0.7 c0.1,0.1,0.1,0.1,0.2,0.1h1.4c0.2,0,0.4-0.2,0.3-0.5c-0.7-1.3-2.1-2.2-3.8-2.1C5.8,5,4.3,6.6,4.1,8.5C4,10.8,5.8,12.7,8,12.7 c1.6,0,2.9-0.9,3.5-2.3c0.1-0.2-0.1-0.4-0.3-0.4H9.9C9.8,10,9.7,10,9.6,10.1z\"}})])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcIconSvgWrapper',{staticClass:\"favorite-marker-icon\",attrs:{\"name\":_vm.t('files', 'Favorite'),\"svg\":_vm.StarSvg}})\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../../node_modules/css-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../../node_modules/sass-loader/dist/cjs.js!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FavoriteIcon.vue?vue&type=template&id=04e52abc&scoped=true\"\nimport script from \"./FavoriteIcon.vue?vue&type=script&lang=ts\"\nexport * from \"./FavoriteIcon.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FavoriteIcon.vue?vue&type=style&index=0&id=04e52abc&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"04e52abc\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryPreview.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../../node_modules/babel-loader/lib/index.js!../../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryPreview.vue?vue&type=script&lang=ts\"","/**\n * @copyright Copyright (c) 2023 Louis Chmn <louis@chmn.me>\n *\n * @author Louis Chmn <louis@chmn.me>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport { Node, registerDavProperty } from '@nextcloud/files';\nexport function initLivePhotos() {\n registerDavProperty('nc:metadata-files-live-photo', { nc: 'http://nextcloud.org/ns' });\n}\n/**\n * @param {Node} node - The node\n */\nexport function isLivePhoto(node) {\n return node.attributes['metadata-files-live-photo'] !== undefined;\n}\n","import { render, staticRenderFns } from \"./FileEntryPreview.vue?vue&type=template&id=525376b0\"\nimport script from \"./FileEntryPreview.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryPreview.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntry.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntry.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',_vm._g({staticClass:\"files-list__row\",class:{\n\t\t'files-list__row--dragover': _vm.dragover,\n\t\t'files-list__row--loading': _vm.isLoading,\n\t\t'files-list__row--active': _vm.isActive,\n\t},attrs:{\"data-cy-files-list-row\":\"\",\"data-cy-files-list-row-fileid\":_vm.fileid,\"data-cy-files-list-row-name\":_vm.source.basename,\"draggable\":_vm.canDrag}},_vm.rowListeners),[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"source\":_vm.source,\"dragover\":_vm.dragover},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{directives:[{name:\"show\",rawName:\"v-show\",value:(!_vm.isRenamingSmallScreen),expression:\"!isRenamingSmallScreen\"}],ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}}),_vm._v(\" \"),(!_vm.compact && _vm.isSizeAvailable)?_c('td',{staticClass:\"files-list__row-size\",style:(_vm.sizeOpacity),attrs:{\"data-cy-files-list-row-size\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('span',[_vm._v(_vm._s(_vm.size))])]):_vm._e(),_vm._v(\" \"),(!_vm.compact && _vm.isMtimeAvailable)?_c('td',{staticClass:\"files-list__row-mtime\",style:(_vm.mtimeOpacity),attrs:{\"data-cy-files-list-row-mtime\":\"\"},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('NcDateTime',{attrs:{\"timestamp\":_vm.source.mtime,\"ignore-seconds\":true}})],1):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('td',{key:column.id,staticClass:\"files-list__row-column-custom\",class:`files-list__row-${_vm.currentView?.id}-${column.id}`,attrs:{\"data-cy-files-list-row-column-custom\":column.id},on:{\"click\":_vm.openDetailsIfAvailable}},[_c('CustomElementRender',{attrs:{\"current-view\":_vm.currentView,\"render\":column.render,\"source\":_vm.source}})],1)})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import { render, staticRenderFns } from \"./FileEntry.vue?vue&type=template&id=6ae0d517\"\nimport script from \"./FileEntry.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntry.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryGrid.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FileEntryGrid.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',{staticClass:\"files-list__row\",class:{'files-list__row--active': _vm.isActive, 'files-list__row--dragover': _vm.dragover, 'files-list__row--loading': _vm.isLoading},attrs:{\"data-cy-files-list-row\":\"\",\"data-cy-files-list-row-fileid\":_vm.fileid,\"data-cy-files-list-row-name\":_vm.source.basename,\"draggable\":_vm.canDrag},on:{\"contextmenu\":_vm.onRightClick,\"dragover\":_vm.onDragOver,\"dragleave\":_vm.onDragLeave,\"dragstart\":_vm.onDragStart,\"dragend\":_vm.onDragEnd,\"drop\":_vm.onDrop}},[(_vm.source.attributes.failed)?_c('span',{staticClass:\"files-list__row--failed\"}):_vm._e(),_vm._v(\" \"),_c('FileEntryCheckbox',{attrs:{\"fileid\":_vm.fileid,\"is-loading\":_vm.isLoading,\"nodes\":_vm.nodes,\"source\":_vm.source}}),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\",attrs:{\"data-cy-files-list-row-name\":\"\"}},[_c('FileEntryPreview',{ref:\"preview\",attrs:{\"dragover\":_vm.dragover,\"grid-mode\":true,\"source\":_vm.source},nativeOn:{\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}}),_vm._v(\" \"),_c('FileEntryName',{ref:\"name\",attrs:{\"display-name\":_vm.displayName,\"extension\":_vm.extension,\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"nodes\":_vm.nodes,\"source\":_vm.source},on:{\"click\":_vm.execDefaultAction}})],1),_vm._v(\" \"),_c('FileEntryActions',{ref:\"actions\",class:`files-list__row-actions-${_vm.uniqueId}`,attrs:{\"files-list-width\":_vm.filesListWidth,\"grid-mode\":true,\"loading\":_vm.loading,\"opened\":_vm.openedMenu,\"source\":_vm.source},on:{\"update:loading\":function($event){_vm.loading=$event},\"update:opened\":function($event){_vm.openedMenu=$event}}})],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import { render, staticRenderFns } from \"./FileEntryGrid.vue?vue&type=template&id=337076f0\"\nimport script from \"./FileEntryGrid.vue?vue&type=script&lang=ts\"\nexport * from \"./FileEntryGrid.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.enabled),expression:\"enabled\"}],class:`files-list__header-${_vm.header.id}`},[_c('span',{ref:\"mount\"})])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListHeader.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListHeader.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FilesListHeader.vue?vue&type=template&id=0434f153\"\nimport script from \"./FilesListHeader.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListHeader.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',[_c('th',{staticClass:\"files-list__row-checkbox\"},[_c('span',{staticClass:\"hidden-visually\"},[_vm._v(_vm._s(_vm.t('files', 'Total rows summary')))])]),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-name\"},[_c('span',{staticClass:\"files-list__row-icon\"}),_vm._v(\" \"),_c('span',[_vm._v(_vm._s(_vm.summary))])]),_vm._v(\" \"),_c('td',{staticClass:\"files-list__row-actions\"}),_vm._v(\" \"),(_vm.isSizeAvailable)?_c('td',{staticClass:\"files-list__column files-list__row-size\"},[_c('span',[_vm._v(_vm._s(_vm.totalSize))])]):_vm._e(),_vm._v(\" \"),(_vm.isMtimeAvailable)?_c('td',{staticClass:\"files-list__column files-list__row-mtime\"}):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('th',{key:column.id,class:_vm.classForColumn(column)},[_c('span',[_vm._v(_vm._s(column.summary?.(_vm.nodes, _vm.currentView)))])])})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableFooter.vue?vue&type=template&id=a85bde20&scoped=true\"\nimport script from \"./FilesListTableFooter.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableFooter.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableFooter.vue?vue&type=style&index=0&id=a85bde20&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"a85bde20\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('tr',{staticClass:\"files-list__row-head\"},[_c('th',{staticClass:\"files-list__column files-list__row-checkbox\",on:{\"keyup\":function($event){if(!$event.type.indexOf('key')&&_vm._k($event.keyCode,\"esc\",27,$event.key,[\"Esc\",\"Escape\"]))return null;if($event.ctrlKey||$event.shiftKey||$event.altKey||$event.metaKey)return null;return _vm.resetSelection.apply(null, arguments)}}},[_c('NcCheckboxRadioSwitch',_vm._b({on:{\"update:checked\":_vm.onToggleAll}},'NcCheckboxRadioSwitch',_vm.selectAllBind,false))],1),_vm._v(\" \"),_c('th',{staticClass:\"files-list__column files-list__row-name files-list__column--sortable\",attrs:{\"aria-sort\":_vm.ariaSortForMode('basename')}},[_c('span',{staticClass:\"files-list__row-icon\"}),_vm._v(\" \"),_c('FilesListTableHeaderButton',{attrs:{\"name\":_vm.t('files', 'Name'),\"mode\":\"basename\"}})],1),_vm._v(\" \"),_c('th',{staticClass:\"files-list__row-actions\"}),_vm._v(\" \"),(_vm.isSizeAvailable)?_c('th',{staticClass:\"files-list__column files-list__row-size\",class:{ 'files-list__column--sortable': _vm.isSizeAvailable },attrs:{\"aria-sort\":_vm.ariaSortForMode('size')}},[_c('FilesListTableHeaderButton',{attrs:{\"name\":_vm.t('files', 'Size'),\"mode\":\"size\"}})],1):_vm._e(),_vm._v(\" \"),(_vm.isMtimeAvailable)?_c('th',{staticClass:\"files-list__column files-list__row-mtime\",class:{ 'files-list__column--sortable': _vm.isMtimeAvailable },attrs:{\"aria-sort\":_vm.ariaSortForMode('mtime')}},[_c('FilesListTableHeaderButton',{attrs:{\"name\":_vm.t('files', 'Modified'),\"mode\":\"mtime\"}})],1):_vm._e(),_vm._v(\" \"),_vm._l((_vm.columns),function(column){return _c('th',{key:column.id,class:_vm.classForColumn(column),attrs:{\"aria-sort\":_vm.ariaSortForMode(column.id)}},[(!!column.sort)?_c('FilesListTableHeaderButton',{attrs:{\"name\":column.title,\"mode\":column.id}}):_c('span',[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(column.title)+\"\\n\\t\\t\")])],1)})],2)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nimport Vue from 'vue';\nimport { mapState } from 'pinia';\nimport { useViewConfigStore } from '../store/viewConfig';\nimport { Navigation, View } from '@nextcloud/files';\nexport default Vue.extend({\n computed: {\n ...mapState(useViewConfigStore, ['getConfig', 'setSortingBy', 'toggleSortingDirection']),\n currentView() {\n return this.$navigation.active;\n },\n /**\n * Get the sorting mode for the current view\n */\n sortingMode() {\n return this.getConfig(this.currentView.id)?.sorting_mode\n || this.currentView?.defaultSortKey\n || 'basename';\n },\n /**\n * Get the sorting direction for the current view\n */\n isAscSorting() {\n const sortingDirection = this.getConfig(this.currentView.id)?.sorting_direction;\n return sortingDirection !== 'desc';\n },\n },\n methods: {\n toggleSortBy(key) {\n // If we're already sorting by this key, flip the direction\n if (this.sortingMode === key) {\n this.toggleSortingDirection(this.currentView.id);\n return;\n }\n // else sort ASC by this new key\n this.setSortingBy(key, this.currentView.id);\n },\n },\n});\n","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcButton',{class:['files-list__column-sort-button', {\n\t\t'files-list__column-sort-button--active': _vm.sortingMode === _vm.mode,\n\t\t'files-list__column-sort-button--size': _vm.sortingMode === 'size',\n\t}],attrs:{\"alignment\":_vm.mode === 'size' ? 'end' : 'start-reverse',\"type\":\"tertiary\"},on:{\"click\":function($event){return _vm.toggleSortBy(_vm.mode)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.sortingMode !== _vm.mode || _vm.isAscSorting)?_c('MenuUp',{staticClass:\"files-list__column-sort-button-icon\"}):_c('MenuDown',{staticClass:\"files-list__column-sort-button-icon\"})]},proxy:true}])},[_vm._v(\" \"),_c('span',{staticClass:\"files-list__column-sort-button-text\"},[_vm._v(_vm._s(_vm.name))])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableHeaderButton.vue?vue&type=template&id=097f69d4&scoped=true\"\nimport script from \"./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableHeaderButton.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableHeaderButton.vue?vue&type=style&index=0&id=097f69d4&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"097f69d4\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableHeader.vue?vue&type=template&id=952162c2&scoped=true\"\nimport script from \"./FilesListTableHeader.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableHeader.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableHeader.vue?vue&type=style&index=0&id=952162c2&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"952162c2\",\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{staticClass:\"files-list\",attrs:{\"data-cy-files-list\":\"\"}},[_c('div',{ref:\"before\",staticClass:\"files-list__before\"},[_vm._t(\"before\")],2),_vm._v(\" \"),(!!_vm.$scopedSlots['header-overlay'])?_c('div',{staticClass:\"files-list__thead-overlay\"},[_vm._t(\"header-overlay\")],2):_vm._e(),_vm._v(\" \"),_c('table',{staticClass:\"files-list__table\",class:{ 'files-list__table--with-thead-overlay': !!_vm.$scopedSlots['header-overlay'] }},[(_vm.caption)?_c('caption',{staticClass:\"hidden-visually\"},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.caption)+\"\\n\\t\\t\")]):_vm._e(),_vm._v(\" \"),_c('thead',{ref:\"thead\",staticClass:\"files-list__thead\",attrs:{\"data-cy-files-list-thead\":\"\"}},[_vm._t(\"header\")],2),_vm._v(\" \"),_c('tbody',{staticClass:\"files-list__tbody\",class:_vm.gridMode ? 'files-list__tbody--grid' : 'files-list__tbody--list',style:(_vm.tbodyStyle),attrs:{\"data-cy-files-list-tbody\":\"\"}},_vm._l((_vm.renderedItems),function({key, item},i){return _c(_vm.dataComponent,_vm._b({key:key,tag:\"component\",attrs:{\"source\":item,\"index\":i}},'component',_vm.extraProps,false))}),1),_vm._v(\" \"),_c('tfoot',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.isReady),expression:\"isReady\"}],staticClass:\"files-list__tfoot\",attrs:{\"data-cy-files-list-tfoot\":\"\"}},[_vm._t(\"footer\")],2)])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./VirtualList.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./VirtualList.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./VirtualList.vue?vue&type=template&id=6932388d\"\nimport script from \"./VirtualList.vue?vue&type=script&lang=ts\"\nexport * from \"./VirtualList.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{staticClass:\"files-list__column files-list__row-actions-batch\"},[_c('NcActions',{ref:\"actionsMenu\",attrs:{\"disabled\":!!_vm.loading || _vm.areSomeNodesLoading,\"force-name\":true,\"inline\":_vm.inlineActions,\"menu-name\":_vm.inlineActions <= 1 ? _vm.t('files', 'Actions') : null,\"open\":_vm.openedMenu},on:{\"update:open\":function($event){_vm.openedMenu=$event}}},_vm._l((_vm.enabledActions),function(action){return _c('NcActionButton',{key:action.id,class:'files-list__row-actions-batch-' + action.id,on:{\"click\":function($event){return _vm.onActionClick(action)}},scopedSlots:_vm._u([{key:\"icon\",fn:function(){return [(_vm.loading === action.id)?_c('NcLoadingIcon',{attrs:{\"size\":18}}):_c('NcIconSvgWrapper',{attrs:{\"svg\":action.iconSvgInline(_vm.nodes, _vm.currentView)}})]},proxy:true}],null,true)},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(action.displayName(_vm.nodes, _vm.currentView))+\"\\n\\t\\t\")])}),1)],1)\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListTableHeaderActions.vue?vue&type=template&id=d939292c&scoped=true\"\nimport script from \"./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListTableHeaderActions.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListTableHeaderActions.vue?vue&type=style&index=0&id=d939292c&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"d939292c\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListVirtual.vue?vue&type=template&id=2bbbfb12&scoped=true\"\nimport script from \"./FilesListVirtual.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesListVirtual.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesListVirtual.vue?vue&type=style&index=0&id=2bbbfb12&prod&scoped=true&lang=scss\"\nimport style1 from \"./FilesListVirtual.vue?vue&type=style&index=1&id=2bbbfb12&prod&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"2bbbfb12\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../vue-loader/lib/index.js??vue-loader-options!./TrayArrowDown.vue?vue&type=script&lang=js\"; export default mod; export * from \"-!../vue-loader/lib/index.js??vue-loader-options!./TrayArrowDown.vue?vue&type=script&lang=js\"","<template>\n <span v-bind=\"$attrs\"\n :aria-hidden=\"title ? null : true\"\n :aria-label=\"title\"\n class=\"material-design-icon tray-arrow-down-icon\"\n role=\"img\"\n @click=\"$emit('click', $event)\">\n <svg :fill=\"fillColor\"\n class=\"material-design-icon__svg\"\n :width=\"size\"\n :height=\"size\"\n viewBox=\"0 0 24 24\">\n <path d=\"M2 12H4V17H20V12H22V17C22 18.11 21.11 19 20 19H4C2.9 19 2 18.11 2 17V12M12 15L17.55 9.54L16.13 8.13L13 11.25V2H11V11.25L7.88 8.13L6.46 9.55L12 15Z\">\n <title v-if=\"title\">{{ title }}</title>\n </path>\n </svg>\n </span>\n</template>\n\n<script>\nexport default {\n name: \"TrayArrowDownIcon\",\n emits: ['click'],\n props: {\n title: {\n type: String,\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n}\n</script>","import { render, staticRenderFns } from \"./TrayArrowDown.vue?vue&type=template&id=447c2cd4\"\nimport script from \"./TrayArrowDown.vue?vue&type=script&lang=js\"\nexport * from \"./TrayArrowDown.vue?vue&type=script&lang=js\"\n\n\n/* normalize component */\nimport normalizer from \"!../vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","var render = function render(){var _vm=this,_c=_vm._self._c;return _c('span',_vm._b({staticClass:\"material-design-icon tray-arrow-down-icon\",attrs:{\"aria-hidden\":_vm.title ? null : true,\"aria-label\":_vm.title,\"role\":\"img\"},on:{\"click\":function($event){return _vm.$emit('click', $event)}}},'span',_vm.$attrs,false),[_c('svg',{staticClass:\"material-design-icon__svg\",attrs:{\"fill\":_vm.fillColor,\"width\":_vm.size,\"height\":_vm.size,\"viewBox\":\"0 0 24 24\"}},[_c('path',{attrs:{\"d\":\"M2 12H4V17H20V12H22V17C22 18.11 21.11 19 20 19H4C2.9 19 2 18.11 2 17V12M12 15L17.55 9.54L16.13 8.13L13 11.25V2H11V11.25L7.88 8.13L6.46 9.55L12 15Z\"}},[(_vm.title)?_c('title',[_vm._v(_vm._s(_vm.title))]):_vm._e()])])])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=script&lang=ts\"","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('div',{directives:[{name:\"show\",rawName:\"v-show\",value:(_vm.dragover),expression:\"dragover\"}],staticClass:\"files-list__drag-drop-notice\",attrs:{\"data-cy-files-drag-drop-area\":\"\"},on:{\"drop\":_vm.onDrop}},[_c('div',{staticClass:\"files-list__drag-drop-notice-wrapper\"},[(_vm.canUpload && !_vm.isQuotaExceeded)?[_c('TrayArrowDownIcon',{attrs:{\"size\":48}}),_vm._v(\" \"),_c('h3',{staticClass:\"files-list-drag-drop-notice__title\"},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.t('files', 'Drag and drop files here to upload'))+\"\\n\\t\\t\\t\")])]:[_c('h3',{staticClass:\"files-list-drag-drop-notice__title\"},[_vm._v(\"\\n\\t\\t\\t\\t\"+_vm._s(_vm.cantUploadLabel)+\"\\n\\t\\t\\t\")])]],2)])\n}\nvar staticRenderFns = []\n\nexport { render, staticRenderFns }","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./DragAndDropNotice.vue?vue&type=template&id=02c943a6&scoped=true\"\nimport script from \"./DragAndDropNotice.vue?vue&type=script&lang=ts\"\nexport * from \"./DragAndDropNotice.vue?vue&type=script&lang=ts\"\nimport style0 from \"./DragAndDropNotice.vue?vue&type=style&index=0&id=02c943a6&prod&lang=scss&scoped=true\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"02c943a6\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../../node_modules/babel-loader/lib/index.js!../../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=script&lang=ts\"","\n import API from \"!../../../../node_modules/style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../node_modules/style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../node_modules/style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../node_modules/style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../node_modules/style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../node_modules/style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=style&index=0&id=fa8969e4&prod&scoped=true&lang=scss\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../node_modules/css-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/loaders/stylePostLoader.js!../../../../node_modules/sass-loader/dist/cjs.js!../../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesList.vue?vue&type=style&index=0&id=fa8969e4&prod&scoped=true&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesList.vue?vue&type=template&id=fa8969e4&scoped=true\"\nimport script from \"./FilesList.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesList.vue?vue&type=script&lang=ts\"\nimport style0 from \"./FilesList.vue?vue&type=style&index=0&id=fa8969e4&prod&scoped=true&lang=scss\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n \"fa8969e4\",\n null\n \n)\n\nexport default component.exports","import mod from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesApp.vue?vue&type=script&lang=ts\"; export default mod; export * from \"-!../../../node_modules/babel-loader/lib/index.js!../../../node_modules/ts-loader/index.js??clonedRuleSet-4.use[1]!../../../node_modules/vue-loader/lib/index.js??vue-loader-options!./FilesApp.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./FilesApp.vue?vue&type=template&id=11e0f2dd\"\nimport script from \"./FilesApp.vue?vue&type=script&lang=ts\"\nexport * from \"./FilesApp.vue?vue&type=script&lang=ts\"\n\n\n/* normalize component */\nimport normalizer from \"!../../../node_modules/vue-loader/lib/runtime/componentNormalizer.js\"\nvar component = normalizer(\n script,\n render,\n staticRenderFns,\n false,\n null,\n null,\n null\n \n)\n\nexport default component.exports","import { PiniaVuePlugin } from 'pinia';\nimport { getNavigation } from '@nextcloud/files';\nimport { getRequestToken } from '@nextcloud/auth';\nimport Vue from 'vue';\nimport { pinia } from './store/index.ts';\nimport router from './router/router';\nimport RouterService from './services/RouterService';\nimport SettingsModel from './models/Setting.js';\nimport SettingsService from './services/Settings.js';\nimport FilesApp from './FilesApp.vue';\n// @ts-expect-error __webpack_nonce__ is injected by webpack\n__webpack_nonce__ = btoa(getRequestToken());\n// Init private and public Files namespace\nwindow.OCA.Files = window.OCA.Files ?? {};\nwindow.OCP.Files = window.OCP.Files ?? {};\n// Expose router\nconst Router = new RouterService(router);\nObject.assign(window.OCP.Files, { Router });\n// Init Pinia store\nVue.use(PiniaVuePlugin);\n// Init Navigation Service\n// This only works with Vue 2 - with Vue 3 this will not modify the source but return just a oberserver\nconst Navigation = Vue.observable(getNavigation());\nVue.prototype.$navigation = Navigation;\n// Init Files App Settings Service\nconst Settings = new SettingsService();\nObject.assign(window.OCA.Files, { Settings });\nObject.assign(window.OCA.Files.Settings, { Setting: SettingsModel });\nconst FilesAppVue = Vue.extend(FilesApp);\nnew FilesAppVue({\n router,\n pinia,\n}).$mount('#content');\n","export default class RouterService {\n _router;\n constructor(router) {\n this._router = router;\n }\n get name() {\n return this._router.currentRoute.name;\n }\n get query() {\n return this._router.currentRoute.query || {};\n }\n get params() {\n return this._router.currentRoute.params || {};\n }\n /**\n * Trigger a route change on the files app\n *\n * @param path the url path, eg: '/trashbin?dir=/Deleted'\n * @param replace replace the current history\n * @see https://router.vuejs.org/guide/essentials/navigation.html#navigate-to-a-different-location\n */\n goTo(path, replace = false) {\n return this._router.push({\n path,\n replace,\n });\n }\n /**\n * Trigger a route change on the files App\n *\n * @param name the route name\n * @param params the route parameters\n * @param query the url query parameters\n * @param replace replace the current history\n * @see https://router.vuejs.org/guide/essentials/navigation.html#navigate-to-a-different-location\n */\n goToRoute(name, params, query, replace) {\n return this._router.push({\n name,\n query,\n params,\n replace,\n });\n }\n}\n","/**\n * @copyright Copyright (c) 2019 Gary Kim <gary@garykim.dev>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\n\nexport default class Settings {\n\n\t_settings\n\n\tconstructor() {\n\t\tthis._settings = []\n\t\tconsole.debug('OCA.Files.Settings initialized')\n\t}\n\n\t/**\n\t * Register a new setting\n\t *\n\t * @since 19.0.0\n\t * @param {OCA.Files.Settings.Setting} view element to add to settings\n\t * @return {boolean} whether registering was successful\n\t */\n\tregister(view) {\n\t\tif (this._settings.filter(e => e.name === view.name).length > 0) {\n\t\t\tconsole.error('A setting with the same name is already registered')\n\t\t\treturn false\n\t\t}\n\t\tthis._settings.push(view)\n\t\treturn true\n\t}\n\n\t/**\n\t * All settings elements\n\t *\n\t * @return {OCA.Files.Settings.Setting[]} All currently registered settings\n\t */\n\tget settings() {\n\t\treturn this._settings\n\t}\n\n}\n","/**\n * @copyright Copyright (c) 2019 Gary Kim <gary@garykim.dev>\n * @copyright Copyright (c) 2019 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\n\nexport default class Setting {\n\n\t_close\n\t_el\n\t_name\n\t_open\n\n\t/**\n\t * Create a new files app setting\n\t *\n\t * @since 19.0.0\n\t * @param {string} name the name of this setting\n\t * @param {object} component the component\n\t * @param {Function} component.el function that returns an unmounted dom element to be added\n\t * @param {Function} [component.open] callback for when setting is added\n\t * @param {Function} [component.close] callback for when setting is closed\n\t */\n\tconstructor(name, { el, open, close }) {\n\t\tthis._name = name\n\t\tthis._el = el\n\t\tthis._open = open\n\t\tthis._close = close\n\n\t\tif (typeof this._open !== 'function') {\n\t\t\tthis._open = () => {}\n\t\t}\n\n\t\tif (typeof this._close !== 'function') {\n\t\t\tthis._close = () => {}\n\t\t}\n\t}\n\n\tget name() {\n\t\treturn this._name\n\t}\n\n\tget el() {\n\t\treturn this._el\n\t}\n\n\tget open() {\n\t\treturn this._open\n\t}\n\n\tget close() {\n\t\treturn this._close\n\t}\n\n}\n","function _typeof(obj) { \"@babel/helpers - typeof\"; return _typeof = \"function\" == typeof Symbol && \"symbol\" == typeof Symbol.iterator ? function (obj) { return typeof obj; } : function (obj) { return obj && \"function\" == typeof Symbol && obj.constructor === Symbol && obj !== Symbol.prototype ? \"symbol\" : typeof obj; }, _typeof(obj); }\n\n(function (global, factory) {\n if (typeof define === \"function\" && define.amd) {\n define([\"exports\"], factory);\n } else if (typeof exports !== \"undefined\") {\n factory(exports);\n } else {\n var mod = {\n exports: {}\n };\n factory(mod.exports);\n global.CancelablePromise = mod.exports;\n }\n})(typeof globalThis !== \"undefined\" ? globalThis : typeof self !== \"undefined\" ? self : this, function (_exports) {\n \"use strict\";\n\n Object.defineProperty(_exports, \"__esModule\", {\n value: true\n });\n _exports.CancelablePromise = void 0;\n _exports.cancelable = cancelable;\n _exports.default = void 0;\n _exports.isCancelablePromise = isCancelablePromise;\n\n function _inherits(subClass, superClass) { if (typeof superClass !== \"function\" && superClass !== null) { throw new TypeError(\"Super expression must either be null or a function\"); } subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, writable: true, configurable: true } }); Object.defineProperty(subClass, \"prototype\", { writable: false }); if (superClass) _setPrototypeOf(subClass, superClass); }\n\n function _setPrototypeOf(o, p) { _setPrototypeOf = Object.setPrototypeOf ? Object.setPrototypeOf.bind() : function _setPrototypeOf(o, p) { o.__proto__ = p; return o; }; return _setPrototypeOf(o, p); }\n\n function _createSuper(Derived) { var hasNativeReflectConstruct = _isNativeReflectConstruct(); return function _createSuperInternal() { var Super = _getPrototypeOf(Derived), result; if (hasNativeReflectConstruct) { var NewTarget = _getPrototypeOf(this).constructor; result = Reflect.construct(Super, arguments, NewTarget); } else { result = Super.apply(this, arguments); } return _possibleConstructorReturn(this, result); }; }\n\n function _possibleConstructorReturn(self, call) { if (call && (_typeof(call) === \"object\" || typeof call === \"function\")) { return call; } else if (call !== void 0) { throw new TypeError(\"Derived constructors may only return object or undefined\"); } return _assertThisInitialized(self); }\n\n function _assertThisInitialized(self) { if (self === void 0) { throw new ReferenceError(\"this hasn't been initialised - super() hasn't been called\"); } return self; }\n\n function _isNativeReflectConstruct() { if (typeof Reflect === \"undefined\" || !Reflect.construct) return false; if (Reflect.construct.sham) return false; if (typeof Proxy === \"function\") return true; try { Boolean.prototype.valueOf.call(Reflect.construct(Boolean, [], function () {})); return true; } catch (e) { return false; } }\n\n function _getPrototypeOf(o) { _getPrototypeOf = Object.setPrototypeOf ? Object.getPrototypeOf.bind() : function _getPrototypeOf(o) { return o.__proto__ || Object.getPrototypeOf(o); }; return _getPrototypeOf(o); }\n\n function _createForOfIteratorHelper(o, allowArrayLike) { var it = typeof Symbol !== \"undefined\" && o[Symbol.iterator] || o[\"@@iterator\"]; if (!it) { if (Array.isArray(o) || (it = _unsupportedIterableToArray(o)) || allowArrayLike && o && typeof o.length === \"number\") { if (it) o = it; var i = 0; var F = function F() {}; return { s: F, n: function n() { if (i >= o.length) return { done: true }; return { done: false, value: o[i++] }; }, e: function e(_e) { throw _e; }, f: F }; } throw new TypeError(\"Invalid attempt to iterate non-iterable instance.\\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.\"); } var normalCompletion = true, didErr = false, err; return { s: function s() { it = it.call(o); }, n: function n() { var step = it.next(); normalCompletion = step.done; return step; }, e: function e(_e2) { didErr = true; err = _e2; }, f: function f() { try { if (!normalCompletion && it.return != null) it.return(); } finally { if (didErr) throw err; } } }; }\n\n function _unsupportedIterableToArray(o, minLen) { if (!o) return; if (typeof o === \"string\") return _arrayLikeToArray(o, minLen); var n = Object.prototype.toString.call(o).slice(8, -1); if (n === \"Object\" && o.constructor) n = o.constructor.name; if (n === \"Map\" || n === \"Set\") return Array.from(o); if (n === \"Arguments\" || /^(?:Ui|I)nt(?:8|16|32)(?:Clamped)?Array$/.test(n)) return _arrayLikeToArray(o, minLen); }\n\n function _arrayLikeToArray(arr, len) { if (len == null || len > arr.length) len = arr.length; for (var i = 0, arr2 = new Array(len); i < len; i++) { arr2[i] = arr[i]; } return arr2; }\n\n function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError(\"Cannot call a class as a function\"); } }\n\n function _defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if (\"value\" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } }\n\n function _createClass(Constructor, protoProps, staticProps) { if (protoProps) _defineProperties(Constructor.prototype, protoProps); if (staticProps) _defineProperties(Constructor, staticProps); Object.defineProperty(Constructor, \"prototype\", { writable: false }); return Constructor; }\n\n function _defineProperty(obj, key, value) { if (key in obj) { Object.defineProperty(obj, key, { value: value, enumerable: true, configurable: true, writable: true }); } else { obj[key] = value; } return obj; }\n\n function _classPrivateFieldInitSpec(obj, privateMap, value) { _checkPrivateRedeclaration(obj, privateMap); privateMap.set(obj, value); }\n\n function _checkPrivateRedeclaration(obj, privateCollection) { if (privateCollection.has(obj)) { throw new TypeError(\"Cannot initialize the same private elements twice on an object\"); } }\n\n function _classPrivateFieldGet(receiver, privateMap) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"get\"); return _classApplyDescriptorGet(receiver, descriptor); }\n\n function _classApplyDescriptorGet(receiver, descriptor) { if (descriptor.get) { return descriptor.get.call(receiver); } return descriptor.value; }\n\n function _classPrivateFieldSet(receiver, privateMap, value) { var descriptor = _classExtractFieldDescriptor(receiver, privateMap, \"set\"); _classApplyDescriptorSet(receiver, descriptor, value); return value; }\n\n function _classExtractFieldDescriptor(receiver, privateMap, action) { if (!privateMap.has(receiver)) { throw new TypeError(\"attempted to \" + action + \" private field on non-instance\"); } return privateMap.get(receiver); }\n\n function _classApplyDescriptorSet(receiver, descriptor, value) { if (descriptor.set) { descriptor.set.call(receiver, value); } else { if (!descriptor.writable) { throw new TypeError(\"attempted to set read only private field\"); } descriptor.value = value; } }\n\n var toStringTag = typeof Symbol !== 'undefined' ? Symbol.toStringTag : '@@toStringTag';\n\n var _internals = /*#__PURE__*/new WeakMap();\n\n var _promise = /*#__PURE__*/new WeakMap();\n\n var CancelablePromiseInternal = /*#__PURE__*/function () {\n function CancelablePromiseInternal(_ref) {\n var _ref$executor = _ref.executor,\n executor = _ref$executor === void 0 ? function () {} : _ref$executor,\n _ref$internals = _ref.internals,\n internals = _ref$internals === void 0 ? defaultInternals() : _ref$internals,\n _ref$promise = _ref.promise,\n promise = _ref$promise === void 0 ? new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }) : _ref$promise;\n\n _classCallCheck(this, CancelablePromiseInternal);\n\n _classPrivateFieldInitSpec(this, _internals, {\n writable: true,\n value: void 0\n });\n\n _classPrivateFieldInitSpec(this, _promise, {\n writable: true,\n value: void 0\n });\n\n _defineProperty(this, toStringTag, 'CancelablePromise');\n\n this.cancel = this.cancel.bind(this);\n\n _classPrivateFieldSet(this, _internals, internals);\n\n _classPrivateFieldSet(this, _promise, promise || new Promise(function (resolve, reject) {\n return executor(resolve, reject, function (onCancel) {\n internals.onCancelList.push(onCancel);\n });\n }));\n }\n\n _createClass(CancelablePromiseInternal, [{\n key: \"then\",\n value: function then(onfulfilled, onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).then(createCallback(onfulfilled, _classPrivateFieldGet(this, _internals)), createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"catch\",\n value: function _catch(onrejected) {\n return makeCancelable(_classPrivateFieldGet(this, _promise).catch(createCallback(onrejected, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"finally\",\n value: function _finally(onfinally, runWhenCanceled) {\n var _this = this;\n\n if (runWhenCanceled) {\n _classPrivateFieldGet(this, _internals).onCancelList.push(onfinally);\n }\n\n return makeCancelable(_classPrivateFieldGet(this, _promise).finally(createCallback(function () {\n if (onfinally) {\n if (runWhenCanceled) {\n _classPrivateFieldGet(_this, _internals).onCancelList = _classPrivateFieldGet(_this, _internals).onCancelList.filter(function (callback) {\n return callback !== onfinally;\n });\n }\n\n return onfinally();\n }\n }, _classPrivateFieldGet(this, _internals))), _classPrivateFieldGet(this, _internals));\n }\n }, {\n key: \"cancel\",\n value: function cancel() {\n _classPrivateFieldGet(this, _internals).isCanceled = true;\n\n var callbacks = _classPrivateFieldGet(this, _internals).onCancelList;\n\n _classPrivateFieldGet(this, _internals).onCancelList = [];\n\n var _iterator = _createForOfIteratorHelper(callbacks),\n _step;\n\n try {\n for (_iterator.s(); !(_step = _iterator.n()).done;) {\n var callback = _step.value;\n\n if (typeof callback === 'function') {\n try {\n callback();\n } catch (err) {\n console.error(err);\n }\n }\n }\n } catch (err) {\n _iterator.e(err);\n } finally {\n _iterator.f();\n }\n }\n }, {\n key: \"isCanceled\",\n value: function isCanceled() {\n return _classPrivateFieldGet(this, _internals).isCanceled === true;\n }\n }]);\n\n return CancelablePromiseInternal;\n }();\n\n var CancelablePromise = /*#__PURE__*/function (_CancelablePromiseInt) {\n _inherits(CancelablePromise, _CancelablePromiseInt);\n\n var _super = _createSuper(CancelablePromise);\n\n function CancelablePromise(executor) {\n _classCallCheck(this, CancelablePromise);\n\n return _super.call(this, {\n executor: executor\n });\n }\n\n return _createClass(CancelablePromise);\n }(CancelablePromiseInternal);\n\n _exports.CancelablePromise = CancelablePromise;\n\n _defineProperty(CancelablePromise, \"all\", function all(iterable) {\n return makeAllCancelable(iterable, Promise.all(iterable));\n });\n\n _defineProperty(CancelablePromise, \"allSettled\", function allSettled(iterable) {\n return makeAllCancelable(iterable, Promise.allSettled(iterable));\n });\n\n _defineProperty(CancelablePromise, \"any\", function any(iterable) {\n return makeAllCancelable(iterable, Promise.any(iterable));\n });\n\n _defineProperty(CancelablePromise, \"race\", function race(iterable) {\n return makeAllCancelable(iterable, Promise.race(iterable));\n });\n\n _defineProperty(CancelablePromise, \"resolve\", function resolve(value) {\n return cancelable(Promise.resolve(value));\n });\n\n _defineProperty(CancelablePromise, \"reject\", function reject(reason) {\n return cancelable(Promise.reject(reason));\n });\n\n _defineProperty(CancelablePromise, \"isCancelable\", isCancelablePromise);\n\n var _default = CancelablePromise;\n _exports.default = _default;\n\n function cancelable(promise) {\n return makeCancelable(promise, defaultInternals());\n }\n\n function isCancelablePromise(promise) {\n return promise instanceof CancelablePromise || promise instanceof CancelablePromiseInternal;\n }\n\n function createCallback(onResult, internals) {\n if (onResult) {\n return function (arg) {\n if (!internals.isCanceled) {\n var result = onResult(arg);\n\n if (isCancelablePromise(result)) {\n internals.onCancelList.push(result.cancel);\n }\n\n return result;\n }\n\n return arg;\n };\n }\n }\n\n function makeCancelable(promise, internals) {\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function makeAllCancelable(iterable, promise) {\n var internals = defaultInternals();\n internals.onCancelList.push(function () {\n var _iterator2 = _createForOfIteratorHelper(iterable),\n _step2;\n\n try {\n for (_iterator2.s(); !(_step2 = _iterator2.n()).done;) {\n var resolvable = _step2.value;\n\n if (isCancelablePromise(resolvable)) {\n resolvable.cancel();\n }\n }\n } catch (err) {\n _iterator2.e(err);\n } finally {\n _iterator2.f();\n }\n });\n return new CancelablePromiseInternal({\n internals: internals,\n promise: promise\n });\n }\n\n function defaultInternals() {\n return {\n isCanceled: false,\n onCancelList: []\n };\n }\n});\n//# sourceMappingURL=CancelablePromise.js.map","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../css-loader/dist/runtime/api.js\";\nimport ___CSS_LOADER_GET_URL_IMPORT___ from \"../../../css-loader/dist/runtime/getUrl.js\";\nvar ___CSS_LOADER_URL_IMPORT_0___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_URL_IMPORT_1___ = new URL(\"data:image/svg+xml,%3csvg%20xmlns=%27http://www.w3.org/2000/svg%27%20height=%2716%27%20width=%2716%27%3e%3cpath%20d=%27M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z%27%20style=%27fill-opacity:1;fill:%23ffffff%27/%3e%3c/svg%3e\", import.meta.url);\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\nvar ___CSS_LOADER_URL_REPLACEMENT_0___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_0___);\nvar ___CSS_LOADER_URL_REPLACEMENT_1___ = ___CSS_LOADER_GET_URL_IMPORT___(___CSS_LOADER_URL_IMPORT_1___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `@charset \"UTF-8\";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\n *\n * @author Julius Härtl <jus@bitgrid.net>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license GNU AGPL version 3 or any later version\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n */\n.toastify.dialogs {\n min-width: 200px;\n background: none;\n background-color: var(--color-main-background);\n color: var(--color-main-text);\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\n padding: 0 12px;\n margin-top: 45px;\n position: fixed;\n z-index: 10100;\n border-radius: var(--border-radius);\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-container {\n display: flex;\n align-items: center;\n}\n.toastify.dialogs .toast-undo-button,\n.toastify.dialogs .toast-close {\n position: static;\n overflow: hidden;\n box-sizing: border-box;\n min-width: 44px;\n height: 100%;\n padding: 12px;\n white-space: nowrap;\n background-repeat: no-repeat;\n background-position: center;\n background-color: transparent;\n min-height: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close,\n.toastify.dialogs .toast-close.toast-close {\n text-indent: 0;\n opacity: .4;\n border: none;\n min-height: 44px;\n margin-left: 10px;\n font-size: 0;\n}\n.toastify.dialogs .toast-undo-button.toast-close:before,\n.toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${___CSS_LOADER_URL_REPLACEMENT_0___});\n content: \" \";\n filter: var(--background-invert-if-dark);\n display: inline-block;\n width: 16px;\n height: 16px;\n}\n.toastify.dialogs .toast-undo-button.toast-undo-button,\n.toastify.dialogs .toast-close.toast-undo-button {\n height: calc(100% - 6px);\n margin: 3px 3px 3px 12px;\n}\n.toastify.dialogs .toast-undo-button:hover,\n.toastify.dialogs .toast-undo-button:focus,\n.toastify.dialogs .toast-undo-button:active,\n.toastify.dialogs .toast-close:hover,\n.toastify.dialogs .toast-close:focus,\n.toastify.dialogs .toast-close:active {\n cursor: pointer;\n opacity: 1;\n}\n.toastify.dialogs.toastify-top {\n right: 10px;\n}\n.toastify.dialogs.toast-with-click {\n cursor: pointer;\n}\n.toastify.dialogs.toast-error {\n border-left: 3px solid var(--color-error);\n}\n.toastify.dialogs.toast-info {\n border-left: 3px solid var(--color-primary);\n}\n.toastify.dialogs.toast-warning {\n border-left: 3px solid var(--color-warning);\n}\n.toastify.dialogs.toast-success,\n.toastify.dialogs.toast-undo {\n border-left: 3px solid var(--color-success);\n}\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\n background-image: url(${___CSS_LOADER_URL_REPLACEMENT_1___});\n}\n._file-picker__file-icon_1vgv4_5 {\n width: 32px;\n height: 32px;\n min-width: 32px;\n min-height: 32px;\n background-repeat: no-repeat;\n background-size: contain;\n display: flex;\n justify-content: center;\n}\ntr.file-picker__row[data-v-6aded0d9] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-6aded0d9] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\n padding-inline: 2px 0;\n}\n@keyframes gradient-6aded0d9 {\n 0% {\n background-position: 0% 50%;\n }\n 50% {\n background-position: 100% 50%;\n }\n to {\n background-position: 0% 50%;\n }\n}\n.loading-row .row-checkbox[data-v-6aded0d9] {\n text-align: center !important;\n}\n.loading-row span[data-v-6aded0d9] {\n display: inline-block;\n height: 24px;\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\n background-size: 600px 100%;\n border-radius: var(--border-radius);\n animation: gradient-6aded0d9 12s ease infinite;\n}\n.loading-row .row-wrapper[data-v-6aded0d9] {\n display: inline-flex;\n align-items: center;\n}\n.loading-row .row-checkbox span[data-v-6aded0d9] {\n width: 24px;\n}\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\n margin-inline-start: 6px;\n width: 130px;\n}\n.loading-row .row-size span[data-v-6aded0d9] {\n width: 80px;\n}\n.loading-row .row-modified span[data-v-6aded0d9] {\n width: 90px;\n}\ntr.file-picker__row[data-v-48df4f27] {\n height: var(--row-height, 50px);\n}\ntr.file-picker__row td[data-v-48df4f27] {\n cursor: pointer;\n overflow: hidden;\n text-overflow: ellipsis;\n border-bottom: none;\n}\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\n padding: 0 2px;\n}\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\n padding-inline: 14px 0;\n}\ntr.file-picker__row td.row-size[data-v-48df4f27] {\n text-align: end;\n padding-inline: 0 14px;\n}\ntr.file-picker__row td.row-name[data-v-48df4f27] {\n padding-inline: 2px 0;\n}\n.file-picker__row--selected[data-v-48df4f27] {\n background-color: var(--color-background-dark);\n}\n.file-picker__row[data-v-48df4f27]:hover {\n background-color: var(--color-background-hover);\n}\n.file-picker__name-container[data-v-48df4f27] {\n display: flex;\n justify-content: start;\n align-items: center;\n height: 100%;\n}\n.file-picker__file-name[data-v-48df4f27] {\n padding-inline-start: 6px;\n min-width: 0;\n overflow: hidden;\n text-overflow: ellipsis;\n}\n.file-picker__file-extension[data-v-48df4f27] {\n color: var(--color-text-maxcontrast);\n min-width: fit-content;\n}\n.file-picker__header-preview[data-v-d3c94818] {\n width: 22px;\n height: 32px;\n flex: 0 0 auto;\n}\n.file-picker__files[data-v-d3c94818] {\n margin: 2px;\n margin-inline-start: 12px;\n overflow: scroll auto;\n}\n.file-picker__files table[data-v-d3c94818] {\n width: 100%;\n max-height: 100%;\n table-layout: fixed;\n}\n.file-picker__files th[data-v-d3c94818] {\n position: sticky;\n z-index: 1;\n top: 0;\n background-color: var(--color-main-background);\n padding: 2px;\n}\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\n display: flex;\n}\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\n width: 44px;\n}\n.file-picker__files th.row-name[data-v-d3c94818] {\n width: 230px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] {\n width: 100px;\n}\n.file-picker__files th.row-modified[data-v-d3c94818] {\n width: 120px;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\n justify-content: start;\n flex-direction: row-reverse;\n}\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\n padding-inline: 16px 4px;\n}\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\n justify-content: end;\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\n color: var(--color-text-maxcontrast);\n}\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\n font-weight: 400;\n}\n.file-picker__breadcrumbs[data-v-a25a2652] {\n flex-grow: 0 !important;\n}\n.file-picker__side[data-v-a06474d4] {\n display: flex;\n flex-direction: column;\n align-items: stretch;\n gap: .5rem;\n min-width: 200px;\n padding: 2px;\n margin-block-start: 7px;\n overflow: auto;\n}\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\n justify-content: start;\n}\n.file-picker__filter-input[data-v-a06474d4] {\n margin-block: 7px;\n max-width: 260px;\n}\n@media (max-width: 736px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n}\n@media (max-width: 512px) {\n .file-picker__side[data-v-a06474d4] {\n flex-direction: row;\n min-width: unset;\n }\n .file-picker__filter-input[data-v-a06474d4] {\n max-width: unset;\n }\n}\n.file-picker__navigation {\n padding-inline: 8px 2px;\n}\n.file-picker__navigation,\n.file-picker__navigation * {\n box-sizing: border-box;\n}\n.file-picker__navigation .v-select.select {\n min-width: 220px;\n}\n@media (min-width: 513px) and (max-width: 736px) {\n .file-picker__navigation {\n gap: 11px;\n }\n}\n@media (max-width: 512px) {\n .file-picker__navigation {\n flex-direction: column-reverse !important;\n }\n}\n.file-picker__view[data-v-9def3ca4] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-9def3ca4] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-9def3ca4] {\n box-sizing: border-box;\n width: 100%;\n display: flex;\n flex-direction: column;\n min-height: 0;\n flex: 1;\n padding-inline: 2px;\n}\n.file-picker__main *[data-v-9def3ca4] {\n box-sizing: border-box;\n}\n[data-v-9def3ca4] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-9def3ca4] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-9def3ca4] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/dialogs/dist/style.css\"],\"names\":[],\"mappings\":\"AAAA,gBAAgB;AAChB;;;;;;;;;;;;;;;;;;;;EAoBE;AACF;EACE,gBAAgB;EAChB,gBAAgB;EAChB,8CAA8C;EAC9C,6BAA6B;EAC7B,6CAA6C;EAC7C,eAAe;EACf,gBAAgB;EAChB,eAAe;EACf,cAAc;EACd,mCAAmC;EACnC,aAAa;EACb,mBAAmB;AACrB;AACA;EACE,aAAa;EACb,mBAAmB;AACrB;AACA;;EAEE,gBAAgB;EAChB,gBAAgB;EAChB,sBAAsB;EACtB,eAAe;EACf,YAAY;EACZ,aAAa;EACb,mBAAmB;EACnB,4BAA4B;EAC5B,2BAA2B;EAC3B,6BAA6B;EAC7B,aAAa;AACf;AACA;;EAEE,cAAc;EACd,WAAW;EACX,YAAY;EACZ,gBAAgB;EAChB,iBAAiB;EACjB,YAAY;AACd;AACA;;EAEE,yDAA8Q;EAC9Q,YAAY;EACZ,wCAAwC;EACxC,qBAAqB;EACrB,WAAW;EACX,YAAY;AACd;AACA;;EAEE,wBAAwB;EACxB,wBAAwB;AAC1B;AACA;;;;;;EAME,eAAe;EACf,UAAU;AACZ;AACA;EACE,WAAW;AACb;AACA;EACE,eAAe;AACjB;AACA;EACE,yCAAyC;AAC3C;AACA;EACE,2CAA2C;AAC7C;AACA;EACE,2CAA2C;AAC7C;AACA;;EAEE,2CAA2C;AAC7C;AACA;EACE,yDAAsT;AACxT;AACA;EACE,WAAW;EACX,YAAY;EACZ,eAAe;EACf,gBAAgB;EAChB,4BAA4B;EAC5B,wBAAwB;EACxB,aAAa;EACb,uBAAuB;AACzB;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE;IACE,2BAA2B;EAC7B;EACA;IACE,6BAA6B;EAC/B;EACA;IACE,2BAA2B;EAC7B;AACF;AACA;EACE,6BAA6B;AAC/B;AACA;EACE,qBAAqB;EACrB,YAAY;EACZ,oIAAoI;EACpI,2BAA2B;EAC3B,mCAAmC;EACnC,8CAA8C;AAChD;AACA;EACE,oBAAoB;EACpB,mBAAmB;AACrB;AACA;EACE,WAAW;AACb;AACA;EACE,wBAAwB;EACxB,YAAY;AACd;AACA;EACE,WAAW;AACb;AACA;EACE,WAAW;AACb;AACA;EACE,+BAA+B;AACjC;AACA;EACE,eAAe;EACf,gBAAgB;EAChB,uBAAuB;EACvB,mBAAmB;AACrB;AACA;EACE,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,eAAe;EACf,sBAAsB;AACxB;AACA;EACE,qBAAqB;AACvB;AACA;EACE,8CAA8C;AAChD;AACA;EACE,+CAA+C;AACjD;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,yBAAyB;EACzB,YAAY;EACZ,gBAAgB;EAChB,uBAAuB;AACzB;AACA;EACE,oCAAoC;EACpC,sBAAsB;AACxB;AACA;EACE,WAAW;EACX,YAAY;EACZ,cAAc;AAChB;AACA;EACE,WAAW;EACX,yBAAyB;EACzB,qBAAqB;AACvB;AACA;EACE,WAAW;EACX,gBAAgB;EAChB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,UAAU;EACV,MAAM;EACN,8CAA8C;EAC9C,YAAY;AACd;AACA;EACE,aAAa;AACf;AACA;EACE,WAAW;AACb;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,YAAY;AACd;AACA;EACE,sBAAsB;EACtB,2BAA2B;AAC7B;AACA;EACE,wBAAwB;AAC1B;AACA;EACE,oBAAoB;AACtB;AACA;EACE,oCAAoC;AACtC;AACA;EACE,gBAAgB;AAClB;AACA;EACE,uBAAuB;AACzB;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,oBAAoB;EACpB,UAAU;EACV,gBAAgB;EAChB,YAAY;EACZ,uBAAuB;EACvB,cAAc;AAChB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,iBAAiB;EACjB,gBAAgB;AAClB;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;AACF;AACA;EACE;IACE,mBAAmB;IACnB,gBAAgB;EAClB;EACA;IACE,gBAAgB;EAClB;AACF;AACA;EACE,uBAAuB;AACzB;AACA;;EAEE,sBAAsB;AACxB;AACA;EACE,gBAAgB;AAClB;AACA;EACE;IACE,SAAS;EACX;AACF;AACA;EACE;IACE,yCAAyC;EAC3C;AACF;AACA;EACE,YAAY;EACZ,aAAa;EACb,sBAAsB;EACtB,mBAAmB;AACrB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,SAAS;AACX;AACA;EACE,sBAAsB;EACtB,WAAW;EACX,aAAa;EACb,sBAAsB;EACtB,aAAa;EACb,OAAO;EACP,mBAAmB;AACrB;AACA;EACE,sBAAsB;AACxB;AACA;EACE,mCAAmC;AACrC;AACA;EACE;IACE,oEAAoE;EACtE;AACF;AACA;EACE,aAAa;EACb,sBAAsB;EACtB,gBAAgB;AAClB\",\"sourcesContent\":[\"@charset \\\"UTF-8\\\";\\n/**\\n * @copyright Copyright (c) 2019 Julius Härtl <jus@bitgrid.net>\\n *\\n * @author Julius Härtl <jus@bitgrid.net>\\n * @author John Molakvoæ <skjnldsv@protonmail.com>\\n *\\n * @license GNU AGPL version 3 or any later version\\n *\\n * This program is free software: you can redistribute it and/or modify\\n * it under the terms of the GNU Affero General Public License as\\n * published by the Free Software Foundation, either version 3 of the\\n * License, or (at your option) any later version.\\n *\\n * This program is distributed in the hope that it will be useful,\\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\\n * GNU Affero General Public License for more details.\\n *\\n * You should have received a copy of the GNU Affero General Public License\\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\\n */\\n.toastify.dialogs {\\n min-width: 200px;\\n background: none;\\n background-color: var(--color-main-background);\\n color: var(--color-main-text);\\n box-shadow: 0 0 6px 0 var(--color-box-shadow);\\n padding: 0 12px;\\n margin-top: 45px;\\n position: fixed;\\n z-index: 10100;\\n border-radius: var(--border-radius);\\n display: flex;\\n align-items: center;\\n}\\n.toastify.dialogs .toast-undo-container {\\n display: flex;\\n align-items: center;\\n}\\n.toastify.dialogs .toast-undo-button,\\n.toastify.dialogs .toast-close {\\n position: static;\\n overflow: hidden;\\n box-sizing: border-box;\\n min-width: 44px;\\n height: 100%;\\n padding: 12px;\\n white-space: nowrap;\\n background-repeat: no-repeat;\\n background-position: center;\\n background-color: transparent;\\n min-height: 0;\\n}\\n.toastify.dialogs .toast-undo-button.toast-close,\\n.toastify.dialogs .toast-close.toast-close {\\n text-indent: 0;\\n opacity: .4;\\n border: none;\\n min-height: 44px;\\n margin-left: 10px;\\n font-size: 0;\\n}\\n.toastify.dialogs .toast-undo-button.toast-close:before,\\n.toastify.dialogs .toast-close.toast-close:before {\\n background-image: url(\\\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'/%3e%3c/svg%3e\\\");\\n content: \\\" \\\";\\n filter: var(--background-invert-if-dark);\\n display: inline-block;\\n width: 16px;\\n height: 16px;\\n}\\n.toastify.dialogs .toast-undo-button.toast-undo-button,\\n.toastify.dialogs .toast-close.toast-undo-button {\\n height: calc(100% - 6px);\\n margin: 3px 3px 3px 12px;\\n}\\n.toastify.dialogs .toast-undo-button:hover,\\n.toastify.dialogs .toast-undo-button:focus,\\n.toastify.dialogs .toast-undo-button:active,\\n.toastify.dialogs .toast-close:hover,\\n.toastify.dialogs .toast-close:focus,\\n.toastify.dialogs .toast-close:active {\\n cursor: pointer;\\n opacity: 1;\\n}\\n.toastify.dialogs.toastify-top {\\n right: 10px;\\n}\\n.toastify.dialogs.toast-with-click {\\n cursor: pointer;\\n}\\n.toastify.dialogs.toast-error {\\n border-left: 3px solid var(--color-error);\\n}\\n.toastify.dialogs.toast-info {\\n border-left: 3px solid var(--color-primary);\\n}\\n.toastify.dialogs.toast-warning {\\n border-left: 3px solid var(--color-warning);\\n}\\n.toastify.dialogs.toast-success,\\n.toastify.dialogs.toast-undo {\\n border-left: 3px solid var(--color-success);\\n}\\n.theme--dark .toastify.dialogs .toast-close.toast-close:before {\\n background-image: url(\\\"data:image/svg+xml,%3csvg%20xmlns='http://www.w3.org/2000/svg'%20height='16'%20width='16'%3e%3cpath%20d='M14%2012.3L12.3%2014%208%209.7%203.7%2014%202%2012.3%206.3%208%202%203.7%203.7%202%208%206.3%2012.3%202%2014%203.7%209.7%208z'%20style='fill-opacity:1;fill:%23ffffff'/%3e%3c/svg%3e\\\");\\n}\\n._file-picker__file-icon_1vgv4_5 {\\n width: 32px;\\n height: 32px;\\n min-width: 32px;\\n min-height: 32px;\\n background-repeat: no-repeat;\\n background-size: contain;\\n display: flex;\\n justify-content: center;\\n}\\ntr.file-picker__row[data-v-6aded0d9] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-6aded0d9] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-6aded0d9] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-6aded0d9]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-6aded0d9] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-6aded0d9] {\\n padding-inline: 2px 0;\\n}\\n@keyframes gradient-6aded0d9 {\\n 0% {\\n background-position: 0% 50%;\\n }\\n 50% {\\n background-position: 100% 50%;\\n }\\n to {\\n background-position: 0% 50%;\\n }\\n}\\n.loading-row .row-checkbox[data-v-6aded0d9] {\\n text-align: center !important;\\n}\\n.loading-row span[data-v-6aded0d9] {\\n display: inline-block;\\n height: 24px;\\n background: linear-gradient(to right, var(--color-background-darker), var(--color-text-maxcontrast), var(--color-background-darker));\\n background-size: 600px 100%;\\n border-radius: var(--border-radius);\\n animation: gradient-6aded0d9 12s ease infinite;\\n}\\n.loading-row .row-wrapper[data-v-6aded0d9] {\\n display: inline-flex;\\n align-items: center;\\n}\\n.loading-row .row-checkbox span[data-v-6aded0d9] {\\n width: 24px;\\n}\\n.loading-row .row-name span[data-v-6aded0d9]:last-of-type {\\n margin-inline-start: 6px;\\n width: 130px;\\n}\\n.loading-row .row-size span[data-v-6aded0d9] {\\n width: 80px;\\n}\\n.loading-row .row-modified span[data-v-6aded0d9] {\\n width: 90px;\\n}\\ntr.file-picker__row[data-v-48df4f27] {\\n height: var(--row-height, 50px);\\n}\\ntr.file-picker__row td[data-v-48df4f27] {\\n cursor: pointer;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n border-bottom: none;\\n}\\ntr.file-picker__row td.row-checkbox[data-v-48df4f27] {\\n padding: 0 2px;\\n}\\ntr.file-picker__row td[data-v-48df4f27]:not(.row-checkbox) {\\n padding-inline: 14px 0;\\n}\\ntr.file-picker__row td.row-size[data-v-48df4f27] {\\n text-align: end;\\n padding-inline: 0 14px;\\n}\\ntr.file-picker__row td.row-name[data-v-48df4f27] {\\n padding-inline: 2px 0;\\n}\\n.file-picker__row--selected[data-v-48df4f27] {\\n background-color: var(--color-background-dark);\\n}\\n.file-picker__row[data-v-48df4f27]:hover {\\n background-color: var(--color-background-hover);\\n}\\n.file-picker__name-container[data-v-48df4f27] {\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n height: 100%;\\n}\\n.file-picker__file-name[data-v-48df4f27] {\\n padding-inline-start: 6px;\\n min-width: 0;\\n overflow: hidden;\\n text-overflow: ellipsis;\\n}\\n.file-picker__file-extension[data-v-48df4f27] {\\n color: var(--color-text-maxcontrast);\\n min-width: fit-content;\\n}\\n.file-picker__header-preview[data-v-d3c94818] {\\n width: 22px;\\n height: 32px;\\n flex: 0 0 auto;\\n}\\n.file-picker__files[data-v-d3c94818] {\\n margin: 2px;\\n margin-inline-start: 12px;\\n overflow: scroll auto;\\n}\\n.file-picker__files table[data-v-d3c94818] {\\n width: 100%;\\n max-height: 100%;\\n table-layout: fixed;\\n}\\n.file-picker__files th[data-v-d3c94818] {\\n position: sticky;\\n z-index: 1;\\n top: 0;\\n background-color: var(--color-main-background);\\n padding: 2px;\\n}\\n.file-picker__files th .header-wrapper[data-v-d3c94818] {\\n display: flex;\\n}\\n.file-picker__files th.row-checkbox[data-v-d3c94818] {\\n width: 44px;\\n}\\n.file-picker__files th.row-name[data-v-d3c94818] {\\n width: 230px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] {\\n width: 100px;\\n}\\n.file-picker__files th.row-modified[data-v-d3c94818] {\\n width: 120px;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue__wrapper {\\n justify-content: start;\\n flex-direction: row-reverse;\\n}\\n.file-picker__files th[data-v-d3c94818]:not(.row-size) .button-vue {\\n padding-inline: 16px 4px;\\n}\\n.file-picker__files th.row-size[data-v-d3c94818] .button-vue__wrapper {\\n justify-content: end;\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper {\\n color: var(--color-text-maxcontrast);\\n}\\n.file-picker__files th[data-v-d3c94818] .button-vue__wrapper .button-vue__text {\\n font-weight: 400;\\n}\\n.file-picker__breadcrumbs[data-v-a25a2652] {\\n flex-grow: 0 !important;\\n}\\n.file-picker__side[data-v-a06474d4] {\\n display: flex;\\n flex-direction: column;\\n align-items: stretch;\\n gap: .5rem;\\n min-width: 200px;\\n padding: 2px;\\n margin-block-start: 7px;\\n overflow: auto;\\n}\\n.file-picker__side[data-v-a06474d4] .button-vue__wrapper {\\n justify-content: start;\\n}\\n.file-picker__filter-input[data-v-a06474d4] {\\n margin-block: 7px;\\n max-width: 260px;\\n}\\n@media (max-width: 736px) {\\n .file-picker__side[data-v-a06474d4] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__side[data-v-a06474d4] {\\n flex-direction: row;\\n min-width: unset;\\n }\\n .file-picker__filter-input[data-v-a06474d4] {\\n max-width: unset;\\n }\\n}\\n.file-picker__navigation {\\n padding-inline: 8px 2px;\\n}\\n.file-picker__navigation,\\n.file-picker__navigation * {\\n box-sizing: border-box;\\n}\\n.file-picker__navigation .v-select.select {\\n min-width: 220px;\\n}\\n@media (min-width: 513px) and (max-width: 736px) {\\n .file-picker__navigation {\\n gap: 11px;\\n }\\n}\\n@media (max-width: 512px) {\\n .file-picker__navigation {\\n flex-direction: column-reverse !important;\\n }\\n}\\n.file-picker__view[data-v-9def3ca4] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-9def3ca4] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-9def3ca4] {\\n box-sizing: border-box;\\n width: 100%;\\n display: flex;\\n flex-direction: column;\\n min-height: 0;\\n flex: 1;\\n padding-inline: 2px;\\n}\\n.file-picker__main *[data-v-9def3ca4] {\\n box-sizing: border-box;\\n}\\n[data-v-9def3ca4] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-9def3ca4] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-9def3ca4] .file-picker__content {\\n display: flex;\\n flex-direction: column;\\n overflow: hidden;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.upload-picker[data-v-eca9500a] {\n display: inline-flex;\n align-items: center;\n height: 44px;\n}\n.upload-picker__progress[data-v-eca9500a] {\n width: 200px;\n max-width: 0;\n transition: max-width var(--animation-quick) ease-in-out;\n margin-top: 8px;\n}\n.upload-picker__progress p[data-v-eca9500a] {\n overflow: hidden;\n white-space: nowrap;\n text-overflow: ellipsis;\n}\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\n max-width: 200px;\n margin-right: 20px;\n margin-left: 8px;\n}\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\n animation: breathing-eca9500a 3s ease-out infinite normal;\n}\n@keyframes breathing-eca9500a {\n 0% {\n opacity: .5;\n }\n 25% {\n opacity: 1;\n }\n 60% {\n opacity: .5;\n }\n to {\n opacity: .5;\n }\n}\n`, \"\",{\"version\":3,\"sources\":[\"webpack://./node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css\"],\"names\":[],\"mappings\":\"AAAA;EACE,oBAAoB;EACpB,mBAAmB;EACnB,YAAY;AACd;AACA;EACE,YAAY;EACZ,YAAY;EACZ,wDAAwD;EACxD,eAAe;AACjB;AACA;EACE,gBAAgB;EAChB,mBAAmB;EACnB,uBAAuB;AACzB;AACA;EACE,gBAAgB;EAChB,kBAAkB;EAClB,gBAAgB;AAClB;AACA;EACE,yDAAyD;AAC3D;AACA;EACE;IACE,WAAW;EACb;EACA;IACE,UAAU;EACZ;EACA;IACE,WAAW;EACb;EACA;IACE,WAAW;EACb;AACF\",\"sourcesContent\":[\".upload-picker[data-v-eca9500a] {\\n display: inline-flex;\\n align-items: center;\\n height: 44px;\\n}\\n.upload-picker__progress[data-v-eca9500a] {\\n width: 200px;\\n max-width: 0;\\n transition: max-width var(--animation-quick) ease-in-out;\\n margin-top: 8px;\\n}\\n.upload-picker__progress p[data-v-eca9500a] {\\n overflow: hidden;\\n white-space: nowrap;\\n text-overflow: ellipsis;\\n}\\n.upload-picker--uploading .upload-picker__progress[data-v-eca9500a] {\\n max-width: 200px;\\n margin-right: 20px;\\n margin-left: 8px;\\n}\\n.upload-picker--paused .upload-picker__progress[data-v-eca9500a] {\\n animation: breathing-eca9500a 3s ease-out infinite normal;\\n}\\n@keyframes breathing-eca9500a {\\n 0% {\\n opacity: .5;\\n }\\n 25% {\\n opacity: 1;\\n }\\n 60% {\\n opacity: .5;\\n }\\n to {\\n opacity: .5;\\n }\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__breadcrumbs[data-v-740bb6f2]{flex:1 1 100% !important;width:100%;height:100%;margin-block:0;margin-inline:10px}.files-list__breadcrumbs[data-v-740bb6f2] a{cursor:pointer !important}.files-list__breadcrumbs--with-progress[data-v-740bb6f2]{flex-direction:column !important;align-items:flex-start !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/BreadCrumbs.vue\"],\"names\":[],\"mappings\":\"AACA,0CAEC,wBAAA,CACA,UAAA,CACA,WAAA,CACA,cAAA,CACA,kBAAA,CAGC,6CACC,yBAAA,CAIF,yDACC,gCAAA,CACA,iCAAA\",\"sourcesContent\":[\"\\n.files-list__breadcrumbs {\\n\\t// Take as much space as possible\\n\\tflex: 1 1 100% !important;\\n\\twidth: 100%;\\n\\theight: 100%;\\n\\tmargin-block: 0;\\n\\tmargin-inline: 10px;\\n\\n\\t:deep() {\\n\\t\\ta {\\n\\t\\t\\tcursor: pointer !important;\\n\\t\\t}\\n\\t}\\n\\n\\t&--with-progress {\\n\\t\\tflex-direction: column !important;\\n\\t\\talign-items: flex-start !important;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__drag-drop-notice[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;width:100%;min-height:113px;margin:0;user-select:none;color:var(--color-text-maxcontrast);background-color:var(--color-main-background);border-color:#000}.files-list__drag-drop-notice h3[data-v-02c943a6]{margin-left:16px;color:inherit}.files-list__drag-drop-notice-wrapper[data-v-02c943a6]{display:flex;align-items:center;justify-content:center;height:15vh;max-height:70%;padding:0 5vw;border:2px var(--color-border-dark) dashed;border-radius:var(--border-radius-large)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/DragAndDropNotice.vue\"],\"names\":[],\"mappings\":\"AACA,+CACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CAEA,gBAAA,CACA,QAAA,CACA,gBAAA,CACA,mCAAA,CACA,6CAAA,CACA,iBAAA,CAEA,kDACC,gBAAA,CACA,aAAA,CAGD,uDACC,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,WAAA,CACA,cAAA,CACA,aAAA,CACA,0CAAA,CACA,wCAAA\",\"sourcesContent\":[\"\\n.files-list__drag-drop-notice {\\n\\tdisplay: flex;\\n\\talign-items: center;\\n\\tjustify-content: center;\\n\\twidth: 100%;\\n\\t// Breadcrumbs height + row thead height\\n\\tmin-height: calc(58px + 55px);\\n\\tmargin: 0;\\n\\tuser-select: none;\\n\\tcolor: var(--color-text-maxcontrast);\\n\\tbackground-color: var(--color-main-background);\\n\\tborder-color: black;\\n\\n\\th3 {\\n\\t\\tmargin-left: 16px;\\n\\t\\tcolor: inherit;\\n\\t}\\n\\n\\t&-wrapper {\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\tjustify-content: center;\\n\\t\\theight: 15vh;\\n\\t\\tmax-height: 70%;\\n\\t\\tpadding: 0 5vw;\\n\\t\\tborder: 2px var(--color-border-dark) dashed;\\n\\t\\tborder-radius: var(--border-radius-large);\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list-drag-image{position:absolute;top:-9999px;left:-9999px;display:flex;overflow:hidden;align-items:center;height:44px;padding:6px 12px;background:var(--color-main-background)}.files-list-drag-image__icon,.files-list-drag-image .files-list__row-icon{display:flex;overflow:hidden;align-items:center;justify-content:center;width:32px;height:32px;border-radius:var(--border-radius)}.files-list-drag-image__icon{overflow:visible;margin-right:12px}.files-list-drag-image__icon img{max-width:100%;max-height:100%}.files-list-drag-image__icon .material-design-icon{color:var(--color-text-maxcontrast)}.files-list-drag-image__icon .material-design-icon.folder-icon{color:var(--color-primary-element)}.files-list-drag-image__icon>span{display:flex}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon{margin-top:6px;margin-left:-26px}.files-list-drag-image__icon>span .files-list__row-icon+.files-list__row-icon+.files-list__row-icon{margin-top:12px}.files-list-drag-image__icon>span:not(:empty)+*{display:none}.files-list-drag-image__name{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/DragAndDropPreview.vue\"],\"names\":[],\"mappings\":\"AAIA,uBACC,iBAAA,CACA,WAAA,CACA,YAAA,CACA,YAAA,CACA,eAAA,CACA,kBAAA,CACA,WAAA,CACA,gBAAA,CACA,uCAAA,CAEA,0EAEC,YAAA,CACA,eAAA,CACA,kBAAA,CACA,sBAAA,CACA,UAAA,CACA,WAAA,CACA,kCAAA,CAGD,6BACC,gBAAA,CACA,iBAAA,CAEA,iCACC,cAAA,CACA,eAAA,CAGD,mDACC,mCAAA,CACA,+DACC,kCAAA,CAKF,kCACC,YAAA,CAGA,8EACC,cA9CU,CA+CV,iBAAA,CACA,oGACC,eAAA,CAKF,gDACC,YAAA,CAKH,6BACC,eAAA,CACA,kBAAA,CACA,sBAAA\",\"sourcesContent\":[\"\\n$size: 32px;\\n$stack-shift: 6px;\\n\\n.files-list-drag-image {\\n\\tposition: absolute;\\n\\ttop: -9999px;\\n\\tleft: -9999px;\\n\\tdisplay: flex;\\n\\toverflow: hidden;\\n\\talign-items: center;\\n\\theight: 44px;\\n\\tpadding: 6px 12px;\\n\\tbackground: var(--color-main-background);\\n\\n\\t&__icon,\\n\\t.files-list__row-icon {\\n\\t\\tdisplay: flex;\\n\\t\\toverflow: hidden;\\n\\t\\talign-items: center;\\n\\t\\tjustify-content: center;\\n\\t\\twidth: 32px;\\n\\t\\theight: 32px;\\n\\t\\tborder-radius: var(--border-radius);\\n\\t}\\n\\n\\t&__icon {\\n\\t\\toverflow: visible;\\n\\t\\tmargin-right: 12px;\\n\\n\\t\\timg {\\n\\t\\t\\tmax-width: 100%;\\n\\t\\t\\tmax-height: 100%;\\n\\t\\t}\\n\\n\\t\\t.material-design-icon {\\n\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t\\t&.folder-icon {\\n\\t\\t\\t\\tcolor: var(--color-primary-element);\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Previews container\\n\\t\\t> span {\\n\\t\\t\\tdisplay: flex;\\n\\n\\t\\t\\t// Stack effect if more than one element\\n\\t\\t\\t.files-list__row-icon + .files-list__row-icon {\\n\\t\\t\\t\\tmargin-top: $stack-shift;\\n\\t\\t\\t\\tmargin-left: $stack-shift - $size;\\n\\t\\t\\t\\t& + .files-list__row-icon {\\n\\t\\t\\t\\t\\tmargin-top: $stack-shift * 2;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t\\t// If we have manually clone the preview,\\n\\t\\t\\t// let's hide any fallback icons\\n\\t\\t\\t&:not(:empty) + * {\\n\\t\\t\\t\\tdisplay: none;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n\\n\\t&__name {\\n\\t\\toverflow: hidden;\\n\\t\\twhite-space: nowrap;\\n\\t\\ttext-overflow: ellipsis;\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.favorite-marker-icon[data-v-04e52abc]{color:#a08b00;min-width:unset !important;min-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg{width:26px !important;height:26px !important;max-width:unset !important;max-height:unset !important}.favorite-marker-icon[data-v-04e52abc] svg path{stroke:var(--color-main-background);stroke-width:8px;stroke-linejoin:round;paint-order:stroke}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FileEntry/FavoriteIcon.vue\"],\"names\":[],\"mappings\":\"AACA,uCACC,aAAA,CAEA,0BAAA,CACG,2BAAA,CAGF,4CAEC,qBAAA,CACA,sBAAA,CAGA,0BAAA,CACA,2BAAA,CAGA,iDACC,mCAAA,CACA,gBAAA,CACA,qBAAA,CACA,kBAAA\",\"sourcesContent\":[\"\\n.favorite-marker-icon {\\n\\tcolor: #a08b00;\\n\\t// Override NcIconSvgWrapper defaults (clickable area)\\n\\tmin-width: unset !important;\\n min-height: unset !important;\\n\\n\\t:deep() {\\n\\t\\tsvg {\\n\\t\\t\\t// We added a stroke for a11y so we must increase the size to include the stroke\\n\\t\\t\\twidth: 26px !important;\\n\\t\\t\\theight: 26px !important;\\n\\n\\t\\t\\t// Override NcIconSvgWrapper defaults of 20px\\n\\t\\t\\tmax-width: unset !important;\\n\\t\\t\\tmax-height: unset !important;\\n\\n\\t\\t\\t// Sow a border around the icon for better contrast\\n\\t\\t\\tpath {\\n\\t\\t\\t\\tstroke: var(--color-main-background);\\n\\t\\t\\t\\tstroke-width: 8px;\\n\\t\\t\\t\\tstroke-linejoin: round;\\n\\t\\t\\t\\tpaint-order: stroke;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `main.app-content[style*=mouse-pos-x] .v-popper__popper{transform:translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper[data-popper-placement=top]{transform:translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important}main.app-content[style*=mouse-pos-x] .v-popper__popper .v-popper__arrow-container{display:none}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue\"],\"names\":[],\"mappings\":\"AAGA,uDACC,6EAAA,CAGA,kFAEC,iGAAA,CAGD,kFACC,YAAA\",\"sourcesContent\":[\"\\n// Allow right click to define the position of the menu\\n// only if defined\\nmain.app-content[style*=\\\"mouse-pos-x\\\"] .v-popper__popper {\\n\\ttransform: translate3d(var(--mouse-pos-x), var(--mouse-pos-y), 0px) !important;\\n\\n\\t// If the menu is too close to the bottom, we move it up\\n\\t&[data-popper-placement=\\\"top\\\"] {\\n\\t\\t// 34px added to align with the top of the cursor\\n\\t\\ttransform: translate3d(var(--mouse-pos-x), calc(var(--mouse-pos-y) - 50vh + 34px), 0px) !important;\\n\\t}\\n\\t// Hide arrow if floating\\n\\t.v-popper__arrow-container {\\n\\t\\tdisplay: none;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `[data-v-03cc6660] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-03cc6660] .button-vue--icon-and-text .button-vue__icon{color:var(--color-primary-element)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FileEntry/FileEntryActions.vue\"],\"names\":[],\"mappings\":\"AAEC,+DACC,kCAAA,CAED,+DACC,kCAAA\",\"sourcesContent\":[\"\\n:deep(.button-vue--icon-and-text, .files-list__row-action-sharing-status) {\\n\\t.button-vue__text {\\n\\t\\tcolor: var(--color-primary-element);\\n\\t}\\n\\t.button-vue__icon {\\n\\t\\tcolor: var(--color-primary-element);\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `tr[data-v-a85bde20]{margin-bottom:300px;border-top:1px solid var(--color-border);background-color:rgba(0,0,0,0) !important;border-bottom:none !important}tr td[data-v-a85bde20]{user-select:none;color:var(--color-text-maxcontrast) !important}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableFooter.vue\"],\"names\":[],\"mappings\":\"AAEA,oBACC,mBAAA,CACA,wCAAA,CAEA,yCAAA,CACA,6BAAA,CAEA,uBACC,gBAAA,CAEA,8CAAA\",\"sourcesContent\":[\"\\n// Scoped row\\ntr {\\n\\tmargin-bottom: 300px;\\n\\tborder-top: 1px solid var(--color-border);\\n\\t// Prevent hover effect on the whole row\\n\\tbackground-color: transparent !important;\\n\\tborder-bottom: none !important;\\n\\n\\ttd {\\n\\t\\tuser-select: none;\\n\\t\\t// Make sure the cell colors don't apply to column headers\\n\\t\\tcolor: var(--color-text-maxcontrast) !important;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__column[data-v-952162c2]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-952162c2]{cursor:pointer}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableHeader.vue\"],\"names\":[],\"mappings\":\"AACA,qCACC,gBAAA,CAEA,8CAAA,CAEA,+CACC,cAAA\",\"sourcesContent\":[\"\\n.files-list__column {\\n\\tuser-select: none;\\n\\t// Make sure the cell colors don't apply to column headers\\n\\tcolor: var(--color-text-maxcontrast) !important;\\n\\n\\t&--sortable {\\n\\t\\tcursor: pointer;\\n\\t}\\n}\\n\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__row-actions-batch[data-v-d939292c]{flex:1 1 100% !important;max-width:100%}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableHeaderActions.vue\"],\"names\":[],\"mappings\":\"AACA,gDACC,wBAAA,CACA,cAAA\",\"sourcesContent\":[\"\\n.files-list__row-actions-batch {\\n\\tflex: 1 1 100% !important;\\n\\tmax-width: 100%;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list__column-sort-button[data-v-097f69d4]{margin:0 calc(var(--cell-margin)*-1);min-width:calc(100% - 3*var(--cell-margin)) !important}.files-list__column-sort-button-text[data-v-097f69d4]{color:var(--color-text-maxcontrast);font-weight:normal}.files-list__column-sort-button-icon[data-v-097f69d4]{color:var(--color-text-maxcontrast);opacity:0;transition:opacity var(--animation-quick);inset-inline-start:-10px}.files-list__column-sort-button--size .files-list__column-sort-button-icon[data-v-097f69d4]{inset-inline-start:10px}.files-list__column-sort-button--active .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:hover .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:focus .files-list__column-sort-button-icon[data-v-097f69d4],.files-list__column-sort-button:active .files-list__column-sort-button-icon[data-v-097f69d4]{opacity:1}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListTableHeaderButton.vue\"],\"names\":[],\"mappings\":\"AACA,iDAEC,oCAAA,CACA,sDAAA,CAEA,sDACC,mCAAA,CACA,kBAAA,CAGD,sDACC,mCAAA,CACA,SAAA,CACA,yCAAA,CACA,wBAAA,CAGD,4FACC,uBAAA,CAGD,mXAIC,SAAA\",\"sourcesContent\":[\"\\n.files-list__column-sort-button {\\n\\t// Compensate for cells margin\\n\\tmargin: 0 calc(var(--cell-margin) * -1);\\n\\tmin-width: calc(100% - 3 * var(--cell-margin))!important;\\n\\n\\t&-text {\\n\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\tfont-weight: normal;\\n\\t}\\n\\n\\t&-icon {\\n\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\topacity: 0;\\n\\t\\ttransition: opacity var(--animation-quick);\\n\\t\\tinset-inline-start: -10px;\\n\\t}\\n\\n\\t&--size &-icon {\\n\\t\\tinset-inline-start: 10px;\\n\\t}\\n\\n\\t&--active &-icon,\\n\\t&:hover &-icon,\\n\\t&:focus &-icon,\\n\\t&:active &-icon {\\n\\t\\topacity: 1;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.files-list[data-v-2bbbfb12]{--row-height: 55px;--cell-margin: 14px;--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);--checkbox-size: 24px;--clickable-area: 44px;--icon-preview-size: 32px;overflow:auto;height:100%;will-change:scroll-position}.files-list[data-v-2bbbfb12] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2bbbfb12] tbody tr{contain:strict}.files-list[data-v-2bbbfb12] tbody tr:hover,.files-list[data-v-2bbbfb12] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2bbbfb12] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2bbbfb12] .files-list__table{display:block}.files-list[data-v-2bbbfb12] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2bbbfb12] .files-list__thead-overlay{position:sticky;top:0;margin-left:var(--row-height);z-index:20;display:flex;align-items:center;background-color:var(--color-main-background);border-bottom:1px solid var(--color-border);height:var(--row-height)}.files-list[data-v-2bbbfb12] .files-list__thead,.files-list[data-v-2bbbfb12] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2bbbfb12] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2bbbfb12] .files-list__tfoot{min-height:300px}.files-list[data-v-2bbbfb12] tr{position:relative;display:flex;align-items:center;width:100%;user-select:none;border-bottom:1px solid var(--color-border);box-sizing:border-box;user-select:none;height:var(--row-height)}.files-list[data-v-2bbbfb12] td,.files-list[data-v-2bbbfb12] th{display:flex;align-items:center;flex:0 0 auto;justify-content:left;width:var(--row-height);height:var(--row-height);margin:0;padding:0;color:var(--color-text-maxcontrast);border:none}.files-list[data-v-2bbbfb12] td span,.files-list[data-v-2bbbfb12] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2bbbfb12] .files-list__row--failed{position:absolute;display:block;top:0;left:0;right:0;bottom:0;opacity:.1;z-index:-1;background:var(--color-error)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch label.checkbox-radio-switch__label{width:var(--clickable-area);height:var(--clickable-area);margin:0;padding:calc((var(--clickable-area) - var(--checkbox-size))/2)}.files-list[data-v-2bbbfb12] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2bbbfb12] .files-list__row:hover,.files-list[data-v-2bbbfb12] .files-list__row:focus,.files-list[data-v-2bbbfb12] .files-list__row:active,.files-list[data-v-2bbbfb12] .files-list__row--active,.files-list[data-v-2bbbfb12] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2bbbfb12] .files-list__row:hover>*,.files-list[data-v-2bbbfb12] .files-list__row:focus>*,.files-list[data-v-2bbbfb12] .files-list__row:active>*,.files-list[data-v-2bbbfb12] .files-list__row--active>*,.files-list[data-v-2bbbfb12] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2bbbfb12] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2bbbfb12] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2bbbfb12] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2bbbfb12] .files-list__row-icon{position:relative;display:flex;overflow:visible;align-items:center;flex:0 0 var(--icon-preview-size);justify-content:center;width:var(--icon-preview-size);height:100%;margin-right:var(--checkbox-padding);color:var(--color-primary-element)}.files-list[data-v-2bbbfb12] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2bbbfb12] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2bbbfb12] .files-list__row-icon>span:not(.files-list__row-icon-favorite) svg{width:var(--icon-preview-size);height:var(--icon-preview-size)}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2bbbfb12] .files-list__row-icon>span.folder-open-icon svg{width:calc(var(--icon-preview-size) + 6px);height:calc(var(--icon-preview-size) + 6px)}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview{overflow:hidden;width:var(--icon-preview-size);height:var(--icon-preview-size);border-radius:var(--border-radius);object-fit:contain;object-position:center}.files-list[data-v-2bbbfb12] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2bbbfb12] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay{position:absolute;max-height:calc(var(--icon-preview-size)*.5);max-width:calc(var(--icon-preview-size)*.5);color:var(--color-primary-element-text);margin-top:2px}.files-list[data-v-2bbbfb12] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2bbbfb12] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2bbbfb12] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus .files-list__row-name-text{outline:2px solid var(--color-main-text) !important;border-radius:20px}.files-list[data-v-2bbbfb12] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-text{color:var(--color-main-text);padding:5px 10px;margin-left:-10px;display:inline-flex}.files-list[data-v-2bbbfb12] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2bbbfb12] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2bbbfb12] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2bbbfb12] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2bbbfb12] .files-list__row-actions{width:auto}.files-list[data-v-2bbbfb12] .files-list__row-actions~td,.files-list[data-v-2bbbfb12] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2bbbfb12] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2bbbfb12] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2bbbfb12] .files-list__row-mtime,.files-list[data-v-2bbbfb12] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2bbbfb12] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2bbbfb12] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2bbbfb12] .files-list__row-column-custom{width:calc(var(--row-height)*2)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListVirtual.vue\"],\"names\":[],\"mappings\":\"AACA,6BACC,kBAAA,CACA,mBAAA,CAEA,wEAAA,CACA,qBAAA,CACA,sBAAA,CACA,yBAAA,CAEA,aAAA,CACA,WAAA,CACA,2BAAA,CAIC,oCACC,mBAAA,CACA,0BAAA,CACA,YAAA,CACA,qBAAA,CACA,UAAA,CAEA,iBAAA,CAGA,uCACC,cAAA,CACA,0FAEC,6CAAA,CAMH,kDACC,YAAA,CACA,qBAAA,CAGD,iDACC,aAAA,CAEA,uFAEC,qCAAA,CAIF,yDAEC,eAAA,CACA,KAAA,CAEA,6BAAA,CAEA,UAAA,CAEA,YAAA,CACA,kBAAA,CAGA,6CAAA,CACA,2CAAA,CACA,wBAAA,CAGD,kGAEC,YAAA,CACA,qBAAA,CACA,UAAA,CACA,6CAAA,CAKD,iDAEC,eAAA,CACA,UAAA,CACA,KAAA,CAID,iDACC,gBAAA,CAGD,iCACC,iBAAA,CACA,YAAA,CACA,kBAAA,CACA,UAAA,CACA,gBAAA,CACA,2CAAA,CACA,qBAAA,CACA,gBAAA,CACA,wBAAA,CAGD,kEACC,YAAA,CACA,kBAAA,CACA,aAAA,CACA,oBAAA,CACA,uBAAA,CACA,wBAAA,CACA,QAAA,CACA,SAAA,CACA,mCAAA,CACA,WAAA,CAKA,4EACC,eAAA,CACA,kBAAA,CACA,sBAAA,CAIF,uDACC,iBAAA,CACA,aAAA,CACA,KAAA,CACA,MAAA,CACA,OAAA,CACA,QAAA,CACA,UAAA,CACA,UAAA,CACA,6BAAA,CAGD,wDACC,sBAAA,CAEA,+EACC,YAAA,CACA,sBAAA,CAEA,iCAAA,CAEA,kHACC,2BAAA,CACA,4BAAA,CACA,QAAA,CACA,8DAAA,CAGD,4GACC,mBAAA,CAMF,gRAEC,8CAAA,CAGA,gDAAA,CACA,0RACC,wCAAA,CAID,2aACC,oCAAA,CAIF,2DAEC,mBAAA,CAKF,oDACC,iBAAA,CACA,YAAA,CACA,gBAAA,CACA,kBAAA,CAEA,iCAAA,CACA,sBAAA,CACA,8BAAA,CACA,WAAA,CAEA,oCAAA,CACA,kCAAA,CAGA,sDACC,cAAA,CAGD,yDACC,0BAAA,CAEA,iGACC,8BAAA,CACA,+BAAA,CAID,+IAEC,WAAA,CACA,uJACC,0CAAA,CACA,2CAAA,CAKH,4DACC,eAAA,CACA,8BAAA,CACA,+BAAA,CACA,kCAAA,CAEA,kBAAA,CACA,sBAAA,CAGA,uGACC,oCAAA,CAKF,6DACC,iBAAA,CACA,OAAA,CACA,WAAA,CAID,4DACC,iBAAA,CACA,4CAAA,CACA,2CAAA,CACA,uCAAA,CAEA,cAAA,CAGA,kEACC,4BAAA,CACA,uCAAA,CACA,kBAAA,CAMH,oDAEC,eAAA,CAEA,aAAA,CAEA,sDACC,YAAA,CACA,kBAAA,CAEA,UAAA,CACA,WAAA,CAEA,WAAA,CAGA,oEACC,YAAA,CAID,uFACC,mDAAA,CACA,kBAAA,CAED,2GACC,uBAAA,CAIF,+EACC,4BAAA,CAEA,gBAAA,CACA,iBAAA,CAEA,mBAAA,CAGD,8EACC,mCAAA,CAEA,gBAAA,CAKF,sDACC,UAAA,CACA,eAAA,CACA,4DACC,UAAA,CAEA,gBAAA,CACA,eAAA,CACA,gBAAA,CAEA,oEAEC,+BAAA,CACA,SAAA,CAKH,uDAEC,UAAA,CAGA,oHAEC,2BAAA,CAIA,gFAEC,kBAAA,CAKH,8DACC,gBAAA,CAGD,yGAEC,mCAAA,CAED,oDACC,iCAAA,CAEA,wBAAA,CAGD,qDACC,+BAAA,CAGD,6DACC,+BAAA\",\"sourcesContent\":[\"\\n.files-list {\\n\\t--row-height: 55px;\\n\\t--cell-margin: 14px;\\n\\n\\t--checkbox-padding: calc((var(--row-height) - var(--checkbox-size)) / 2);\\n\\t--checkbox-size: 24px;\\n\\t--clickable-area: 44px;\\n\\t--icon-preview-size: 32px;\\n\\n\\toverflow: auto;\\n\\theight: 100%;\\n\\twill-change: scroll-position;\\n\\n\\t& :deep() {\\n\\t\\t// Table head, body and footer\\n\\t\\ttbody {\\n\\t\\t\\twill-change: padding;\\n\\t\\t\\tcontain: layout paint style;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\t// Necessary for virtual scrolling absolute\\n\\t\\t\\tposition: relative;\\n\\n\\t\\t\\t/* Hover effect on tbody lines only */\\n\\t\\t\\ttr {\\n\\t\\t\\t\\tcontain: strict;\\n\\t\\t\\t\\t&:hover,\\n\\t\\t\\t\\t&:focus {\\n\\t\\t\\t\\t\\tbackground-color: var(--color-background-dark);\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Before table and thead\\n\\t\\t.files-list__before {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t}\\n\\n\\t\\t.files-list__table {\\n\\t\\t\\tdisplay: block;\\n\\n\\t\\t\\t&.files-list__table--with-thead-overlay {\\n\\t\\t\\t\\t// Hide the table header below the overlay\\n\\t\\t\\t\\tmargin-top: calc(-1 * var(--row-height));\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__thead-overlay {\\n\\t\\t\\t// Pinned on top when scrolling\\n\\t\\t\\tposition: sticky;\\n\\t\\t\\ttop: 0;\\n\\t\\t\\t// Save space for a row checkbox\\n\\t\\t\\tmargin-left: var(--row-height);\\n\\t\\t\\t// More than .files-list__thead\\n\\t\\t\\tz-index: 20;\\n\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\talign-items: center;\\n\\n\\t\\t\\t// Reuse row styles\\n\\t\\t\\tbackground-color: var(--color-main-background);\\n\\t\\t\\tborder-bottom: 1px solid var(--color-border);\\n\\t\\t\\theight: var(--row-height);\\n\\t\\t}\\n\\n\\t\\t.files-list__thead,\\n\\t\\t.files-list__tfoot {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\tflex-direction: column;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\tbackground-color: var(--color-main-background);\\n\\n\\t\\t}\\n\\n\\t\\t// Table header\\n\\t\\t.files-list__thead {\\n\\t\\t\\t// Pinned on top when scrolling\\n\\t\\t\\tposition: sticky;\\n\\t\\t\\tz-index: 10;\\n\\t\\t\\ttop: 0;\\n\\t\\t}\\n\\n\\t\\t// Table footer\\n\\t\\t.files-list__tfoot {\\n\\t\\t\\tmin-height: 300px;\\n\\t\\t}\\n\\n\\t\\ttr {\\n\\t\\t\\tposition: relative;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\talign-items: center;\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\tuser-select: none;\\n\\t\\t\\tborder-bottom: 1px solid var(--color-border);\\n\\t\\t\\tbox-sizing: border-box;\\n\\t\\t\\tuser-select: none;\\n\\t\\t\\theight: var(--row-height);\\n\\t\\t}\\n\\n\\t\\ttd, th {\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\talign-items: center;\\n\\t\\t\\tflex: 0 0 auto;\\n\\t\\t\\tjustify-content: left;\\n\\t\\t\\twidth: var(--row-height);\\n\\t\\t\\theight: var(--row-height);\\n\\t\\t\\tmargin: 0;\\n\\t\\t\\tpadding: 0;\\n\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t\\tborder: none;\\n\\n\\t\\t\\t// Columns should try to add any text\\n\\t\\t\\t// node wrapped in a span. That should help\\n\\t\\t\\t// with the ellipsis on overflow.\\n\\t\\t\\tspan {\\n\\t\\t\\t\\toverflow: hidden;\\n\\t\\t\\t\\twhite-space: nowrap;\\n\\t\\t\\t\\ttext-overflow: ellipsis;\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row--failed {\\n\\t\\t\\tposition: absolute;\\n\\t\\t\\tdisplay: block;\\n\\t\\t\\ttop: 0;\\n\\t\\t\\tleft: 0;\\n\\t\\t\\tright: 0;\\n\\t\\t\\tbottom: 0;\\n\\t\\t\\topacity: .1;\\n\\t\\t\\tz-index: -1;\\n\\t\\t\\tbackground: var(--color-error);\\n\\t\\t}\\n\\n\\t\\t.files-list__row-checkbox {\\n\\t\\t\\tjustify-content: center;\\n\\n\\t\\t\\t.checkbox-radio-switch {\\n\\t\\t\\t\\tdisplay: flex;\\n\\t\\t\\t\\tjustify-content: center;\\n\\n\\t\\t\\t\\t--icon-size: var(--checkbox-size);\\n\\n\\t\\t\\t\\tlabel.checkbox-radio-switch__label {\\n\\t\\t\\t\\t\\twidth: var(--clickable-area);\\n\\t\\t\\t\\t\\theight: var(--clickable-area);\\n\\t\\t\\t\\t\\tmargin: 0;\\n\\t\\t\\t\\t\\tpadding: calc((var(--clickable-area) - var(--checkbox-size)) / 2);\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t.checkbox-radio-switch__icon {\\n\\t\\t\\t\\t\\tmargin: 0 !important;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row {\\n\\t\\t\\t&:hover, &:focus, &:active, &--active, &--dragover {\\n\\t\\t\\t\\t// WCAG AA compliant\\n\\t\\t\\t\\tbackground-color: var(--color-background-hover);\\n\\t\\t\\t\\t// text-maxcontrast have been designed to pass WCAG AA over\\n\\t\\t\\t\\t// a white background, we need to adjust then.\\n\\t\\t\\t\\t--color-text-maxcontrast: var(--color-main-text);\\n\\t\\t\\t\\t> * {\\n\\t\\t\\t\\t\\t--color-border: var(--color-border-dark);\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t// Hover state of the row should also change the favorite markers background\\n\\t\\t\\t\\t.favorite-marker-icon svg path {\\n\\t\\t\\t\\t\\tstroke: var(--color-background-hover);\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t&--dragover * {\\n\\t\\t\\t\\t// Prevent dropping on row children\\n\\t\\t\\t\\tpointer-events: none;\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Entry preview or mime icon\\n\\t\\t.files-list__row-icon {\\n\\t\\t\\tposition: relative;\\n\\t\\t\\tdisplay: flex;\\n\\t\\t\\toverflow: visible;\\n\\t\\t\\talign-items: center;\\n\\t\\t\\t// No shrinking or growing allowed\\n\\t\\t\\tflex: 0 0 var(--icon-preview-size);\\n\\t\\t\\tjustify-content: center;\\n\\t\\t\\twidth: var(--icon-preview-size);\\n\\t\\t\\theight: 100%;\\n\\t\\t\\t// Show same padding as the checkbox right padding for visual balance\\n\\t\\t\\tmargin-right: var(--checkbox-padding);\\n\\t\\t\\tcolor: var(--color-primary-element);\\n\\n\\t\\t\\t// Icon is also clickable\\n\\t\\t\\t* {\\n\\t\\t\\t\\tcursor: pointer;\\n\\t\\t\\t}\\n\\n\\t\\t\\t& > span {\\n\\t\\t\\t\\tjustify-content: flex-start;\\n\\n\\t\\t\\t\\t&:not(.files-list__row-icon-favorite) svg {\\n\\t\\t\\t\\t\\twidth: var(--icon-preview-size);\\n\\t\\t\\t\\t\\theight: var(--icon-preview-size);\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t// Slightly increase the size of the folder icon\\n\\t\\t\\t\\t&.folder-icon,\\n\\t\\t\\t\\t&.folder-open-icon {\\n\\t\\t\\t\\t\\tmargin: -3px;\\n\\t\\t\\t\\t\\tsvg {\\n\\t\\t\\t\\t\\t\\twidth: calc(var(--icon-preview-size) + 6px);\\n\\t\\t\\t\\t\\t\\theight: calc(var(--icon-preview-size) + 6px);\\n\\t\\t\\t\\t\\t}\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t&-preview {\\n\\t\\t\\t\\toverflow: hidden;\\n\\t\\t\\t\\twidth: var(--icon-preview-size);\\n\\t\\t\\t\\theight: var(--icon-preview-size);\\n\\t\\t\\t\\tborder-radius: var(--border-radius);\\n\\t\\t\\t\\t// Center and contain the preview\\n\\t\\t\\t\\tobject-fit: contain;\\n\\t\\t\\t\\tobject-position: center;\\n\\n\\t\\t\\t\\t/* Preview not loaded animation effect */\\n\\t\\t\\t\\t&:not(.files-list__row-icon-preview--loaded) {\\n\\t\\t\\t\\t\\tbackground: var(--color-loading-dark);\\n\\t\\t\\t\\t\\t// animation: preview-gradient-fade 1.2s ease-in-out infinite;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t&-favorite {\\n\\t\\t\\t\\tposition: absolute;\\n\\t\\t\\t\\ttop: 0px;\\n\\t\\t\\t\\tright: -10px;\\n\\t\\t\\t}\\n\\n\\t\\t\\t// File and folder overlay\\n\\t\\t\\t&-overlay {\\n\\t\\t\\t\\tposition: absolute;\\n\\t\\t\\t\\tmax-height: calc(var(--icon-preview-size) * 0.5);\\n\\t\\t\\t\\tmax-width: calc(var(--icon-preview-size) * 0.5);\\n\\t\\t\\t\\tcolor: var(--color-primary-element-text);\\n\\t\\t\\t\\t// better alignment with the folder icon\\n\\t\\t\\t\\tmargin-top: 2px;\\n\\n\\t\\t\\t\\t// Improve icon contrast with a background for files\\n\\t\\t\\t\\t&--file {\\n\\t\\t\\t\\t\\tcolor: var(--color-main-text);\\n\\t\\t\\t\\t\\tbackground: var(--color-main-background);\\n\\t\\t\\t\\t\\tborder-radius: 100%;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Entry link\\n\\t\\t.files-list__row-name {\\n\\t\\t\\t// Prevent link from overflowing\\n\\t\\t\\toverflow: hidden;\\n\\t\\t\\t// Take as much space as possible\\n\\t\\t\\tflex: 1 1 auto;\\n\\n\\t\\t\\ta {\\n\\t\\t\\t\\tdisplay: flex;\\n\\t\\t\\t\\talign-items: center;\\n\\t\\t\\t\\t// Fill cell height and width\\n\\t\\t\\t\\twidth: 100%;\\n\\t\\t\\t\\theight: 100%;\\n\\t\\t\\t\\t// Necessary for flex grow to work\\n\\t\\t\\t\\tmin-width: 0;\\n\\n\\t\\t\\t\\t// Already added to the inner text, see rule below\\n\\t\\t\\t\\t&:focus-visible {\\n\\t\\t\\t\\t\\toutline: none;\\n\\t\\t\\t\\t}\\n\\n\\t\\t\\t\\t// Keyboard indicator a11y\\n\\t\\t\\t\\t&:focus .files-list__row-name-text {\\n\\t\\t\\t\\t\\toutline: 2px solid var(--color-main-text) !important;\\n\\t\\t\\t\\t\\tborder-radius: 20px;\\n\\t\\t\\t\\t}\\n\\t\\t\\t\\t&:focus:not(:focus-visible) .files-list__row-name-text {\\n\\t\\t\\t\\t\\toutline: none !important;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\n\\t\\t\\t.files-list__row-name-text {\\n\\t\\t\\t\\tcolor: var(--color-main-text);\\n\\t\\t\\t\\t// Make some space for the outline\\n\\t\\t\\t\\tpadding: 5px 10px;\\n\\t\\t\\t\\tmargin-left: -10px;\\n\\t\\t\\t\\t// Align two name and ext\\n\\t\\t\\t\\tdisplay: inline-flex;\\n\\t\\t\\t}\\n\\n\\t\\t\\t.files-list__row-name-ext {\\n\\t\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t\\t\\t// always show the extension\\n\\t\\t\\t\\toverflow: visible;\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t// Rename form\\n\\t\\t.files-list__row-rename {\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\tmax-width: 600px;\\n\\t\\t\\tinput {\\n\\t\\t\\t\\twidth: 100%;\\n\\t\\t\\t\\t// Align with text, 0 - padding - border\\n\\t\\t\\t\\tmargin-left: -8px;\\n\\t\\t\\t\\tpadding: 2px 6px;\\n\\t\\t\\t\\tborder-width: 2px;\\n\\n\\t\\t\\t\\t&:invalid {\\n\\t\\t\\t\\t\\t// Show red border on invalid input\\n\\t\\t\\t\\t\\tborder-color: var(--color-error);\\n\\t\\t\\t\\t\\tcolor: red;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row-actions {\\n\\t\\t\\t// take as much space as necessary\\n\\t\\t\\twidth: auto;\\n\\n\\t\\t\\t// Add margin to all cells after the actions\\n\\t\\t\\t& ~ td,\\n\\t\\t\\t& ~ th {\\n\\t\\t\\t\\tmargin: 0 var(--cell-margin);\\n\\t\\t\\t}\\n\\n\\t\\t\\tbutton {\\n\\t\\t\\t\\t.button-vue__text {\\n\\t\\t\\t\\t\\t// Remove bold from default button styling\\n\\t\\t\\t\\t\\tfont-weight: normal;\\n\\t\\t\\t\\t}\\n\\t\\t\\t}\\n\\t\\t}\\n\\n\\t\\t.files-list__row-action--inline {\\n\\t\\t\\tmargin-right: 7px;\\n\\t\\t}\\n\\n\\t\\t.files-list__row-mtime,\\n\\t\\t.files-list__row-size {\\n\\t\\t\\tcolor: var(--color-text-maxcontrast);\\n\\t\\t}\\n\\t\\t.files-list__row-size {\\n\\t\\t\\twidth: calc(var(--row-height) * 1.5);\\n\\t\\t\\t// Right align content/text\\n\\t\\t\\tjustify-content: flex-end;\\n\\t\\t}\\n\\n\\t\\t.files-list__row-mtime {\\n\\t\\t\\twidth: calc(var(--row-height) * 2);\\n\\t\\t}\\n\\n\\t\\t.files-list__row-column-custom {\\n\\t\\t\\twidth: calc(var(--row-height) * 2);\\n\\t\\t}\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `tbody.files-list__tbody.files-list__tbody--grid{--half-clickable-area: calc(var(--clickable-area) / 2);--row-width: 160px;--row-height: calc(var(--row-width) - var(--half-clickable-area));--icon-preview-size: calc(var(--row-width) - var(--clickable-area));--checkbox-padding: 0px;display:grid;grid-template-columns:repeat(auto-fill, var(--row-width));grid-gap:15px;row-gap:15px;align-content:center;align-items:center;justify-content:space-around;justify-items:center}tbody.files-list__tbody.files-list__tbody--grid tr{width:var(--row-width);height:calc(var(--row-height) + var(--clickable-area));border:none;border-radius:var(--border-radius)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-checkbox{position:absolute;z-index:9;top:0;left:0;overflow:hidden;width:var(--clickable-area);height:var(--clickable-area);border-radius:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-icon-favorite{position:absolute;top:0;right:0;display:flex;align-items:center;justify-content:center;width:var(--clickable-area);height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name{display:grid;justify-content:stretch;width:100%;height:100%;grid-auto-rows:var(--row-height) var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name span.files-list__row-icon{width:100%;height:100%;padding-top:var(--half-clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name a.files-list__row-name-link{width:calc(100% - var(--clickable-area));height:var(--clickable-area)}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-name .files-list__row-name-text{margin:0;padding-right:0}tbody.files-list__tbody.files-list__tbody--grid .files-list__row-actions{position:absolute;right:0;bottom:0;width:var(--clickable-area);height:var(--clickable-area)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/FilesListVirtual.vue\"],\"names\":[],\"mappings\":\"AAEA,gDACC,sDAAA,CACA,kBAAA,CAEA,iEAAA,CACA,mEAAA,CACA,uBAAA,CAEA,YAAA,CACA,yDAAA,CACA,aAAA,CACA,YAAA,CAEA,oBAAA,CACA,kBAAA,CACA,4BAAA,CACA,oBAAA,CAEA,mDACC,sBAAA,CACA,sDAAA,CACA,WAAA,CACA,kCAAA,CAID,0EACC,iBAAA,CACA,SAAA,CACA,KAAA,CACA,MAAA,CACA,eAAA,CACA,2BAAA,CACA,4BAAA,CACA,wCAAA,CAID,+EACC,iBAAA,CACA,KAAA,CACA,OAAA,CACA,YAAA,CACA,kBAAA,CACA,sBAAA,CACA,2BAAA,CACA,4BAAA,CAGD,sEACC,YAAA,CACA,uBAAA,CACA,UAAA,CACA,WAAA,CACA,sDAAA,CAEA,gGACC,UAAA,CACA,WAAA,CAGA,sCAAA,CAGD,kGAEC,wCAAA,CACA,4BAAA,CAGD,iGACC,QAAA,CACA,eAAA,CAIF,yEACC,iBAAA,CACA,OAAA,CACA,QAAA,CACA,2BAAA,CACA,4BAAA\",\"sourcesContent\":[\"\\n// Grid mode\\ntbody.files-list__tbody.files-list__tbody--grid {\\n\\t--half-clickable-area: calc(var(--clickable-area) / 2);\\n\\t--row-width: 160px;\\n\\t// We use half of the clickable area as visual balance margin\\n\\t--row-height: calc(var(--row-width) - var(--half-clickable-area));\\n\\t--icon-preview-size: calc(var(--row-width) - var(--clickable-area));\\n\\t--checkbox-padding: 0px;\\n\\n\\tdisplay: grid;\\n\\tgrid-template-columns: repeat(auto-fill, var(--row-width));\\n\\tgrid-gap: 15px;\\n\\trow-gap: 15px;\\n\\n\\talign-content: center;\\n\\talign-items: center;\\n\\tjustify-content: space-around;\\n\\tjustify-items: center;\\n\\n\\ttr {\\n\\t\\twidth: var(--row-width);\\n\\t\\theight: calc(var(--row-height) + var(--clickable-area));\\n\\t\\tborder: none;\\n\\t\\tborder-radius: var(--border-radius);\\n\\t}\\n\\n\\t// Checkbox in the top left\\n\\t.files-list__row-checkbox {\\n\\t\\tposition: absolute;\\n\\t\\tz-index: 9;\\n\\t\\ttop: 0;\\n\\t\\tleft: 0;\\n\\t\\toverflow: hidden;\\n\\t\\twidth: var(--clickable-area);\\n\\t\\theight: var(--clickable-area);\\n\\t\\tborder-radius: var(--half-clickable-area);\\n\\t}\\n\\n\\t// Star icon in the top right\\n\\t.files-list__row-icon-favorite {\\n\\t\\tposition: absolute;\\n\\t\\ttop: 0;\\n\\t\\tright: 0;\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\tjustify-content: center;\\n\\t\\twidth: var(--clickable-area);\\n\\t\\theight: var(--clickable-area);\\n\\t}\\n\\n\\t.files-list__row-name {\\n\\t\\tdisplay: grid;\\n\\t\\tjustify-content: stretch;\\n\\t\\twidth: 100%;\\n\\t\\theight: 100%;\\n\\t\\tgrid-auto-rows: var(--row-height) var(--clickable-area);\\n\\n\\t\\tspan.files-list__row-icon {\\n\\t\\t\\twidth: 100%;\\n\\t\\t\\theight: 100%;\\n\\t\\t\\t// Visual balance, we use half of the clickable area\\n\\t\\t\\t// as a margin around the preview\\n\\t\\t\\tpadding-top: var(--half-clickable-area);\\n\\t\\t}\\n\\n\\t\\ta.files-list__row-name-link {\\n\\t\\t\\t// Minus action menu\\n\\t\\t\\twidth: calc(100% - var(--clickable-area));\\n\\t\\t\\theight: var(--clickable-area);\\n\\t\\t}\\n\\n\\t\\t.files-list__row-name-text {\\n\\t\\t\\tmargin: 0;\\n\\t\\t\\tpadding-right: 0;\\n\\t\\t}\\n\\t}\\n\\n\\t.files-list__row-actions {\\n\\t\\tposition: absolute;\\n\\t\\tright: 0;\\n\\t\\tbottom: 0;\\n\\t\\twidth: var(--clickable-area);\\n\\t\\theight: var(--clickable-area);\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-navigation-entry__settings-quota--not-unlimited[data-v-063ed938] .app-navigation-entry__name{margin-top:-6px}.app-navigation-entry__settings-quota progress[data-v-063ed938]{position:absolute;bottom:12px;margin-left:44px;width:calc(100% - 44px - 22px)}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/components/NavigationQuota.vue\"],\"names\":[],\"mappings\":\"AAIC,kGACC,eAAA,CAGD,gEACC,iBAAA,CACA,WAAA,CACA,gBAAA,CACA,8BAAA\",\"sourcesContent\":[\"\\n// User storage stats display\\n.app-navigation-entry__settings-quota {\\n\\t// Align title with progress and icon\\n\\t&--not-unlimited::v-deep .app-navigation-entry__name {\\n\\t\\tmargin-top: -6px;\\n\\t}\\n\\n\\tprogress {\\n\\t\\tposition: absolute;\\n\\t\\tbottom: 12px;\\n\\t\\tmargin-left: 44px;\\n\\t\\twidth: calc(100% - 44px - 22px);\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-content[data-v-fa8969e4]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-fa8969e4]{display:flex;align-items:center;flex:0 0;max-width:100%;margin-block:var(--app-navigation-padding, 4px);margin-inline:calc(var(--default-clickable-area, 44px) + 2*var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px)}.files-list__header>*[data-v-fa8969e4]{flex:0 0}.files-list__header-share-button[data-v-fa8969e4]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-fa8969e4]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-fa8969e4]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-fa8969e4]{margin:auto}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/FilesList.vue\"],\"names\":[],\"mappings\":\"AACA,8BAEC,YAAA,CACA,eAAA,CACA,qBAAA,CACA,eAAA,CACA,4BAAA,CAIA,qCACC,YAAA,CACA,kBAAA,CAEA,QAAA,CACA,cAAA,CAEA,+CAAA,CACA,iIAAA,CAEA,uCAGC,QAAA,CAGD,kDACC,8CAAA,CAEA,0DACC,uCAAA,CAKH,2CACC,aAAA,CACA,UAAA,CACA,WAAA,CAGD,2CACC,WAAA\",\"sourcesContent\":[\"\\n.app-content {\\n\\t// Virtual list needs to be full height and is scrollable\\n\\tdisplay: flex;\\n\\toverflow: hidden;\\n\\tflex-direction: column;\\n\\tmax-height: 100%;\\n\\tposition: relative !important;\\n}\\n\\n.files-list {\\n\\t&__header {\\n\\t\\tdisplay: flex;\\n\\t\\talign-items: center;\\n\\t\\t// Do not grow or shrink (vertically)\\n\\t\\tflex: 0 0;\\n\\t\\tmax-width: 100%;\\n\\t\\t// Align with the navigation toggle icon\\n\\t\\tmargin-block: var(--app-navigation-padding, 4px);\\n\\t\\tmargin-inline: calc(var(--default-clickable-area, 44px) + 2 * var(--app-navigation-padding, 4px)) var(--app-navigation-padding, 4px);\\n\\n\\t\\t>* {\\n\\t\\t\\t// Do not grow or shrink (horizontally)\\n\\t\\t\\t// Only the breadcrumbs shrinks\\n\\t\\t\\tflex: 0 0;\\n\\t\\t}\\n\\n\\t\\t&-share-button {\\n\\t\\t\\tcolor: var(--color-text-maxcontrast) !important;\\n\\n\\t\\t\\t&--shared {\\n\\t\\t\\t\\tcolor: var(--color-main-text) !important;\\n\\t\\t\\t}\\n\\t\\t}\\n\\t}\\n\\n\\t&__refresh-icon {\\n\\t\\tflex: 0 0 44px;\\n\\t\\twidth: 44px;\\n\\t\\theight: 44px;\\n\\t}\\n\\n\\t&__loading-icon {\\n\\t\\tmargin: auto;\\n\\t}\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.app-navigation[data-v-8291caa8] .app-navigation-entry-icon{background-repeat:no-repeat;background-position:center}.app-navigation[data-v-8291caa8] .app-navigation-entry.active .button-vue.icon-collapse:not(:hover){color:var(--color-primary-element-text)}.app-navigation>ul.app-navigation__list[data-v-8291caa8]{padding-bottom:var(--default-grid-baseline, 4px)}.app-navigation-entry__settings[data-v-8291caa8]{height:auto !important;overflow:hidden !important;padding-top:0 !important;flex:0 0 auto}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/Navigation.vue\"],\"names\":[],\"mappings\":\"AAEA,4DACC,2BAAA,CACA,0BAAA,CAGD,oGACC,uCAAA,CAGD,yDAEC,gDAAA,CAGD,iDACC,sBAAA,CACA,0BAAA,CACA,wBAAA,CAEA,aAAA\",\"sourcesContent\":[\"\\n// TODO: remove when https://github.com/nextcloud/nextcloud-vue/pull/3539 is in\\n.app-navigation::v-deep .app-navigation-entry-icon {\\n\\tbackground-repeat: no-repeat;\\n\\tbackground-position: center;\\n}\\n\\n.app-navigation::v-deep .app-navigation-entry.active .button-vue.icon-collapse:not(:hover) {\\n\\tcolor: var(--color-primary-element-text);\\n}\\n\\n.app-navigation > ul.app-navigation__list {\\n\\t// Use flex gap value for more elegant spacing\\n\\tpadding-bottom: var(--default-grid-baseline, 4px);\\n}\\n\\n.app-navigation-entry__settings {\\n\\theight: auto !important;\\n\\toverflow: hidden !important;\\n\\tpadding-top: 0 !important;\\n\\t// Prevent shrinking or growing\\n\\tflex: 0 0 auto;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n","// Imports\nimport ___CSS_LOADER_API_SOURCEMAP_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/sourceMaps.js\";\nimport ___CSS_LOADER_API_IMPORT___ from \"../../../../node_modules/css-loader/dist/runtime/api.js\";\nvar ___CSS_LOADER_EXPORT___ = ___CSS_LOADER_API_IMPORT___(___CSS_LOADER_API_SOURCEMAP_IMPORT___);\n// Module\n___CSS_LOADER_EXPORT___.push([module.id, `.setting-link[data-v-109572de]:hover{text-decoration:underline}`, \"\",{\"version\":3,\"sources\":[\"webpack://./apps/files/src/views/Settings.vue\"],\"names\":[],\"mappings\":\"AACA,qCACC,yBAAA\",\"sourcesContent\":[\"\\n.setting-link:hover {\\n\\ttext-decoration: underline;\\n}\\n\"],\"sourceRoot\":\"\"}]);\n// Exports\nexport default ___CSS_LOADER_EXPORT___;\n",";(function (sax) { // wrapper for non-node envs\n sax.parser = function (strict, opt) { return new SAXParser(strict, opt) }\n sax.SAXParser = SAXParser\n sax.SAXStream = SAXStream\n sax.createStream = createStream\n\n // When we pass the MAX_BUFFER_LENGTH position, start checking for buffer overruns.\n // When we check, schedule the next check for MAX_BUFFER_LENGTH - (max(buffer lengths)),\n // since that's the earliest that a buffer overrun could occur. This way, checks are\n // as rare as required, but as often as necessary to ensure never crossing this bound.\n // Furthermore, buffers are only tested at most once per write(), so passing a very\n // large string into write() might have undesirable effects, but this is manageable by\n // the caller, so it is assumed to be safe. Thus, a call to write() may, in the extreme\n // edge case, result in creating at most one complete copy of the string passed in.\n // Set to Infinity to have unlimited buffers.\n sax.MAX_BUFFER_LENGTH = 64 * 1024\n\n var buffers = [\n 'comment', 'sgmlDecl', 'textNode', 'tagName', 'doctype',\n 'procInstName', 'procInstBody', 'entity', 'attribName',\n 'attribValue', 'cdata', 'script'\n ]\n\n sax.EVENTS = [\n 'text',\n 'processinginstruction',\n 'sgmldeclaration',\n 'doctype',\n 'comment',\n 'opentagstart',\n 'attribute',\n 'opentag',\n 'closetag',\n 'opencdata',\n 'cdata',\n 'closecdata',\n 'error',\n 'end',\n 'ready',\n 'script',\n 'opennamespace',\n 'closenamespace'\n ]\n\n function SAXParser (strict, opt) {\n if (!(this instanceof SAXParser)) {\n return new SAXParser(strict, opt)\n }\n\n var parser = this\n clearBuffers(parser)\n parser.q = parser.c = ''\n parser.bufferCheckPosition = sax.MAX_BUFFER_LENGTH\n parser.opt = opt || {}\n parser.opt.lowercase = parser.opt.lowercase || parser.opt.lowercasetags\n parser.looseCase = parser.opt.lowercase ? 'toLowerCase' : 'toUpperCase'\n parser.tags = []\n parser.closed = parser.closedRoot = parser.sawRoot = false\n parser.tag = parser.error = null\n parser.strict = !!strict\n parser.noscript = !!(strict || parser.opt.noscript)\n parser.state = S.BEGIN\n parser.strictEntities = parser.opt.strictEntities\n parser.ENTITIES = parser.strictEntities ? Object.create(sax.XML_ENTITIES) : Object.create(sax.ENTITIES)\n parser.attribList = []\n\n // namespaces form a prototype chain.\n // it always points at the current tag,\n // which protos to its parent tag.\n if (parser.opt.xmlns) {\n parser.ns = Object.create(rootNS)\n }\n\n // mostly just for error reporting\n parser.trackPosition = parser.opt.position !== false\n if (parser.trackPosition) {\n parser.position = parser.line = parser.column = 0\n }\n emit(parser, 'onready')\n }\n\n if (!Object.create) {\n Object.create = function (o) {\n function F () {}\n F.prototype = o\n var newf = new F()\n return newf\n }\n }\n\n if (!Object.keys) {\n Object.keys = function (o) {\n var a = []\n for (var i in o) if (o.hasOwnProperty(i)) a.push(i)\n return a\n }\n }\n\n function checkBufferLength (parser) {\n var maxAllowed = Math.max(sax.MAX_BUFFER_LENGTH, 10)\n var maxActual = 0\n for (var i = 0, l = buffers.length; i < l; i++) {\n var len = parser[buffers[i]].length\n if (len > maxAllowed) {\n // Text/cdata nodes can get big, and since they're buffered,\n // we can get here under normal conditions.\n // Avoid issues by emitting the text node now,\n // so at least it won't get any bigger.\n switch (buffers[i]) {\n case 'textNode':\n closeText(parser)\n break\n\n case 'cdata':\n emitNode(parser, 'oncdata', parser.cdata)\n parser.cdata = ''\n break\n\n case 'script':\n emitNode(parser, 'onscript', parser.script)\n parser.script = ''\n break\n\n default:\n error(parser, 'Max buffer length exceeded: ' + buffers[i])\n }\n }\n maxActual = Math.max(maxActual, len)\n }\n // schedule the next check for the earliest possible buffer overrun.\n var m = sax.MAX_BUFFER_LENGTH - maxActual\n parser.bufferCheckPosition = m + parser.position\n }\n\n function clearBuffers (parser) {\n for (var i = 0, l = buffers.length; i < l; i++) {\n parser[buffers[i]] = ''\n }\n }\n\n function flushBuffers (parser) {\n closeText(parser)\n if (parser.cdata !== '') {\n emitNode(parser, 'oncdata', parser.cdata)\n parser.cdata = ''\n }\n if (parser.script !== '') {\n emitNode(parser, 'onscript', parser.script)\n parser.script = ''\n }\n }\n\n SAXParser.prototype = {\n end: function () { end(this) },\n write: write,\n resume: function () { this.error = null; return this },\n close: function () { return this.write(null) },\n flush: function () { flushBuffers(this) }\n }\n\n var Stream\n try {\n Stream = require('stream').Stream\n } catch (ex) {\n Stream = function () {}\n }\n if (!Stream) Stream = function () {}\n\n var streamWraps = sax.EVENTS.filter(function (ev) {\n return ev !== 'error' && ev !== 'end'\n })\n\n function createStream (strict, opt) {\n return new SAXStream(strict, opt)\n }\n\n function SAXStream (strict, opt) {\n if (!(this instanceof SAXStream)) {\n return new SAXStream(strict, opt)\n }\n\n Stream.apply(this)\n\n this._parser = new SAXParser(strict, opt)\n this.writable = true\n this.readable = true\n\n var me = this\n\n this._parser.onend = function () {\n me.emit('end')\n }\n\n this._parser.onerror = function (er) {\n me.emit('error', er)\n\n // if didn't throw, then means error was handled.\n // go ahead and clear error, so we can write again.\n me._parser.error = null\n }\n\n this._decoder = null\n\n streamWraps.forEach(function (ev) {\n Object.defineProperty(me, 'on' + ev, {\n get: function () {\n return me._parser['on' + ev]\n },\n set: function (h) {\n if (!h) {\n me.removeAllListeners(ev)\n me._parser['on' + ev] = h\n return h\n }\n me.on(ev, h)\n },\n enumerable: true,\n configurable: false\n })\n })\n }\n\n SAXStream.prototype = Object.create(Stream.prototype, {\n constructor: {\n value: SAXStream\n }\n })\n\n SAXStream.prototype.write = function (data) {\n if (typeof Buffer === 'function' &&\n typeof Buffer.isBuffer === 'function' &&\n Buffer.isBuffer(data)) {\n if (!this._decoder) {\n var SD = require('string_decoder').StringDecoder\n this._decoder = new SD('utf8')\n }\n data = this._decoder.write(data)\n }\n\n this._parser.write(data.toString())\n this.emit('data', data)\n return true\n }\n\n SAXStream.prototype.end = function (chunk) {\n if (chunk && chunk.length) {\n this.write(chunk)\n }\n this._parser.end()\n return true\n }\n\n SAXStream.prototype.on = function (ev, handler) {\n var me = this\n if (!me._parser['on' + ev] && streamWraps.indexOf(ev) !== -1) {\n me._parser['on' + ev] = function () {\n var args = arguments.length === 1 ? [arguments[0]] : Array.apply(null, arguments)\n args.splice(0, 0, ev)\n me.emit.apply(me, args)\n }\n }\n\n return Stream.prototype.on.call(me, ev, handler)\n }\n\n // this really needs to be replaced with character classes.\n // XML allows all manner of ridiculous numbers and digits.\n var CDATA = '[CDATA['\n var DOCTYPE = 'DOCTYPE'\n var XML_NAMESPACE = 'http://www.w3.org/XML/1998/namespace'\n var XMLNS_NAMESPACE = 'http://www.w3.org/2000/xmlns/'\n var rootNS = { xml: XML_NAMESPACE, xmlns: XMLNS_NAMESPACE }\n\n // http://www.w3.org/TR/REC-xml/#NT-NameStartChar\n // This implementation works on strings, a single character at a time\n // as such, it cannot ever support astral-plane characters (10000-EFFFF)\n // without a significant breaking change to either this parser, or the\n // JavaScript language. Implementation of an emoji-capable xml parser\n // is left as an exercise for the reader.\n var nameStart = /[:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]/\n\n var nameBody = /[:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD\\u00B7\\u0300-\\u036F\\u203F-\\u2040.\\d-]/\n\n var entityStart = /[#:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]/\n var entityBody = /[#:_A-Za-z\\u00C0-\\u00D6\\u00D8-\\u00F6\\u00F8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C-\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD\\u00B7\\u0300-\\u036F\\u203F-\\u2040.\\d-]/\n\n function isWhitespace (c) {\n return c === ' ' || c === '\\n' || c === '\\r' || c === '\\t'\n }\n\n function isQuote (c) {\n return c === '\"' || c === '\\''\n }\n\n function isAttribEnd (c) {\n return c === '>' || isWhitespace(c)\n }\n\n function isMatch (regex, c) {\n return regex.test(c)\n }\n\n function notMatch (regex, c) {\n return !isMatch(regex, c)\n }\n\n var S = 0\n sax.STATE = {\n BEGIN: S++, // leading byte order mark or whitespace\n BEGIN_WHITESPACE: S++, // leading whitespace\n TEXT: S++, // general stuff\n TEXT_ENTITY: S++, // &amp and such.\n OPEN_WAKA: S++, // <\n SGML_DECL: S++, // <!BLARG\n SGML_DECL_QUOTED: S++, // <!BLARG foo \"bar\n DOCTYPE: S++, // <!DOCTYPE\n DOCTYPE_QUOTED: S++, // <!DOCTYPE \"//blah\n DOCTYPE_DTD: S++, // <!DOCTYPE \"//blah\" [ ...\n DOCTYPE_DTD_QUOTED: S++, // <!DOCTYPE \"//blah\" [ \"foo\n COMMENT_STARTING: S++, // <!-\n COMMENT: S++, // <!--\n COMMENT_ENDING: S++, // <!-- blah -\n COMMENT_ENDED: S++, // <!-- blah --\n CDATA: S++, // <![CDATA[ something\n CDATA_ENDING: S++, // ]\n CDATA_ENDING_2: S++, // ]]\n PROC_INST: S++, // <?hi\n PROC_INST_BODY: S++, // <?hi there\n PROC_INST_ENDING: S++, // <?hi \"there\" ?\n OPEN_TAG: S++, // <strong\n OPEN_TAG_SLASH: S++, // <strong /\n ATTRIB: S++, // <a\n ATTRIB_NAME: S++, // <a foo\n ATTRIB_NAME_SAW_WHITE: S++, // <a foo _\n ATTRIB_VALUE: S++, // <a foo=\n ATTRIB_VALUE_QUOTED: S++, // <a foo=\"bar\n ATTRIB_VALUE_CLOSED: S++, // <a foo=\"bar\"\n ATTRIB_VALUE_UNQUOTED: S++, // <a foo=bar\n ATTRIB_VALUE_ENTITY_Q: S++, // <foo bar=\"&quot;\"\n ATTRIB_VALUE_ENTITY_U: S++, // <foo bar=&quot\n CLOSE_TAG: S++, // </a\n CLOSE_TAG_SAW_WHITE: S++, // </a >\n SCRIPT: S++, // <script> ...\n SCRIPT_ENDING: S++ // <script> ... <\n }\n\n sax.XML_ENTITIES = {\n 'amp': '&',\n 'gt': '>',\n 'lt': '<',\n 'quot': '\"',\n 'apos': \"'\"\n }\n\n sax.ENTITIES = {\n 'amp': '&',\n 'gt': '>',\n 'lt': '<',\n 'quot': '\"',\n 'apos': \"'\",\n 'AElig': 198,\n 'Aacute': 193,\n 'Acirc': 194,\n 'Agrave': 192,\n 'Aring': 197,\n 'Atilde': 195,\n 'Auml': 196,\n 'Ccedil': 199,\n 'ETH': 208,\n 'Eacute': 201,\n 'Ecirc': 202,\n 'Egrave': 200,\n 'Euml': 203,\n 'Iacute': 205,\n 'Icirc': 206,\n 'Igrave': 204,\n 'Iuml': 207,\n 'Ntilde': 209,\n 'Oacute': 211,\n 'Ocirc': 212,\n 'Ograve': 210,\n 'Oslash': 216,\n 'Otilde': 213,\n 'Ouml': 214,\n 'THORN': 222,\n 'Uacute': 218,\n 'Ucirc': 219,\n 'Ugrave': 217,\n 'Uuml': 220,\n 'Yacute': 221,\n 'aacute': 225,\n 'acirc': 226,\n 'aelig': 230,\n 'agrave': 224,\n 'aring': 229,\n 'atilde': 227,\n 'auml': 228,\n 'ccedil': 231,\n 'eacute': 233,\n 'ecirc': 234,\n 'egrave': 232,\n 'eth': 240,\n 'euml': 235,\n 'iacute': 237,\n 'icirc': 238,\n 'igrave': 236,\n 'iuml': 239,\n 'ntilde': 241,\n 'oacute': 243,\n 'ocirc': 244,\n 'ograve': 242,\n 'oslash': 248,\n 'otilde': 245,\n 'ouml': 246,\n 'szlig': 223,\n 'thorn': 254,\n 'uacute': 250,\n 'ucirc': 251,\n 'ugrave': 249,\n 'uuml': 252,\n 'yacute': 253,\n 'yuml': 255,\n 'copy': 169,\n 'reg': 174,\n 'nbsp': 160,\n 'iexcl': 161,\n 'cent': 162,\n 'pound': 163,\n 'curren': 164,\n 'yen': 165,\n 'brvbar': 166,\n 'sect': 167,\n 'uml': 168,\n 'ordf': 170,\n 'laquo': 171,\n 'not': 172,\n 'shy': 173,\n 'macr': 175,\n 'deg': 176,\n 'plusmn': 177,\n 'sup1': 185,\n 'sup2': 178,\n 'sup3': 179,\n 'acute': 180,\n 'micro': 181,\n 'para': 182,\n 'middot': 183,\n 'cedil': 184,\n 'ordm': 186,\n 'raquo': 187,\n 'frac14': 188,\n 'frac12': 189,\n 'frac34': 190,\n 'iquest': 191,\n 'times': 215,\n 'divide': 247,\n 'OElig': 338,\n 'oelig': 339,\n 'Scaron': 352,\n 'scaron': 353,\n 'Yuml': 376,\n 'fnof': 402,\n 'circ': 710,\n 'tilde': 732,\n 'Alpha': 913,\n 'Beta': 914,\n 'Gamma': 915,\n 'Delta': 916,\n 'Epsilon': 917,\n 'Zeta': 918,\n 'Eta': 919,\n 'Theta': 920,\n 'Iota': 921,\n 'Kappa': 922,\n 'Lambda': 923,\n 'Mu': 924,\n 'Nu': 925,\n 'Xi': 926,\n 'Omicron': 927,\n 'Pi': 928,\n 'Rho': 929,\n 'Sigma': 931,\n 'Tau': 932,\n 'Upsilon': 933,\n 'Phi': 934,\n 'Chi': 935,\n 'Psi': 936,\n 'Omega': 937,\n 'alpha': 945,\n 'beta': 946,\n 'gamma': 947,\n 'delta': 948,\n 'epsilon': 949,\n 'zeta': 950,\n 'eta': 951,\n 'theta': 952,\n 'iota': 953,\n 'kappa': 954,\n 'lambda': 955,\n 'mu': 956,\n 'nu': 957,\n 'xi': 958,\n 'omicron': 959,\n 'pi': 960,\n 'rho': 961,\n 'sigmaf': 962,\n 'sigma': 963,\n 'tau': 964,\n 'upsilon': 965,\n 'phi': 966,\n 'chi': 967,\n 'psi': 968,\n 'omega': 969,\n 'thetasym': 977,\n 'upsih': 978,\n 'piv': 982,\n 'ensp': 8194,\n 'emsp': 8195,\n 'thinsp': 8201,\n 'zwnj': 8204,\n 'zwj': 8205,\n 'lrm': 8206,\n 'rlm': 8207,\n 'ndash': 8211,\n 'mdash': 8212,\n 'lsquo': 8216,\n 'rsquo': 8217,\n 'sbquo': 8218,\n 'ldquo': 8220,\n 'rdquo': 8221,\n 'bdquo': 8222,\n 'dagger': 8224,\n 'Dagger': 8225,\n 'bull': 8226,\n 'hellip': 8230,\n 'permil': 8240,\n 'prime': 8242,\n 'Prime': 8243,\n 'lsaquo': 8249,\n 'rsaquo': 8250,\n 'oline': 8254,\n 'frasl': 8260,\n 'euro': 8364,\n 'image': 8465,\n 'weierp': 8472,\n 'real': 8476,\n 'trade': 8482,\n 'alefsym': 8501,\n 'larr': 8592,\n 'uarr': 8593,\n 'rarr': 8594,\n 'darr': 8595,\n 'harr': 8596,\n 'crarr': 8629,\n 'lArr': 8656,\n 'uArr': 8657,\n 'rArr': 8658,\n 'dArr': 8659,\n 'hArr': 8660,\n 'forall': 8704,\n 'part': 8706,\n 'exist': 8707,\n 'empty': 8709,\n 'nabla': 8711,\n 'isin': 8712,\n 'notin': 8713,\n 'ni': 8715,\n 'prod': 8719,\n 'sum': 8721,\n 'minus': 8722,\n 'lowast': 8727,\n 'radic': 8730,\n 'prop': 8733,\n 'infin': 8734,\n 'ang': 8736,\n 'and': 8743,\n 'or': 8744,\n 'cap': 8745,\n 'cup': 8746,\n 'int': 8747,\n 'there4': 8756,\n 'sim': 8764,\n 'cong': 8773,\n 'asymp': 8776,\n 'ne': 8800,\n 'equiv': 8801,\n 'le': 8804,\n 'ge': 8805,\n 'sub': 8834,\n 'sup': 8835,\n 'nsub': 8836,\n 'sube': 8838,\n 'supe': 8839,\n 'oplus': 8853,\n 'otimes': 8855,\n 'perp': 8869,\n 'sdot': 8901,\n 'lceil': 8968,\n 'rceil': 8969,\n 'lfloor': 8970,\n 'rfloor': 8971,\n 'lang': 9001,\n 'rang': 9002,\n 'loz': 9674,\n 'spades': 9824,\n 'clubs': 9827,\n 'hearts': 9829,\n 'diams': 9830\n }\n\n Object.keys(sax.ENTITIES).forEach(function (key) {\n var e = sax.ENTITIES[key]\n var s = typeof e === 'number' ? String.fromCharCode(e) : e\n sax.ENTITIES[key] = s\n })\n\n for (var s in sax.STATE) {\n sax.STATE[sax.STATE[s]] = s\n }\n\n // shorthand\n S = sax.STATE\n\n function emit (parser, event, data) {\n parser[event] && parser[event](data)\n }\n\n function emitNode (parser, nodeType, data) {\n if (parser.textNode) closeText(parser)\n emit(parser, nodeType, data)\n }\n\n function closeText (parser) {\n parser.textNode = textopts(parser.opt, parser.textNode)\n if (parser.textNode) emit(parser, 'ontext', parser.textNode)\n parser.textNode = ''\n }\n\n function textopts (opt, text) {\n if (opt.trim) text = text.trim()\n if (opt.normalize) text = text.replace(/\\s+/g, ' ')\n return text\n }\n\n function error (parser, er) {\n closeText(parser)\n if (parser.trackPosition) {\n er += '\\nLine: ' + parser.line +\n '\\nColumn: ' + parser.column +\n '\\nChar: ' + parser.c\n }\n er = new Error(er)\n parser.error = er\n emit(parser, 'onerror', er)\n return parser\n }\n\n function end (parser) {\n if (parser.sawRoot && !parser.closedRoot) strictFail(parser, 'Unclosed root tag')\n if ((parser.state !== S.BEGIN) &&\n (parser.state !== S.BEGIN_WHITESPACE) &&\n (parser.state !== S.TEXT)) {\n error(parser, 'Unexpected end')\n }\n closeText(parser)\n parser.c = ''\n parser.closed = true\n emit(parser, 'onend')\n SAXParser.call(parser, parser.strict, parser.opt)\n return parser\n }\n\n function strictFail (parser, message) {\n if (typeof parser !== 'object' || !(parser instanceof SAXParser)) {\n throw new Error('bad call to strictFail')\n }\n if (parser.strict) {\n error(parser, message)\n }\n }\n\n function newTag (parser) {\n if (!parser.strict) parser.tagName = parser.tagName[parser.looseCase]()\n var parent = parser.tags[parser.tags.length - 1] || parser\n var tag = parser.tag = { name: parser.tagName, attributes: {} }\n\n // will be overridden if tag contails an xmlns=\"foo\" or xmlns:foo=\"bar\"\n if (parser.opt.xmlns) {\n tag.ns = parent.ns\n }\n parser.attribList.length = 0\n emitNode(parser, 'onopentagstart', tag)\n }\n\n function qname (name, attribute) {\n var i = name.indexOf(':')\n var qualName = i < 0 ? [ '', name ] : name.split(':')\n var prefix = qualName[0]\n var local = qualName[1]\n\n // <x \"xmlns\"=\"http://foo\">\n if (attribute && name === 'xmlns') {\n prefix = 'xmlns'\n local = ''\n }\n\n return { prefix: prefix, local: local }\n }\n\n function attrib (parser) {\n if (!parser.strict) {\n parser.attribName = parser.attribName[parser.looseCase]()\n }\n\n if (parser.attribList.indexOf(parser.attribName) !== -1 ||\n parser.tag.attributes.hasOwnProperty(parser.attribName)) {\n parser.attribName = parser.attribValue = ''\n return\n }\n\n if (parser.opt.xmlns) {\n var qn = qname(parser.attribName, true)\n var prefix = qn.prefix\n var local = qn.local\n\n if (prefix === 'xmlns') {\n // namespace binding attribute. push the binding into scope\n if (local === 'xml' && parser.attribValue !== XML_NAMESPACE) {\n strictFail(parser,\n 'xml: prefix must be bound to ' + XML_NAMESPACE + '\\n' +\n 'Actual: ' + parser.attribValue)\n } else if (local === 'xmlns' && parser.attribValue !== XMLNS_NAMESPACE) {\n strictFail(parser,\n 'xmlns: prefix must be bound to ' + XMLNS_NAMESPACE + '\\n' +\n 'Actual: ' + parser.attribValue)\n } else {\n var tag = parser.tag\n var parent = parser.tags[parser.tags.length - 1] || parser\n if (tag.ns === parent.ns) {\n tag.ns = Object.create(parent.ns)\n }\n tag.ns[local] = parser.attribValue\n }\n }\n\n // defer onattribute events until all attributes have been seen\n // so any new bindings can take effect. preserve attribute order\n // so deferred events can be emitted in document order\n parser.attribList.push([parser.attribName, parser.attribValue])\n } else {\n // in non-xmlns mode, we can emit the event right away\n parser.tag.attributes[parser.attribName] = parser.attribValue\n emitNode(parser, 'onattribute', {\n name: parser.attribName,\n value: parser.attribValue\n })\n }\n\n parser.attribName = parser.attribValue = ''\n }\n\n function openTag (parser, selfClosing) {\n if (parser.opt.xmlns) {\n // emit namespace binding events\n var tag = parser.tag\n\n // add namespace info to tag\n var qn = qname(parser.tagName)\n tag.prefix = qn.prefix\n tag.local = qn.local\n tag.uri = tag.ns[qn.prefix] || ''\n\n if (tag.prefix && !tag.uri) {\n strictFail(parser, 'Unbound namespace prefix: ' +\n JSON.stringify(parser.tagName))\n tag.uri = qn.prefix\n }\n\n var parent = parser.tags[parser.tags.length - 1] || parser\n if (tag.ns && parent.ns !== tag.ns) {\n Object.keys(tag.ns).forEach(function (p) {\n emitNode(parser, 'onopennamespace', {\n prefix: p,\n uri: tag.ns[p]\n })\n })\n }\n\n // handle deferred onattribute events\n // Note: do not apply default ns to attributes:\n // http://www.w3.org/TR/REC-xml-names/#defaulting\n for (var i = 0, l = parser.attribList.length; i < l; i++) {\n var nv = parser.attribList[i]\n var name = nv[0]\n var value = nv[1]\n var qualName = qname(name, true)\n var prefix = qualName.prefix\n var local = qualName.local\n var uri = prefix === '' ? '' : (tag.ns[prefix] || '')\n var a = {\n name: name,\n value: value,\n prefix: prefix,\n local: local,\n uri: uri\n }\n\n // if there's any attributes with an undefined namespace,\n // then fail on them now.\n if (prefix && prefix !== 'xmlns' && !uri) {\n strictFail(parser, 'Unbound namespace prefix: ' +\n JSON.stringify(prefix))\n a.uri = prefix\n }\n parser.tag.attributes[name] = a\n emitNode(parser, 'onattribute', a)\n }\n parser.attribList.length = 0\n }\n\n parser.tag.isSelfClosing = !!selfClosing\n\n // process the tag\n parser.sawRoot = true\n parser.tags.push(parser.tag)\n emitNode(parser, 'onopentag', parser.tag)\n if (!selfClosing) {\n // special case for <script> in non-strict mode.\n if (!parser.noscript && parser.tagName.toLowerCase() === 'script') {\n parser.state = S.SCRIPT\n } else {\n parser.state = S.TEXT\n }\n parser.tag = null\n parser.tagName = ''\n }\n parser.attribName = parser.attribValue = ''\n parser.attribList.length = 0\n }\n\n function closeTag (parser) {\n if (!parser.tagName) {\n strictFail(parser, 'Weird empty close tag.')\n parser.textNode += '</>'\n parser.state = S.TEXT\n return\n }\n\n if (parser.script) {\n if (parser.tagName !== 'script') {\n parser.script += '</' + parser.tagName + '>'\n parser.tagName = ''\n parser.state = S.SCRIPT\n return\n }\n emitNode(parser, 'onscript', parser.script)\n parser.script = ''\n }\n\n // first make sure that the closing tag actually exists.\n // <a><b></c></b></a> will close everything, otherwise.\n var t = parser.tags.length\n var tagName = parser.tagName\n if (!parser.strict) {\n tagName = tagName[parser.looseCase]()\n }\n var closeTo = tagName\n while (t--) {\n var close = parser.tags[t]\n if (close.name !== closeTo) {\n // fail the first time in strict mode\n strictFail(parser, 'Unexpected close tag')\n } else {\n break\n }\n }\n\n // didn't find it. we already failed for strict, so just abort.\n if (t < 0) {\n strictFail(parser, 'Unmatched closing tag: ' + parser.tagName)\n parser.textNode += '</' + parser.tagName + '>'\n parser.state = S.TEXT\n return\n }\n parser.tagName = tagName\n var s = parser.tags.length\n while (s-- > t) {\n var tag = parser.tag = parser.tags.pop()\n parser.tagName = parser.tag.name\n emitNode(parser, 'onclosetag', parser.tagName)\n\n var x = {}\n for (var i in tag.ns) {\n x[i] = tag.ns[i]\n }\n\n var parent = parser.tags[parser.tags.length - 1] || parser\n if (parser.opt.xmlns && tag.ns !== parent.ns) {\n // remove namespace bindings introduced by tag\n Object.keys(tag.ns).forEach(function (p) {\n var n = tag.ns[p]\n emitNode(parser, 'onclosenamespace', { prefix: p, uri: n })\n })\n }\n }\n if (t === 0) parser.closedRoot = true\n parser.tagName = parser.attribValue = parser.attribName = ''\n parser.attribList.length = 0\n parser.state = S.TEXT\n }\n\n function parseEntity (parser) {\n var entity = parser.entity\n var entityLC = entity.toLowerCase()\n var num\n var numStr = ''\n\n if (parser.ENTITIES[entity]) {\n return parser.ENTITIES[entity]\n }\n if (parser.ENTITIES[entityLC]) {\n return parser.ENTITIES[entityLC]\n }\n entity = entityLC\n if (entity.charAt(0) === '#') {\n if (entity.charAt(1) === 'x') {\n entity = entity.slice(2)\n num = parseInt(entity, 16)\n numStr = num.toString(16)\n } else {\n entity = entity.slice(1)\n num = parseInt(entity, 10)\n numStr = num.toString(10)\n }\n }\n entity = entity.replace(/^0+/, '')\n if (isNaN(num) || numStr.toLowerCase() !== entity) {\n strictFail(parser, 'Invalid character entity')\n return '&' + parser.entity + ';'\n }\n\n return String.fromCodePoint(num)\n }\n\n function beginWhiteSpace (parser, c) {\n if (c === '<') {\n parser.state = S.OPEN_WAKA\n parser.startTagPosition = parser.position\n } else if (!isWhitespace(c)) {\n // have to process this as a text node.\n // weird, but happens.\n strictFail(parser, 'Non-whitespace before first tag.')\n parser.textNode = c\n parser.state = S.TEXT\n }\n }\n\n function charAt (chunk, i) {\n var result = ''\n if (i < chunk.length) {\n result = chunk.charAt(i)\n }\n return result\n }\n\n function write (chunk) {\n var parser = this\n if (this.error) {\n throw this.error\n }\n if (parser.closed) {\n return error(parser,\n 'Cannot write after close. Assign an onready handler.')\n }\n if (chunk === null) {\n return end(parser)\n }\n if (typeof chunk === 'object') {\n chunk = chunk.toString()\n }\n var i = 0\n var c = ''\n while (true) {\n c = charAt(chunk, i++)\n parser.c = c\n\n if (!c) {\n break\n }\n\n if (parser.trackPosition) {\n parser.position++\n if (c === '\\n') {\n parser.line++\n parser.column = 0\n } else {\n parser.column++\n }\n }\n\n switch (parser.state) {\n case S.BEGIN:\n parser.state = S.BEGIN_WHITESPACE\n if (c === '\\uFEFF') {\n continue\n }\n beginWhiteSpace(parser, c)\n continue\n\n case S.BEGIN_WHITESPACE:\n beginWhiteSpace(parser, c)\n continue\n\n case S.TEXT:\n if (parser.sawRoot && !parser.closedRoot) {\n var starti = i - 1\n while (c && c !== '<' && c !== '&') {\n c = charAt(chunk, i++)\n if (c && parser.trackPosition) {\n parser.position++\n if (c === '\\n') {\n parser.line++\n parser.column = 0\n } else {\n parser.column++\n }\n }\n }\n parser.textNode += chunk.substring(starti, i - 1)\n }\n if (c === '<' && !(parser.sawRoot && parser.closedRoot && !parser.strict)) {\n parser.state = S.OPEN_WAKA\n parser.startTagPosition = parser.position\n } else {\n if (!isWhitespace(c) && (!parser.sawRoot || parser.closedRoot)) {\n strictFail(parser, 'Text data outside of root node.')\n }\n if (c === '&') {\n parser.state = S.TEXT_ENTITY\n } else {\n parser.textNode += c\n }\n }\n continue\n\n case S.SCRIPT:\n // only non-strict\n if (c === '<') {\n parser.state = S.SCRIPT_ENDING\n } else {\n parser.script += c\n }\n continue\n\n case S.SCRIPT_ENDING:\n if (c === '/') {\n parser.state = S.CLOSE_TAG\n } else {\n parser.script += '<' + c\n parser.state = S.SCRIPT\n }\n continue\n\n case S.OPEN_WAKA:\n // either a /, ?, !, or text is coming next.\n if (c === '!') {\n parser.state = S.SGML_DECL\n parser.sgmlDecl = ''\n } else if (isWhitespace(c)) {\n // wait for it...\n } else if (isMatch(nameStart, c)) {\n parser.state = S.OPEN_TAG\n parser.tagName = c\n } else if (c === '/') {\n parser.state = S.CLOSE_TAG\n parser.tagName = ''\n } else if (c === '?') {\n parser.state = S.PROC_INST\n parser.procInstName = parser.procInstBody = ''\n } else {\n strictFail(parser, 'Unencoded <')\n // if there was some whitespace, then add that in.\n if (parser.startTagPosition + 1 < parser.position) {\n var pad = parser.position - parser.startTagPosition\n c = new Array(pad).join(' ') + c\n }\n parser.textNode += '<' + c\n parser.state = S.TEXT\n }\n continue\n\n case S.SGML_DECL:\n if ((parser.sgmlDecl + c).toUpperCase() === CDATA) {\n emitNode(parser, 'onopencdata')\n parser.state = S.CDATA\n parser.sgmlDecl = ''\n parser.cdata = ''\n } else if (parser.sgmlDecl + c === '--') {\n parser.state = S.COMMENT\n parser.comment = ''\n parser.sgmlDecl = ''\n } else if ((parser.sgmlDecl + c).toUpperCase() === DOCTYPE) {\n parser.state = S.DOCTYPE\n if (parser.doctype || parser.sawRoot) {\n strictFail(parser,\n 'Inappropriately located doctype declaration')\n }\n parser.doctype = ''\n parser.sgmlDecl = ''\n } else if (c === '>') {\n emitNode(parser, 'onsgmldeclaration', parser.sgmlDecl)\n parser.sgmlDecl = ''\n parser.state = S.TEXT\n } else if (isQuote(c)) {\n parser.state = S.SGML_DECL_QUOTED\n parser.sgmlDecl += c\n } else {\n parser.sgmlDecl += c\n }\n continue\n\n case S.SGML_DECL_QUOTED:\n if (c === parser.q) {\n parser.state = S.SGML_DECL\n parser.q = ''\n }\n parser.sgmlDecl += c\n continue\n\n case S.DOCTYPE:\n if (c === '>') {\n parser.state = S.TEXT\n emitNode(parser, 'ondoctype', parser.doctype)\n parser.doctype = true // just remember that we saw it.\n } else {\n parser.doctype += c\n if (c === '[') {\n parser.state = S.DOCTYPE_DTD\n } else if (isQuote(c)) {\n parser.state = S.DOCTYPE_QUOTED\n parser.q = c\n }\n }\n continue\n\n case S.DOCTYPE_QUOTED:\n parser.doctype += c\n if (c === parser.q) {\n parser.q = ''\n parser.state = S.DOCTYPE\n }\n continue\n\n case S.DOCTYPE_DTD:\n parser.doctype += c\n if (c === ']') {\n parser.state = S.DOCTYPE\n } else if (isQuote(c)) {\n parser.state = S.DOCTYPE_DTD_QUOTED\n parser.q = c\n }\n continue\n\n case S.DOCTYPE_DTD_QUOTED:\n parser.doctype += c\n if (c === parser.q) {\n parser.state = S.DOCTYPE_DTD\n parser.q = ''\n }\n continue\n\n case S.COMMENT:\n if (c === '-') {\n parser.state = S.COMMENT_ENDING\n } else {\n parser.comment += c\n }\n continue\n\n case S.COMMENT_ENDING:\n if (c === '-') {\n parser.state = S.COMMENT_ENDED\n parser.comment = textopts(parser.opt, parser.comment)\n if (parser.comment) {\n emitNode(parser, 'oncomment', parser.comment)\n }\n parser.comment = ''\n } else {\n parser.comment += '-' + c\n parser.state = S.COMMENT\n }\n continue\n\n case S.COMMENT_ENDED:\n if (c !== '>') {\n strictFail(parser, 'Malformed comment')\n // allow <!-- blah -- bloo --> in non-strict mode,\n // which is a comment of \" blah -- bloo \"\n parser.comment += '--' + c\n parser.state = S.COMMENT\n } else {\n parser.state = S.TEXT\n }\n continue\n\n case S.CDATA:\n if (c === ']') {\n parser.state = S.CDATA_ENDING\n } else {\n parser.cdata += c\n }\n continue\n\n case S.CDATA_ENDING:\n if (c === ']') {\n parser.state = S.CDATA_ENDING_2\n } else {\n parser.cdata += ']' + c\n parser.state = S.CDATA\n }\n continue\n\n case S.CDATA_ENDING_2:\n if (c === '>') {\n if (parser.cdata) {\n emitNode(parser, 'oncdata', parser.cdata)\n }\n emitNode(parser, 'onclosecdata')\n parser.cdata = ''\n parser.state = S.TEXT\n } else if (c === ']') {\n parser.cdata += ']'\n } else {\n parser.cdata += ']]' + c\n parser.state = S.CDATA\n }\n continue\n\n case S.PROC_INST:\n if (c === '?') {\n parser.state = S.PROC_INST_ENDING\n } else if (isWhitespace(c)) {\n parser.state = S.PROC_INST_BODY\n } else {\n parser.procInstName += c\n }\n continue\n\n case S.PROC_INST_BODY:\n if (!parser.procInstBody && isWhitespace(c)) {\n continue\n } else if (c === '?') {\n parser.state = S.PROC_INST_ENDING\n } else {\n parser.procInstBody += c\n }\n continue\n\n case S.PROC_INST_ENDING:\n if (c === '>') {\n emitNode(parser, 'onprocessinginstruction', {\n name: parser.procInstName,\n body: parser.procInstBody\n })\n parser.procInstName = parser.procInstBody = ''\n parser.state = S.TEXT\n } else {\n parser.procInstBody += '?' + c\n parser.state = S.PROC_INST_BODY\n }\n continue\n\n case S.OPEN_TAG:\n if (isMatch(nameBody, c)) {\n parser.tagName += c\n } else {\n newTag(parser)\n if (c === '>') {\n openTag(parser)\n } else if (c === '/') {\n parser.state = S.OPEN_TAG_SLASH\n } else {\n if (!isWhitespace(c)) {\n strictFail(parser, 'Invalid character in tag name')\n }\n parser.state = S.ATTRIB\n }\n }\n continue\n\n case S.OPEN_TAG_SLASH:\n if (c === '>') {\n openTag(parser, true)\n closeTag(parser)\n } else {\n strictFail(parser, 'Forward-slash in opening tag not followed by >')\n parser.state = S.ATTRIB\n }\n continue\n\n case S.ATTRIB:\n // haven't read the attribute name yet.\n if (isWhitespace(c)) {\n continue\n } else if (c === '>') {\n openTag(parser)\n } else if (c === '/') {\n parser.state = S.OPEN_TAG_SLASH\n } else if (isMatch(nameStart, c)) {\n parser.attribName = c\n parser.attribValue = ''\n parser.state = S.ATTRIB_NAME\n } else {\n strictFail(parser, 'Invalid attribute name')\n }\n continue\n\n case S.ATTRIB_NAME:\n if (c === '=') {\n parser.state = S.ATTRIB_VALUE\n } else if (c === '>') {\n strictFail(parser, 'Attribute without value')\n parser.attribValue = parser.attribName\n attrib(parser)\n openTag(parser)\n } else if (isWhitespace(c)) {\n parser.state = S.ATTRIB_NAME_SAW_WHITE\n } else if (isMatch(nameBody, c)) {\n parser.attribName += c\n } else {\n strictFail(parser, 'Invalid attribute name')\n }\n continue\n\n case S.ATTRIB_NAME_SAW_WHITE:\n if (c === '=') {\n parser.state = S.ATTRIB_VALUE\n } else if (isWhitespace(c)) {\n continue\n } else {\n strictFail(parser, 'Attribute without value')\n parser.tag.attributes[parser.attribName] = ''\n parser.attribValue = ''\n emitNode(parser, 'onattribute', {\n name: parser.attribName,\n value: ''\n })\n parser.attribName = ''\n if (c === '>') {\n openTag(parser)\n } else if (isMatch(nameStart, c)) {\n parser.attribName = c\n parser.state = S.ATTRIB_NAME\n } else {\n strictFail(parser, 'Invalid attribute name')\n parser.state = S.ATTRIB\n }\n }\n continue\n\n case S.ATTRIB_VALUE:\n if (isWhitespace(c)) {\n continue\n } else if (isQuote(c)) {\n parser.q = c\n parser.state = S.ATTRIB_VALUE_QUOTED\n } else {\n strictFail(parser, 'Unquoted attribute value')\n parser.state = S.ATTRIB_VALUE_UNQUOTED\n parser.attribValue = c\n }\n continue\n\n case S.ATTRIB_VALUE_QUOTED:\n if (c !== parser.q) {\n if (c === '&') {\n parser.state = S.ATTRIB_VALUE_ENTITY_Q\n } else {\n parser.attribValue += c\n }\n continue\n }\n attrib(parser)\n parser.q = ''\n parser.state = S.ATTRIB_VALUE_CLOSED\n continue\n\n case S.ATTRIB_VALUE_CLOSED:\n if (isWhitespace(c)) {\n parser.state = S.ATTRIB\n } else if (c === '>') {\n openTag(parser)\n } else if (c === '/') {\n parser.state = S.OPEN_TAG_SLASH\n } else if (isMatch(nameStart, c)) {\n strictFail(parser, 'No whitespace between attributes')\n parser.attribName = c\n parser.attribValue = ''\n parser.state = S.ATTRIB_NAME\n } else {\n strictFail(parser, 'Invalid attribute name')\n }\n continue\n\n case S.ATTRIB_VALUE_UNQUOTED:\n if (!isAttribEnd(c)) {\n if (c === '&') {\n parser.state = S.ATTRIB_VALUE_ENTITY_U\n } else {\n parser.attribValue += c\n }\n continue\n }\n attrib(parser)\n if (c === '>') {\n openTag(parser)\n } else {\n parser.state = S.ATTRIB\n }\n continue\n\n case S.CLOSE_TAG:\n if (!parser.tagName) {\n if (isWhitespace(c)) {\n continue\n } else if (notMatch(nameStart, c)) {\n if (parser.script) {\n parser.script += '</' + c\n parser.state = S.SCRIPT\n } else {\n strictFail(parser, 'Invalid tagname in closing tag.')\n }\n } else {\n parser.tagName = c\n }\n } else if (c === '>') {\n closeTag(parser)\n } else if (isMatch(nameBody, c)) {\n parser.tagName += c\n } else if (parser.script) {\n parser.script += '</' + parser.tagName\n parser.tagName = ''\n parser.state = S.SCRIPT\n } else {\n if (!isWhitespace(c)) {\n strictFail(parser, 'Invalid tagname in closing tag')\n }\n parser.state = S.CLOSE_TAG_SAW_WHITE\n }\n continue\n\n case S.CLOSE_TAG_SAW_WHITE:\n if (isWhitespace(c)) {\n continue\n }\n if (c === '>') {\n closeTag(parser)\n } else {\n strictFail(parser, 'Invalid characters in closing tag')\n }\n continue\n\n case S.TEXT_ENTITY:\n case S.ATTRIB_VALUE_ENTITY_Q:\n case S.ATTRIB_VALUE_ENTITY_U:\n var returnState\n var buffer\n switch (parser.state) {\n case S.TEXT_ENTITY:\n returnState = S.TEXT\n buffer = 'textNode'\n break\n\n case S.ATTRIB_VALUE_ENTITY_Q:\n returnState = S.ATTRIB_VALUE_QUOTED\n buffer = 'attribValue'\n break\n\n case S.ATTRIB_VALUE_ENTITY_U:\n returnState = S.ATTRIB_VALUE_UNQUOTED\n buffer = 'attribValue'\n break\n }\n\n if (c === ';') {\n if (parser.opt.unparsedEntities) {\n var parsedEntity = parseEntity(parser)\n parser.entity = ''\n parser.state = returnState\n parser.write(parsedEntity)\n } else {\n parser[buffer] += parseEntity(parser)\n parser.entity = ''\n parser.state = returnState\n }\n } else if (isMatch(parser.entity.length ? entityBody : entityStart, c)) {\n parser.entity += c\n } else {\n strictFail(parser, 'Invalid character in entity name')\n parser[buffer] += '&' + parser.entity + c\n parser.entity = ''\n parser.state = returnState\n }\n\n continue\n\n default: /* istanbul ignore next */ {\n throw new Error(parser, 'Unknown state: ' + parser.state)\n }\n }\n } // while\n\n if (parser.position >= parser.bufferCheckPosition) {\n checkBufferLength(parser)\n }\n return parser\n }\n\n /*! http://mths.be/fromcodepoint v0.1.0 by @mathias */\n /* istanbul ignore next */\n if (!String.fromCodePoint) {\n (function () {\n var stringFromCharCode = String.fromCharCode\n var floor = Math.floor\n var fromCodePoint = function () {\n var MAX_SIZE = 0x4000\n var codeUnits = []\n var highSurrogate\n var lowSurrogate\n var index = -1\n var length = arguments.length\n if (!length) {\n return ''\n }\n var result = ''\n while (++index < length) {\n var codePoint = Number(arguments[index])\n if (\n !isFinite(codePoint) || // `NaN`, `+Infinity`, or `-Infinity`\n codePoint < 0 || // not a valid Unicode code point\n codePoint > 0x10FFFF || // not a valid Unicode code point\n floor(codePoint) !== codePoint // not an integer\n ) {\n throw RangeError('Invalid code point: ' + codePoint)\n }\n if (codePoint <= 0xFFFF) { // BMP code point\n codeUnits.push(codePoint)\n } else { // Astral code point; split in surrogate halves\n // http://mathiasbynens.be/notes/javascript-encoding#surrogate-formulae\n codePoint -= 0x10000\n highSurrogate = (codePoint >> 10) + 0xD800\n lowSurrogate = (codePoint % 0x400) + 0xDC00\n codeUnits.push(highSurrogate, lowSurrogate)\n }\n if (index + 1 === length || codeUnits.length > MAX_SIZE) {\n result += stringFromCharCode.apply(null, codeUnits)\n codeUnits.length = 0\n }\n }\n return result\n }\n /* istanbul ignore next */\n if (Object.defineProperty) {\n Object.defineProperty(String, 'fromCodePoint', {\n value: fromCodePoint,\n configurable: true,\n writable: true\n })\n } else {\n String.fromCodePoint = fromCodePoint\n }\n }())\n }\n})(typeof exports === 'undefined' ? this.sax = {} : exports)\n","(function (global, undefined) {\n \"use strict\";\n\n if (global.setImmediate) {\n return;\n }\n\n var nextHandle = 1; // Spec says greater than zero\n var tasksByHandle = {};\n var currentlyRunningATask = false;\n var doc = global.document;\n var registerImmediate;\n\n function setImmediate(callback) {\n // Callback can either be a function or a string\n if (typeof callback !== \"function\") {\n callback = new Function(\"\" + callback);\n }\n // Copy function arguments\n var args = new Array(arguments.length - 1);\n for (var i = 0; i < args.length; i++) {\n args[i] = arguments[i + 1];\n }\n // Store and register the task\n var task = { callback: callback, args: args };\n tasksByHandle[nextHandle] = task;\n registerImmediate(nextHandle);\n return nextHandle++;\n }\n\n function clearImmediate(handle) {\n delete tasksByHandle[handle];\n }\n\n function run(task) {\n var callback = task.callback;\n var args = task.args;\n switch (args.length) {\n case 0:\n callback();\n break;\n case 1:\n callback(args[0]);\n break;\n case 2:\n callback(args[0], args[1]);\n break;\n case 3:\n callback(args[0], args[1], args[2]);\n break;\n default:\n callback.apply(undefined, args);\n break;\n }\n }\n\n function runIfPresent(handle) {\n // From the spec: \"Wait until any invocations of this algorithm started before this one have completed.\"\n // So if we're currently running a task, we'll need to delay this invocation.\n if (currentlyRunningATask) {\n // Delay by doing a setTimeout. setImmediate was tried instead, but in Firefox 7 it generated a\n // \"too much recursion\" error.\n setTimeout(runIfPresent, 0, handle);\n } else {\n var task = tasksByHandle[handle];\n if (task) {\n currentlyRunningATask = true;\n try {\n run(task);\n } finally {\n clearImmediate(handle);\n currentlyRunningATask = false;\n }\n }\n }\n }\n\n function installNextTickImplementation() {\n registerImmediate = function(handle) {\n process.nextTick(function () { runIfPresent(handle); });\n };\n }\n\n function canUsePostMessage() {\n // The test against `importScripts` prevents this implementation from being installed inside a web worker,\n // where `global.postMessage` means something completely different and can't be used for this purpose.\n if (global.postMessage && !global.importScripts) {\n var postMessageIsAsynchronous = true;\n var oldOnMessage = global.onmessage;\n global.onmessage = function() {\n postMessageIsAsynchronous = false;\n };\n global.postMessage(\"\", \"*\");\n global.onmessage = oldOnMessage;\n return postMessageIsAsynchronous;\n }\n }\n\n function installPostMessageImplementation() {\n // Installs an event handler on `global` for the `message` event: see\n // * https://developer.mozilla.org/en/DOM/window.postMessage\n // * http://www.whatwg.org/specs/web-apps/current-work/multipage/comms.html#crossDocumentMessages\n\n var messagePrefix = \"setImmediate$\" + Math.random() + \"$\";\n var onGlobalMessage = function(event) {\n if (event.source === global &&\n typeof event.data === \"string\" &&\n event.data.indexOf(messagePrefix) === 0) {\n runIfPresent(+event.data.slice(messagePrefix.length));\n }\n };\n\n if (global.addEventListener) {\n global.addEventListener(\"message\", onGlobalMessage, false);\n } else {\n global.attachEvent(\"onmessage\", onGlobalMessage);\n }\n\n registerImmediate = function(handle) {\n global.postMessage(messagePrefix + handle, \"*\");\n };\n }\n\n function installMessageChannelImplementation() {\n var channel = new MessageChannel();\n channel.port1.onmessage = function(event) {\n var handle = event.data;\n runIfPresent(handle);\n };\n\n registerImmediate = function(handle) {\n channel.port2.postMessage(handle);\n };\n }\n\n function installReadyStateChangeImplementation() {\n var html = doc.documentElement;\n registerImmediate = function(handle) {\n // Create a <script> element; its readystatechange event will be fired asynchronously once it is inserted\n // into the document. Do so, thus queuing up the task. Remember to clean up once it's been called.\n var script = doc.createElement(\"script\");\n script.onreadystatechange = function () {\n runIfPresent(handle);\n script.onreadystatechange = null;\n html.removeChild(script);\n script = null;\n };\n html.appendChild(script);\n };\n }\n\n function installSetTimeoutImplementation() {\n registerImmediate = function(handle) {\n setTimeout(runIfPresent, 0, handle);\n };\n }\n\n // If supported, we should attach to the prototype of global, since that is where setTimeout et al. live.\n var attachTo = Object.getPrototypeOf && Object.getPrototypeOf(global);\n attachTo = attachTo && attachTo.setTimeout ? attachTo : global;\n\n // Don't get fooled by e.g. browserify environments.\n if ({}.toString.call(global.process) === \"[object process]\") {\n // For Node.js before 0.9\n installNextTickImplementation();\n\n } else if (canUsePostMessage()) {\n // For non-IE10 modern browsers\n installPostMessageImplementation();\n\n } else if (global.MessageChannel) {\n // For web workers, where supported\n installMessageChannelImplementation();\n\n } else if (doc && \"onreadystatechange\" in doc.createElement(\"script\")) {\n // For IE 6–8\n installReadyStateChangeImplementation();\n\n } else {\n // For older browsers\n installSetTimeoutImplementation();\n }\n\n attachTo.setImmediate = setImmediate;\n attachTo.clearImmediate = clearImmediate;\n}(typeof self === \"undefined\" ? typeof global === \"undefined\" ? this : global : self));\n","// @flow\n\n/*::\ntype Options = {\n max?: number,\n min?: number,\n historyTimeConstant?: number,\n autostart?: boolean,\n ignoreSameProgress?: boolean,\n}\n*/\n\nfunction makeLowPassFilter(RC/*: number*/) {\n return function (previousOutput, input, dt) {\n const alpha = dt / (dt + RC);\n return previousOutput + alpha * (input - previousOutput);\n }\n}\n\nfunction def/*:: <T>*/(x/*: ?T*/, d/*: T*/)/*: T*/ {\n return (x === undefined || x === null) ? d : x;\n}\n\nfunction makeEta(options/*::?: Options */) {\n options = options || {};\n var max = def(options.max, 1);\n var min = def(options.min, 0);\n var autostart = def(options.autostart, true);\n var ignoreSameProgress = def(options.ignoreSameProgress, false);\n\n var rate/*: number | null */ = null;\n var lastTimestamp/*: number | null */ = null;\n var lastProgress/*: number | null */ = null;\n\n var filter = makeLowPassFilter(def(options.historyTimeConstant, 2.5));\n\n function start() {\n report(min);\n }\n\n function reset() {\n rate = null;\n lastTimestamp = null;\n lastProgress = null;\n if (autostart) {\n start();\n }\n }\n\n function report(progress /*: number */, timestamp/*::?: number */) {\n if (typeof timestamp !== 'number') {\n timestamp = Date.now();\n }\n\n if (lastTimestamp === timestamp) { return; }\n if (ignoreSameProgress && lastProgress === progress) { return; }\n\n if (lastTimestamp === null || lastProgress === null) {\n lastProgress = progress;\n lastTimestamp = timestamp;\n return;\n }\n\n var deltaProgress = progress - lastProgress;\n var deltaTimestamp = 0.001 * (timestamp - lastTimestamp);\n var currentRate = deltaProgress / deltaTimestamp;\n\n rate = rate === null\n ? currentRate\n : filter(rate, currentRate, deltaTimestamp);\n lastProgress = progress;\n lastTimestamp = timestamp;\n }\n\n function estimate(timestamp/*::?: number*/) {\n if (lastProgress === null) { return Infinity; }\n if (lastProgress >= max) { return 0; }\n if (rate === null) { return Infinity; }\n\n var estimatedTime = (max - lastProgress) / rate;\n if (typeof timestamp === 'number' && typeof lastTimestamp === 'number') {\n estimatedTime -= (timestamp - lastTimestamp) * 0.001;\n }\n return Math.max(0, estimatedTime);\n }\n\n function getRate() {\n return rate === null ? 0 : rate;\n }\n\n return {\n start: start,\n reset: reset,\n report: report,\n estimate: estimate,\n rate: getRate,\n }\n}\n\nmodule.exports = makeEta;\n","var scope = (typeof global !== \"undefined\" && global) ||\n (typeof self !== \"undefined\" && self) ||\n window;\nvar apply = Function.prototype.apply;\n\n// DOM APIs, for completeness\n\nexports.setTimeout = function() {\n return new Timeout(apply.call(setTimeout, scope, arguments), clearTimeout);\n};\nexports.setInterval = function() {\n return new Timeout(apply.call(setInterval, scope, arguments), clearInterval);\n};\nexports.clearTimeout =\nexports.clearInterval = function(timeout) {\n if (timeout) {\n timeout.close();\n }\n};\n\nfunction Timeout(id, clearFn) {\n this._id = id;\n this._clearFn = clearFn;\n}\nTimeout.prototype.unref = Timeout.prototype.ref = function() {};\nTimeout.prototype.close = function() {\n this._clearFn.call(scope, this._id);\n};\n\n// Does not start the time, just sets up the members needed.\nexports.enroll = function(item, msecs) {\n clearTimeout(item._idleTimeoutId);\n item._idleTimeout = msecs;\n};\n\nexports.unenroll = function(item) {\n clearTimeout(item._idleTimeoutId);\n item._idleTimeout = -1;\n};\n\nexports._unrefActive = exports.active = function(item) {\n clearTimeout(item._idleTimeoutId);\n\n var msecs = item._idleTimeout;\n if (msecs >= 0) {\n item._idleTimeoutId = setTimeout(function onTimeout() {\n if (item._onTimeout)\n item._onTimeout();\n }, msecs);\n }\n};\n\n// setimmediate attaches itself to the global object\nrequire(\"setimmediate\");\n// On some exotic environments, it's not clear which object `setimmediate` was\n// able to install onto. Search each possibility in the same order as the\n// `setimmediate` library.\nexports.setImmediate = (typeof self !== \"undefined\" && self.setImmediate) ||\n (typeof global !== \"undefined\" && global.setImmediate) ||\n (this && this.setImmediate);\nexports.clearImmediate = (typeof self !== \"undefined\" && self.clearImmediate) ||\n (typeof global !== \"undefined\" && global.clearImmediate) ||\n (this && this.clearImmediate);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n exports.stripBOM = function(str) {\n if (str[0] === '\\uFEFF') {\n return str.substring(1);\n } else {\n return str;\n }\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var builder, defaults, escapeCDATA, requiresCDATA, wrapCDATA,\n hasProp = {}.hasOwnProperty;\n\n builder = require('xmlbuilder');\n\n defaults = require('./defaults').defaults;\n\n requiresCDATA = function(entry) {\n return typeof entry === \"string\" && (entry.indexOf('&') >= 0 || entry.indexOf('>') >= 0 || entry.indexOf('<') >= 0);\n };\n\n wrapCDATA = function(entry) {\n return \"<![CDATA[\" + (escapeCDATA(entry)) + \"]]>\";\n };\n\n escapeCDATA = function(entry) {\n return entry.replace(']]>', ']]]]><![CDATA[>');\n };\n\n exports.Builder = (function() {\n function Builder(opts) {\n var key, ref, value;\n this.options = {};\n ref = defaults[\"0.2\"];\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this.options[key] = value;\n }\n for (key in opts) {\n if (!hasProp.call(opts, key)) continue;\n value = opts[key];\n this.options[key] = value;\n }\n }\n\n Builder.prototype.buildObject = function(rootObj) {\n var attrkey, charkey, render, rootElement, rootName;\n attrkey = this.options.attrkey;\n charkey = this.options.charkey;\n if ((Object.keys(rootObj).length === 1) && (this.options.rootName === defaults['0.2'].rootName)) {\n rootName = Object.keys(rootObj)[0];\n rootObj = rootObj[rootName];\n } else {\n rootName = this.options.rootName;\n }\n render = (function(_this) {\n return function(element, obj) {\n var attr, child, entry, index, key, value;\n if (typeof obj !== 'object') {\n if (_this.options.cdata && requiresCDATA(obj)) {\n element.raw(wrapCDATA(obj));\n } else {\n element.txt(obj);\n }\n } else if (Array.isArray(obj)) {\n for (index in obj) {\n if (!hasProp.call(obj, index)) continue;\n child = obj[index];\n for (key in child) {\n entry = child[key];\n element = render(element.ele(key), entry).up();\n }\n }\n } else {\n for (key in obj) {\n if (!hasProp.call(obj, key)) continue;\n child = obj[key];\n if (key === attrkey) {\n if (typeof child === \"object\") {\n for (attr in child) {\n value = child[attr];\n element = element.att(attr, value);\n }\n }\n } else if (key === charkey) {\n if (_this.options.cdata && requiresCDATA(child)) {\n element = element.raw(wrapCDATA(child));\n } else {\n element = element.txt(child);\n }\n } else if (Array.isArray(child)) {\n for (index in child) {\n if (!hasProp.call(child, index)) continue;\n entry = child[index];\n if (typeof entry === 'string') {\n if (_this.options.cdata && requiresCDATA(entry)) {\n element = element.ele(key).raw(wrapCDATA(entry)).up();\n } else {\n element = element.ele(key, entry).up();\n }\n } else {\n element = render(element.ele(key), entry).up();\n }\n }\n } else if (typeof child === \"object\") {\n element = render(element.ele(key), child).up();\n } else {\n if (typeof child === 'string' && _this.options.cdata && requiresCDATA(child)) {\n element = element.ele(key).raw(wrapCDATA(child)).up();\n } else {\n if (child == null) {\n child = '';\n }\n element = element.ele(key, child.toString()).up();\n }\n }\n }\n }\n return element;\n };\n })(this);\n rootElement = builder.create(rootName, this.options.xmldec, this.options.doctype, {\n headless: this.options.headless,\n allowSurrogateChars: this.options.allowSurrogateChars\n });\n return render(rootElement, rootObj).end(this.options.renderOpts);\n };\n\n return Builder;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n exports.defaults = {\n \"0.1\": {\n explicitCharkey: false,\n trim: true,\n normalize: true,\n normalizeTags: false,\n attrkey: \"@\",\n charkey: \"#\",\n explicitArray: false,\n ignoreAttrs: false,\n mergeAttrs: false,\n explicitRoot: false,\n validator: null,\n xmlns: false,\n explicitChildren: false,\n childkey: '@@',\n charsAsChildren: false,\n includeWhiteChars: false,\n async: false,\n strict: true,\n attrNameProcessors: null,\n attrValueProcessors: null,\n tagNameProcessors: null,\n valueProcessors: null,\n emptyTag: ''\n },\n \"0.2\": {\n explicitCharkey: false,\n trim: false,\n normalize: false,\n normalizeTags: false,\n attrkey: \"$\",\n charkey: \"_\",\n explicitArray: true,\n ignoreAttrs: false,\n mergeAttrs: false,\n explicitRoot: true,\n validator: null,\n xmlns: false,\n explicitChildren: false,\n preserveChildrenOrder: false,\n childkey: '$$',\n charsAsChildren: false,\n includeWhiteChars: false,\n async: false,\n strict: true,\n attrNameProcessors: null,\n attrValueProcessors: null,\n tagNameProcessors: null,\n valueProcessors: null,\n rootName: 'root',\n xmldec: {\n 'version': '1.0',\n 'encoding': 'UTF-8',\n 'standalone': true\n },\n doctype: null,\n renderOpts: {\n 'pretty': true,\n 'indent': ' ',\n 'newline': '\\n'\n },\n headless: false,\n chunkSize: 10000,\n emptyTag: '',\n cdata: false\n }\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var bom, defaults, defineProperty, events, isEmpty, processItem, processors, sax, setImmediate,\n bind = function(fn, me){ return function(){ return fn.apply(me, arguments); }; },\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n sax = require('sax');\n\n events = require('events');\n\n bom = require('./bom');\n\n processors = require('./processors');\n\n setImmediate = require('timers').setImmediate;\n\n defaults = require('./defaults').defaults;\n\n isEmpty = function(thing) {\n return typeof thing === \"object\" && (thing != null) && Object.keys(thing).length === 0;\n };\n\n processItem = function(processors, item, key) {\n var i, len, process;\n for (i = 0, len = processors.length; i < len; i++) {\n process = processors[i];\n item = process(item, key);\n }\n return item;\n };\n\n defineProperty = function(obj, key, value) {\n var descriptor;\n descriptor = Object.create(null);\n descriptor.value = value;\n descriptor.writable = true;\n descriptor.enumerable = true;\n descriptor.configurable = true;\n return Object.defineProperty(obj, key, descriptor);\n };\n\n exports.Parser = (function(superClass) {\n extend(Parser, superClass);\n\n function Parser(opts) {\n this.parseStringPromise = bind(this.parseStringPromise, this);\n this.parseString = bind(this.parseString, this);\n this.reset = bind(this.reset, this);\n this.assignOrPush = bind(this.assignOrPush, this);\n this.processAsync = bind(this.processAsync, this);\n var key, ref, value;\n if (!(this instanceof exports.Parser)) {\n return new exports.Parser(opts);\n }\n this.options = {};\n ref = defaults[\"0.2\"];\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this.options[key] = value;\n }\n for (key in opts) {\n if (!hasProp.call(opts, key)) continue;\n value = opts[key];\n this.options[key] = value;\n }\n if (this.options.xmlns) {\n this.options.xmlnskey = this.options.attrkey + \"ns\";\n }\n if (this.options.normalizeTags) {\n if (!this.options.tagNameProcessors) {\n this.options.tagNameProcessors = [];\n }\n this.options.tagNameProcessors.unshift(processors.normalize);\n }\n this.reset();\n }\n\n Parser.prototype.processAsync = function() {\n var chunk, err;\n try {\n if (this.remaining.length <= this.options.chunkSize) {\n chunk = this.remaining;\n this.remaining = '';\n this.saxParser = this.saxParser.write(chunk);\n return this.saxParser.close();\n } else {\n chunk = this.remaining.substr(0, this.options.chunkSize);\n this.remaining = this.remaining.substr(this.options.chunkSize, this.remaining.length);\n this.saxParser = this.saxParser.write(chunk);\n return setImmediate(this.processAsync);\n }\n } catch (error1) {\n err = error1;\n if (!this.saxParser.errThrown) {\n this.saxParser.errThrown = true;\n return this.emit(err);\n }\n }\n };\n\n Parser.prototype.assignOrPush = function(obj, key, newValue) {\n if (!(key in obj)) {\n if (!this.options.explicitArray) {\n return defineProperty(obj, key, newValue);\n } else {\n return defineProperty(obj, key, [newValue]);\n }\n } else {\n if (!(obj[key] instanceof Array)) {\n defineProperty(obj, key, [obj[key]]);\n }\n return obj[key].push(newValue);\n }\n };\n\n Parser.prototype.reset = function() {\n var attrkey, charkey, ontext, stack;\n this.removeAllListeners();\n this.saxParser = sax.parser(this.options.strict, {\n trim: false,\n normalize: false,\n xmlns: this.options.xmlns\n });\n this.saxParser.errThrown = false;\n this.saxParser.onerror = (function(_this) {\n return function(error) {\n _this.saxParser.resume();\n if (!_this.saxParser.errThrown) {\n _this.saxParser.errThrown = true;\n return _this.emit(\"error\", error);\n }\n };\n })(this);\n this.saxParser.onend = (function(_this) {\n return function() {\n if (!_this.saxParser.ended) {\n _this.saxParser.ended = true;\n return _this.emit(\"end\", _this.resultObject);\n }\n };\n })(this);\n this.saxParser.ended = false;\n this.EXPLICIT_CHARKEY = this.options.explicitCharkey;\n this.resultObject = null;\n stack = [];\n attrkey = this.options.attrkey;\n charkey = this.options.charkey;\n this.saxParser.onopentag = (function(_this) {\n return function(node) {\n var key, newValue, obj, processedKey, ref;\n obj = {};\n obj[charkey] = \"\";\n if (!_this.options.ignoreAttrs) {\n ref = node.attributes;\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n if (!(attrkey in obj) && !_this.options.mergeAttrs) {\n obj[attrkey] = {};\n }\n newValue = _this.options.attrValueProcessors ? processItem(_this.options.attrValueProcessors, node.attributes[key], key) : node.attributes[key];\n processedKey = _this.options.attrNameProcessors ? processItem(_this.options.attrNameProcessors, key) : key;\n if (_this.options.mergeAttrs) {\n _this.assignOrPush(obj, processedKey, newValue);\n } else {\n defineProperty(obj[attrkey], processedKey, newValue);\n }\n }\n }\n obj[\"#name\"] = _this.options.tagNameProcessors ? processItem(_this.options.tagNameProcessors, node.name) : node.name;\n if (_this.options.xmlns) {\n obj[_this.options.xmlnskey] = {\n uri: node.uri,\n local: node.local\n };\n }\n return stack.push(obj);\n };\n })(this);\n this.saxParser.onclosetag = (function(_this) {\n return function() {\n var cdata, emptyStr, key, node, nodeName, obj, objClone, old, s, xpath;\n obj = stack.pop();\n nodeName = obj[\"#name\"];\n if (!_this.options.explicitChildren || !_this.options.preserveChildrenOrder) {\n delete obj[\"#name\"];\n }\n if (obj.cdata === true) {\n cdata = obj.cdata;\n delete obj.cdata;\n }\n s = stack[stack.length - 1];\n if (obj[charkey].match(/^\\s*$/) && !cdata) {\n emptyStr = obj[charkey];\n delete obj[charkey];\n } else {\n if (_this.options.trim) {\n obj[charkey] = obj[charkey].trim();\n }\n if (_this.options.normalize) {\n obj[charkey] = obj[charkey].replace(/\\s{2,}/g, \" \").trim();\n }\n obj[charkey] = _this.options.valueProcessors ? processItem(_this.options.valueProcessors, obj[charkey], nodeName) : obj[charkey];\n if (Object.keys(obj).length === 1 && charkey in obj && !_this.EXPLICIT_CHARKEY) {\n obj = obj[charkey];\n }\n }\n if (isEmpty(obj)) {\n if (typeof _this.options.emptyTag === 'function') {\n obj = _this.options.emptyTag();\n } else {\n obj = _this.options.emptyTag !== '' ? _this.options.emptyTag : emptyStr;\n }\n }\n if (_this.options.validator != null) {\n xpath = \"/\" + ((function() {\n var i, len, results;\n results = [];\n for (i = 0, len = stack.length; i < len; i++) {\n node = stack[i];\n results.push(node[\"#name\"]);\n }\n return results;\n })()).concat(nodeName).join(\"/\");\n (function() {\n var err;\n try {\n return obj = _this.options.validator(xpath, s && s[nodeName], obj);\n } catch (error1) {\n err = error1;\n return _this.emit(\"error\", err);\n }\n })();\n }\n if (_this.options.explicitChildren && !_this.options.mergeAttrs && typeof obj === 'object') {\n if (!_this.options.preserveChildrenOrder) {\n node = {};\n if (_this.options.attrkey in obj) {\n node[_this.options.attrkey] = obj[_this.options.attrkey];\n delete obj[_this.options.attrkey];\n }\n if (!_this.options.charsAsChildren && _this.options.charkey in obj) {\n node[_this.options.charkey] = obj[_this.options.charkey];\n delete obj[_this.options.charkey];\n }\n if (Object.getOwnPropertyNames(obj).length > 0) {\n node[_this.options.childkey] = obj;\n }\n obj = node;\n } else if (s) {\n s[_this.options.childkey] = s[_this.options.childkey] || [];\n objClone = {};\n for (key in obj) {\n if (!hasProp.call(obj, key)) continue;\n defineProperty(objClone, key, obj[key]);\n }\n s[_this.options.childkey].push(objClone);\n delete obj[\"#name\"];\n if (Object.keys(obj).length === 1 && charkey in obj && !_this.EXPLICIT_CHARKEY) {\n obj = obj[charkey];\n }\n }\n }\n if (stack.length > 0) {\n return _this.assignOrPush(s, nodeName, obj);\n } else {\n if (_this.options.explicitRoot) {\n old = obj;\n obj = {};\n defineProperty(obj, nodeName, old);\n }\n _this.resultObject = obj;\n _this.saxParser.ended = true;\n return _this.emit(\"end\", _this.resultObject);\n }\n };\n })(this);\n ontext = (function(_this) {\n return function(text) {\n var charChild, s;\n s = stack[stack.length - 1];\n if (s) {\n s[charkey] += text;\n if (_this.options.explicitChildren && _this.options.preserveChildrenOrder && _this.options.charsAsChildren && (_this.options.includeWhiteChars || text.replace(/\\\\n/g, '').trim() !== '')) {\n s[_this.options.childkey] = s[_this.options.childkey] || [];\n charChild = {\n '#name': '__text__'\n };\n charChild[charkey] = text;\n if (_this.options.normalize) {\n charChild[charkey] = charChild[charkey].replace(/\\s{2,}/g, \" \").trim();\n }\n s[_this.options.childkey].push(charChild);\n }\n return s;\n }\n };\n })(this);\n this.saxParser.ontext = ontext;\n return this.saxParser.oncdata = (function(_this) {\n return function(text) {\n var s;\n s = ontext(text);\n if (s) {\n return s.cdata = true;\n }\n };\n })(this);\n };\n\n Parser.prototype.parseString = function(str, cb) {\n var err;\n if ((cb != null) && typeof cb === \"function\") {\n this.on(\"end\", function(result) {\n this.reset();\n return cb(null, result);\n });\n this.on(\"error\", function(err) {\n this.reset();\n return cb(err);\n });\n }\n try {\n str = str.toString();\n if (str.trim() === '') {\n this.emit(\"end\", null);\n return true;\n }\n str = bom.stripBOM(str);\n if (this.options.async) {\n this.remaining = str;\n setImmediate(this.processAsync);\n return this.saxParser;\n }\n return this.saxParser.write(str).close();\n } catch (error1) {\n err = error1;\n if (!(this.saxParser.errThrown || this.saxParser.ended)) {\n this.emit('error', err);\n return this.saxParser.errThrown = true;\n } else if (this.saxParser.ended) {\n throw err;\n }\n }\n };\n\n Parser.prototype.parseStringPromise = function(str) {\n return new Promise((function(_this) {\n return function(resolve, reject) {\n return _this.parseString(str, function(err, value) {\n if (err) {\n return reject(err);\n } else {\n return resolve(value);\n }\n });\n };\n })(this));\n };\n\n return Parser;\n\n })(events);\n\n exports.parseString = function(str, a, b) {\n var cb, options, parser;\n if (b != null) {\n if (typeof b === 'function') {\n cb = b;\n }\n if (typeof a === 'object') {\n options = a;\n }\n } else {\n if (typeof a === 'function') {\n cb = a;\n }\n options = {};\n }\n parser = new exports.Parser(options);\n return parser.parseString(str, cb);\n };\n\n exports.parseStringPromise = function(str, a) {\n var options, parser;\n if (typeof a === 'object') {\n options = a;\n }\n parser = new exports.Parser(options);\n return parser.parseStringPromise(str);\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var prefixMatch;\n\n prefixMatch = new RegExp(/(?!xmlns)^.*:/);\n\n exports.normalize = function(str) {\n return str.toLowerCase();\n };\n\n exports.firstCharLowerCase = function(str) {\n return str.charAt(0).toLowerCase() + str.slice(1);\n };\n\n exports.stripPrefix = function(str) {\n return str.replace(prefixMatch, '');\n };\n\n exports.parseNumbers = function(str) {\n if (!isNaN(str)) {\n str = str % 1 === 0 ? parseInt(str, 10) : parseFloat(str);\n }\n return str;\n };\n\n exports.parseBooleans = function(str) {\n if (/^(?:true|false)$/i.test(str)) {\n str = str.toLowerCase() === 'true';\n }\n return str;\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n \"use strict\";\n var builder, defaults, parser, processors,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n defaults = require('./defaults');\n\n builder = require('./builder');\n\n parser = require('./parser');\n\n processors = require('./processors');\n\n exports.defaults = defaults.defaults;\n\n exports.processors = processors;\n\n exports.ValidationError = (function(superClass) {\n extend(ValidationError, superClass);\n\n function ValidationError(message) {\n this.message = message;\n }\n\n return ValidationError;\n\n })(Error);\n\n exports.Builder = builder.Builder;\n\n exports.Parser = parser.Parser;\n\n exports.parseString = parser.parseString;\n\n exports.parseStringPromise = parser.parseStringPromise;\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n module.exports = {\n Disconnected: 1,\n Preceding: 2,\n Following: 4,\n Contains: 8,\n ContainedBy: 16,\n ImplementationSpecific: 32\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n module.exports = {\n Element: 1,\n Attribute: 2,\n Text: 3,\n CData: 4,\n EntityReference: 5,\n EntityDeclaration: 6,\n ProcessingInstruction: 7,\n Comment: 8,\n Document: 9,\n DocType: 10,\n DocumentFragment: 11,\n NotationDeclaration: 12,\n Declaration: 201,\n Raw: 202,\n AttributeDeclaration: 203,\n ElementDeclaration: 204,\n Dummy: 205\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var assign, getValue, isArray, isEmpty, isFunction, isObject, isPlainObject,\n slice = [].slice,\n hasProp = {}.hasOwnProperty;\n\n assign = function() {\n var i, key, len, source, sources, target;\n target = arguments[0], sources = 2 <= arguments.length ? slice.call(arguments, 1) : [];\n if (isFunction(Object.assign)) {\n Object.assign.apply(null, arguments);\n } else {\n for (i = 0, len = sources.length; i < len; i++) {\n source = sources[i];\n if (source != null) {\n for (key in source) {\n if (!hasProp.call(source, key)) continue;\n target[key] = source[key];\n }\n }\n }\n }\n return target;\n };\n\n isFunction = function(val) {\n return !!val && Object.prototype.toString.call(val) === '[object Function]';\n };\n\n isObject = function(val) {\n var ref;\n return !!val && ((ref = typeof val) === 'function' || ref === 'object');\n };\n\n isArray = function(val) {\n if (isFunction(Array.isArray)) {\n return Array.isArray(val);\n } else {\n return Object.prototype.toString.call(val) === '[object Array]';\n }\n };\n\n isEmpty = function(val) {\n var key;\n if (isArray(val)) {\n return !val.length;\n } else {\n for (key in val) {\n if (!hasProp.call(val, key)) continue;\n return false;\n }\n return true;\n }\n };\n\n isPlainObject = function(val) {\n var ctor, proto;\n return isObject(val) && (proto = Object.getPrototypeOf(val)) && (ctor = proto.constructor) && (typeof ctor === 'function') && (ctor instanceof ctor) && (Function.prototype.toString.call(ctor) === Function.prototype.toString.call(Object));\n };\n\n getValue = function(obj) {\n if (isFunction(obj.valueOf)) {\n return obj.valueOf();\n } else {\n return obj;\n }\n };\n\n module.exports.assign = assign;\n\n module.exports.isFunction = isFunction;\n\n module.exports.isObject = isObject;\n\n module.exports.isArray = isArray;\n\n module.exports.isEmpty = isEmpty;\n\n module.exports.isPlainObject = isPlainObject;\n\n module.exports.getValue = getValue;\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n module.exports = {\n None: 0,\n OpenTag: 1,\n InsideTag: 2,\n CloseTag: 3\n };\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLAttribute, XMLNode;\n\n NodeType = require('./NodeType');\n\n XMLNode = require('./XMLNode');\n\n module.exports = XMLAttribute = (function() {\n function XMLAttribute(parent, name, value) {\n this.parent = parent;\n if (this.parent) {\n this.options = this.parent.options;\n this.stringify = this.parent.stringify;\n }\n if (name == null) {\n throw new Error(\"Missing attribute name. \" + this.debugInfo(name));\n }\n this.name = this.stringify.name(name);\n this.value = this.stringify.attValue(value);\n this.type = NodeType.Attribute;\n this.isId = false;\n this.schemaTypeInfo = null;\n }\n\n Object.defineProperty(XMLAttribute.prototype, 'nodeType', {\n get: function() {\n return this.type;\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'ownerElement', {\n get: function() {\n return this.parent;\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'textContent', {\n get: function() {\n return this.value;\n },\n set: function(value) {\n return this.value = value || '';\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'namespaceURI', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'prefix', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'localName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLAttribute.prototype, 'specified', {\n get: function() {\n return true;\n }\n });\n\n XMLAttribute.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLAttribute.prototype.toString = function(options) {\n return this.options.writer.attribute(this, this.options.writer.filterOptions(options));\n };\n\n XMLAttribute.prototype.debugInfo = function(name) {\n name = name || this.name;\n if (name == null) {\n return \"parent: <\" + this.parent.name + \">\";\n } else {\n return \"attribute: {\" + name + \"}, parent: <\" + this.parent.name + \">\";\n }\n };\n\n XMLAttribute.prototype.isEqualNode = function(node) {\n if (node.namespaceURI !== this.namespaceURI) {\n return false;\n }\n if (node.prefix !== this.prefix) {\n return false;\n }\n if (node.localName !== this.localName) {\n return false;\n }\n if (node.value !== this.value) {\n return false;\n }\n return true;\n };\n\n return XMLAttribute;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCData, XMLCharacterData,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLCData = (function(superClass) {\n extend(XMLCData, superClass);\n\n function XMLCData(parent, text) {\n XMLCData.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing CDATA text. \" + this.debugInfo());\n }\n this.name = \"#cdata-section\";\n this.type = NodeType.CData;\n this.value = this.stringify.cdata(text);\n }\n\n XMLCData.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLCData.prototype.toString = function(options) {\n return this.options.writer.cdata(this, this.options.writer.filterOptions(options));\n };\n\n return XMLCData;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLCharacterData, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n module.exports = XMLCharacterData = (function(superClass) {\n extend(XMLCharacterData, superClass);\n\n function XMLCharacterData(parent) {\n XMLCharacterData.__super__.constructor.call(this, parent);\n this.value = '';\n }\n\n Object.defineProperty(XMLCharacterData.prototype, 'data', {\n get: function() {\n return this.value;\n },\n set: function(value) {\n return this.value = value || '';\n }\n });\n\n Object.defineProperty(XMLCharacterData.prototype, 'length', {\n get: function() {\n return this.value.length;\n }\n });\n\n Object.defineProperty(XMLCharacterData.prototype, 'textContent', {\n get: function() {\n return this.value;\n },\n set: function(value) {\n return this.value = value || '';\n }\n });\n\n XMLCharacterData.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLCharacterData.prototype.substringData = function(offset, count) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.appendData = function(arg) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.insertData = function(offset, arg) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.deleteData = function(offset, count) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.replaceData = function(offset, count, arg) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLCharacterData.prototype.isEqualNode = function(node) {\n if (!XMLCharacterData.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.data !== this.data) {\n return false;\n }\n return true;\n };\n\n return XMLCharacterData;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCharacterData, XMLComment,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLComment = (function(superClass) {\n extend(XMLComment, superClass);\n\n function XMLComment(parent, text) {\n XMLComment.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing comment text. \" + this.debugInfo());\n }\n this.name = \"#comment\";\n this.type = NodeType.Comment;\n this.value = this.stringify.comment(text);\n }\n\n XMLComment.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLComment.prototype.toString = function(options) {\n return this.options.writer.comment(this, this.options.writer.filterOptions(options));\n };\n\n return XMLComment;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMConfiguration, XMLDOMErrorHandler, XMLDOMStringList;\n\n XMLDOMErrorHandler = require('./XMLDOMErrorHandler');\n\n XMLDOMStringList = require('./XMLDOMStringList');\n\n module.exports = XMLDOMConfiguration = (function() {\n function XMLDOMConfiguration() {\n var clonedSelf;\n this.defaultParams = {\n \"canonical-form\": false,\n \"cdata-sections\": false,\n \"comments\": false,\n \"datatype-normalization\": false,\n \"element-content-whitespace\": true,\n \"entities\": true,\n \"error-handler\": new XMLDOMErrorHandler(),\n \"infoset\": true,\n \"validate-if-schema\": false,\n \"namespaces\": true,\n \"namespace-declarations\": true,\n \"normalize-characters\": false,\n \"schema-location\": '',\n \"schema-type\": '',\n \"split-cdata-sections\": true,\n \"validate\": false,\n \"well-formed\": true\n };\n this.params = clonedSelf = Object.create(this.defaultParams);\n }\n\n Object.defineProperty(XMLDOMConfiguration.prototype, 'parameterNames', {\n get: function() {\n return new XMLDOMStringList(Object.keys(this.defaultParams));\n }\n });\n\n XMLDOMConfiguration.prototype.getParameter = function(name) {\n if (this.params.hasOwnProperty(name)) {\n return this.params[name];\n } else {\n return null;\n }\n };\n\n XMLDOMConfiguration.prototype.canSetParameter = function(name, value) {\n return true;\n };\n\n XMLDOMConfiguration.prototype.setParameter = function(name, value) {\n if (value != null) {\n return this.params[name] = value;\n } else {\n return delete this.params[name];\n }\n };\n\n return XMLDOMConfiguration;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMErrorHandler;\n\n module.exports = XMLDOMErrorHandler = (function() {\n function XMLDOMErrorHandler() {}\n\n XMLDOMErrorHandler.prototype.handleError = function(error) {\n throw new Error(error);\n };\n\n return XMLDOMErrorHandler;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMImplementation;\n\n module.exports = XMLDOMImplementation = (function() {\n function XMLDOMImplementation() {}\n\n XMLDOMImplementation.prototype.hasFeature = function(feature, version) {\n return true;\n };\n\n XMLDOMImplementation.prototype.createDocumentType = function(qualifiedName, publicId, systemId) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLDOMImplementation.prototype.createDocument = function(namespaceURI, qualifiedName, doctype) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLDOMImplementation.prototype.createHTMLDocument = function(title) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLDOMImplementation.prototype.getFeature = function(feature, version) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n return XMLDOMImplementation;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLDOMStringList;\n\n module.exports = XMLDOMStringList = (function() {\n function XMLDOMStringList(arr) {\n this.arr = arr || [];\n }\n\n Object.defineProperty(XMLDOMStringList.prototype, 'length', {\n get: function() {\n return this.arr.length;\n }\n });\n\n XMLDOMStringList.prototype.item = function(index) {\n return this.arr[index] || null;\n };\n\n XMLDOMStringList.prototype.contains = function(str) {\n return this.arr.indexOf(str) !== -1;\n };\n\n return XMLDOMStringList;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDAttList, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDAttList = (function(superClass) {\n extend(XMLDTDAttList, superClass);\n\n function XMLDTDAttList(parent, elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n XMLDTDAttList.__super__.constructor.call(this, parent);\n if (elementName == null) {\n throw new Error(\"Missing DTD element name. \" + this.debugInfo());\n }\n if (attributeName == null) {\n throw new Error(\"Missing DTD attribute name. \" + this.debugInfo(elementName));\n }\n if (!attributeType) {\n throw new Error(\"Missing DTD attribute type. \" + this.debugInfo(elementName));\n }\n if (!defaultValueType) {\n throw new Error(\"Missing DTD attribute default. \" + this.debugInfo(elementName));\n }\n if (defaultValueType.indexOf('#') !== 0) {\n defaultValueType = '#' + defaultValueType;\n }\n if (!defaultValueType.match(/^(#REQUIRED|#IMPLIED|#FIXED|#DEFAULT)$/)) {\n throw new Error(\"Invalid default value type; expected: #REQUIRED, #IMPLIED, #FIXED or #DEFAULT. \" + this.debugInfo(elementName));\n }\n if (defaultValue && !defaultValueType.match(/^(#FIXED|#DEFAULT)$/)) {\n throw new Error(\"Default value only applies to #FIXED or #DEFAULT. \" + this.debugInfo(elementName));\n }\n this.elementName = this.stringify.name(elementName);\n this.type = NodeType.AttributeDeclaration;\n this.attributeName = this.stringify.name(attributeName);\n this.attributeType = this.stringify.dtdAttType(attributeType);\n if (defaultValue) {\n this.defaultValue = this.stringify.dtdAttDefault(defaultValue);\n }\n this.defaultValueType = defaultValueType;\n }\n\n XMLDTDAttList.prototype.toString = function(options) {\n return this.options.writer.dtdAttList(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDAttList;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDElement, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDElement = (function(superClass) {\n extend(XMLDTDElement, superClass);\n\n function XMLDTDElement(parent, name, value) {\n XMLDTDElement.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing DTD element name. \" + this.debugInfo());\n }\n if (!value) {\n value = '(#PCDATA)';\n }\n if (Array.isArray(value)) {\n value = '(' + value.join(',') + ')';\n }\n this.name = this.stringify.name(name);\n this.type = NodeType.ElementDeclaration;\n this.value = this.stringify.dtdElementValue(value);\n }\n\n XMLDTDElement.prototype.toString = function(options) {\n return this.options.writer.dtdElement(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDElement;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDEntity, XMLNode, isObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isObject = require('./Utility').isObject;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDEntity = (function(superClass) {\n extend(XMLDTDEntity, superClass);\n\n function XMLDTDEntity(parent, pe, name, value) {\n XMLDTDEntity.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing DTD entity name. \" + this.debugInfo(name));\n }\n if (value == null) {\n throw new Error(\"Missing DTD entity value. \" + this.debugInfo(name));\n }\n this.pe = !!pe;\n this.name = this.stringify.name(name);\n this.type = NodeType.EntityDeclaration;\n if (!isObject(value)) {\n this.value = this.stringify.dtdEntityValue(value);\n this.internal = true;\n } else {\n if (!value.pubID && !value.sysID) {\n throw new Error(\"Public and/or system identifiers are required for an external entity. \" + this.debugInfo(name));\n }\n if (value.pubID && !value.sysID) {\n throw new Error(\"System identifier is required for a public external entity. \" + this.debugInfo(name));\n }\n this.internal = false;\n if (value.pubID != null) {\n this.pubID = this.stringify.dtdPubID(value.pubID);\n }\n if (value.sysID != null) {\n this.sysID = this.stringify.dtdSysID(value.sysID);\n }\n if (value.nData != null) {\n this.nData = this.stringify.dtdNData(value.nData);\n }\n if (this.pe && this.nData) {\n throw new Error(\"Notation declaration is not allowed in a parameter entity. \" + this.debugInfo(name));\n }\n }\n }\n\n Object.defineProperty(XMLDTDEntity.prototype, 'publicId', {\n get: function() {\n return this.pubID;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'systemId', {\n get: function() {\n return this.sysID;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'notationName', {\n get: function() {\n return this.nData || null;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'inputEncoding', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'xmlEncoding', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDTDEntity.prototype, 'xmlVersion', {\n get: function() {\n return null;\n }\n });\n\n XMLDTDEntity.prototype.toString = function(options) {\n return this.options.writer.dtdEntity(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDEntity;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDNotation, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDTDNotation = (function(superClass) {\n extend(XMLDTDNotation, superClass);\n\n function XMLDTDNotation(parent, name, value) {\n XMLDTDNotation.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing DTD notation name. \" + this.debugInfo(name));\n }\n if (!value.pubID && !value.sysID) {\n throw new Error(\"Public or system identifiers are required for an external entity. \" + this.debugInfo(name));\n }\n this.name = this.stringify.name(name);\n this.type = NodeType.NotationDeclaration;\n if (value.pubID != null) {\n this.pubID = this.stringify.dtdPubID(value.pubID);\n }\n if (value.sysID != null) {\n this.sysID = this.stringify.dtdSysID(value.sysID);\n }\n }\n\n Object.defineProperty(XMLDTDNotation.prototype, 'publicId', {\n get: function() {\n return this.pubID;\n }\n });\n\n Object.defineProperty(XMLDTDNotation.prototype, 'systemId', {\n get: function() {\n return this.sysID;\n }\n });\n\n XMLDTDNotation.prototype.toString = function(options) {\n return this.options.writer.dtdNotation(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDTDNotation;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDeclaration, XMLNode, isObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isObject = require('./Utility').isObject;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDeclaration = (function(superClass) {\n extend(XMLDeclaration, superClass);\n\n function XMLDeclaration(parent, version, encoding, standalone) {\n var ref;\n XMLDeclaration.__super__.constructor.call(this, parent);\n if (isObject(version)) {\n ref = version, version = ref.version, encoding = ref.encoding, standalone = ref.standalone;\n }\n if (!version) {\n version = '1.0';\n }\n this.type = NodeType.Declaration;\n this.version = this.stringify.xmlVersion(version);\n if (encoding != null) {\n this.encoding = this.stringify.xmlEncoding(encoding);\n }\n if (standalone != null) {\n this.standalone = this.stringify.xmlStandalone(standalone);\n }\n }\n\n XMLDeclaration.prototype.toString = function(options) {\n return this.options.writer.declaration(this, this.options.writer.filterOptions(options));\n };\n\n return XMLDeclaration;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDTDAttList, XMLDTDElement, XMLDTDEntity, XMLDTDNotation, XMLDocType, XMLNamedNodeMap, XMLNode, isObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isObject = require('./Utility').isObject;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n XMLDTDAttList = require('./XMLDTDAttList');\n\n XMLDTDEntity = require('./XMLDTDEntity');\n\n XMLDTDElement = require('./XMLDTDElement');\n\n XMLDTDNotation = require('./XMLDTDNotation');\n\n XMLNamedNodeMap = require('./XMLNamedNodeMap');\n\n module.exports = XMLDocType = (function(superClass) {\n extend(XMLDocType, superClass);\n\n function XMLDocType(parent, pubID, sysID) {\n var child, i, len, ref, ref1, ref2;\n XMLDocType.__super__.constructor.call(this, parent);\n this.type = NodeType.DocType;\n if (parent.children) {\n ref = parent.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if (child.type === NodeType.Element) {\n this.name = child.name;\n break;\n }\n }\n }\n this.documentObject = parent;\n if (isObject(pubID)) {\n ref1 = pubID, pubID = ref1.pubID, sysID = ref1.sysID;\n }\n if (sysID == null) {\n ref2 = [pubID, sysID], sysID = ref2[0], pubID = ref2[1];\n }\n if (pubID != null) {\n this.pubID = this.stringify.dtdPubID(pubID);\n }\n if (sysID != null) {\n this.sysID = this.stringify.dtdSysID(sysID);\n }\n }\n\n Object.defineProperty(XMLDocType.prototype, 'entities', {\n get: function() {\n var child, i, len, nodes, ref;\n nodes = {};\n ref = this.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if ((child.type === NodeType.EntityDeclaration) && !child.pe) {\n nodes[child.name] = child;\n }\n }\n return new XMLNamedNodeMap(nodes);\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'notations', {\n get: function() {\n var child, i, len, nodes, ref;\n nodes = {};\n ref = this.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if (child.type === NodeType.NotationDeclaration) {\n nodes[child.name] = child;\n }\n }\n return new XMLNamedNodeMap(nodes);\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'publicId', {\n get: function() {\n return this.pubID;\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'systemId', {\n get: function() {\n return this.sysID;\n }\n });\n\n Object.defineProperty(XMLDocType.prototype, 'internalSubset', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n XMLDocType.prototype.element = function(name, value) {\n var child;\n child = new XMLDTDElement(this, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.attList = function(elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n var child;\n child = new XMLDTDAttList(this, elementName, attributeName, attributeType, defaultValueType, defaultValue);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.entity = function(name, value) {\n var child;\n child = new XMLDTDEntity(this, false, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.pEntity = function(name, value) {\n var child;\n child = new XMLDTDEntity(this, true, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.notation = function(name, value) {\n var child;\n child = new XMLDTDNotation(this, name, value);\n this.children.push(child);\n return this;\n };\n\n XMLDocType.prototype.toString = function(options) {\n return this.options.writer.docType(this, this.options.writer.filterOptions(options));\n };\n\n XMLDocType.prototype.ele = function(name, value) {\n return this.element(name, value);\n };\n\n XMLDocType.prototype.att = function(elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n return this.attList(elementName, attributeName, attributeType, defaultValueType, defaultValue);\n };\n\n XMLDocType.prototype.ent = function(name, value) {\n return this.entity(name, value);\n };\n\n XMLDocType.prototype.pent = function(name, value) {\n return this.pEntity(name, value);\n };\n\n XMLDocType.prototype.not = function(name, value) {\n return this.notation(name, value);\n };\n\n XMLDocType.prototype.up = function() {\n return this.root() || this.documentObject;\n };\n\n XMLDocType.prototype.isEqualNode = function(node) {\n if (!XMLDocType.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.name !== this.name) {\n return false;\n }\n if (node.publicId !== this.publicId) {\n return false;\n }\n if (node.systemId !== this.systemId) {\n return false;\n }\n return true;\n };\n\n return XMLDocType;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDOMConfiguration, XMLDOMImplementation, XMLDocument, XMLNode, XMLStringWriter, XMLStringifier, isPlainObject,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n isPlainObject = require('./Utility').isPlainObject;\n\n XMLDOMImplementation = require('./XMLDOMImplementation');\n\n XMLDOMConfiguration = require('./XMLDOMConfiguration');\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n XMLStringifier = require('./XMLStringifier');\n\n XMLStringWriter = require('./XMLStringWriter');\n\n module.exports = XMLDocument = (function(superClass) {\n extend(XMLDocument, superClass);\n\n function XMLDocument(options) {\n XMLDocument.__super__.constructor.call(this, null);\n this.name = \"#document\";\n this.type = NodeType.Document;\n this.documentURI = null;\n this.domConfig = new XMLDOMConfiguration();\n options || (options = {});\n if (!options.writer) {\n options.writer = new XMLStringWriter();\n }\n this.options = options;\n this.stringify = new XMLStringifier(options);\n }\n\n Object.defineProperty(XMLDocument.prototype, 'implementation', {\n value: new XMLDOMImplementation()\n });\n\n Object.defineProperty(XMLDocument.prototype, 'doctype', {\n get: function() {\n var child, i, len, ref;\n ref = this.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n if (child.type === NodeType.DocType) {\n return child;\n }\n }\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'documentElement', {\n get: function() {\n return this.rootObject || null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'inputEncoding', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'strictErrorChecking', {\n get: function() {\n return false;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'xmlEncoding', {\n get: function() {\n if (this.children.length !== 0 && this.children[0].type === NodeType.Declaration) {\n return this.children[0].encoding;\n } else {\n return null;\n }\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'xmlStandalone', {\n get: function() {\n if (this.children.length !== 0 && this.children[0].type === NodeType.Declaration) {\n return this.children[0].standalone === 'yes';\n } else {\n return false;\n }\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'xmlVersion', {\n get: function() {\n if (this.children.length !== 0 && this.children[0].type === NodeType.Declaration) {\n return this.children[0].version;\n } else {\n return \"1.0\";\n }\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'URL', {\n get: function() {\n return this.documentURI;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'origin', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'compatMode', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'characterSet', {\n get: function() {\n return null;\n }\n });\n\n Object.defineProperty(XMLDocument.prototype, 'contentType', {\n get: function() {\n return null;\n }\n });\n\n XMLDocument.prototype.end = function(writer) {\n var writerOptions;\n writerOptions = {};\n if (!writer) {\n writer = this.options.writer;\n } else if (isPlainObject(writer)) {\n writerOptions = writer;\n writer = this.options.writer;\n }\n return writer.document(this, writer.filterOptions(writerOptions));\n };\n\n XMLDocument.prototype.toString = function(options) {\n return this.options.writer.document(this, this.options.writer.filterOptions(options));\n };\n\n XMLDocument.prototype.createElement = function(tagName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createDocumentFragment = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createTextNode = function(data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createComment = function(data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createCDATASection = function(data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createProcessingInstruction = function(target, data) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createAttribute = function(name) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createEntityReference = function(name) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementsByTagName = function(tagname) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.importNode = function(importedNode, deep) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createElementNS = function(namespaceURI, qualifiedName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createAttributeNS = function(namespaceURI, qualifiedName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementsByTagNameNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementById = function(elementId) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.adoptNode = function(source) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.normalizeDocument = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.renameNode = function(node, namespaceURI, qualifiedName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.getElementsByClassName = function(classNames) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createEvent = function(eventInterface) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createRange = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createNodeIterator = function(root, whatToShow, filter) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLDocument.prototype.createTreeWalker = function(root, whatToShow, filter) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n return XMLDocument;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLAttribute, XMLCData, XMLComment, XMLDTDAttList, XMLDTDElement, XMLDTDEntity, XMLDTDNotation, XMLDeclaration, XMLDocType, XMLDocument, XMLDocumentCB, XMLElement, XMLProcessingInstruction, XMLRaw, XMLStringWriter, XMLStringifier, XMLText, getValue, isFunction, isObject, isPlainObject, ref,\n hasProp = {}.hasOwnProperty;\n\n ref = require('./Utility'), isObject = ref.isObject, isFunction = ref.isFunction, isPlainObject = ref.isPlainObject, getValue = ref.getValue;\n\n NodeType = require('./NodeType');\n\n XMLDocument = require('./XMLDocument');\n\n XMLElement = require('./XMLElement');\n\n XMLCData = require('./XMLCData');\n\n XMLComment = require('./XMLComment');\n\n XMLRaw = require('./XMLRaw');\n\n XMLText = require('./XMLText');\n\n XMLProcessingInstruction = require('./XMLProcessingInstruction');\n\n XMLDeclaration = require('./XMLDeclaration');\n\n XMLDocType = require('./XMLDocType');\n\n XMLDTDAttList = require('./XMLDTDAttList');\n\n XMLDTDEntity = require('./XMLDTDEntity');\n\n XMLDTDElement = require('./XMLDTDElement');\n\n XMLDTDNotation = require('./XMLDTDNotation');\n\n XMLAttribute = require('./XMLAttribute');\n\n XMLStringifier = require('./XMLStringifier');\n\n XMLStringWriter = require('./XMLStringWriter');\n\n WriterState = require('./WriterState');\n\n module.exports = XMLDocumentCB = (function() {\n function XMLDocumentCB(options, onData, onEnd) {\n var writerOptions;\n this.name = \"?xml\";\n this.type = NodeType.Document;\n options || (options = {});\n writerOptions = {};\n if (!options.writer) {\n options.writer = new XMLStringWriter();\n } else if (isPlainObject(options.writer)) {\n writerOptions = options.writer;\n options.writer = new XMLStringWriter();\n }\n this.options = options;\n this.writer = options.writer;\n this.writerOptions = this.writer.filterOptions(writerOptions);\n this.stringify = new XMLStringifier(options);\n this.onDataCallback = onData || function() {};\n this.onEndCallback = onEnd || function() {};\n this.currentNode = null;\n this.currentLevel = -1;\n this.openTags = {};\n this.documentStarted = false;\n this.documentCompleted = false;\n this.root = null;\n }\n\n XMLDocumentCB.prototype.createChildNode = function(node) {\n var att, attName, attributes, child, i, len, ref1, ref2;\n switch (node.type) {\n case NodeType.CData:\n this.cdata(node.value);\n break;\n case NodeType.Comment:\n this.comment(node.value);\n break;\n case NodeType.Element:\n attributes = {};\n ref1 = node.attribs;\n for (attName in ref1) {\n if (!hasProp.call(ref1, attName)) continue;\n att = ref1[attName];\n attributes[attName] = att.value;\n }\n this.node(node.name, attributes);\n break;\n case NodeType.Dummy:\n this.dummy();\n break;\n case NodeType.Raw:\n this.raw(node.value);\n break;\n case NodeType.Text:\n this.text(node.value);\n break;\n case NodeType.ProcessingInstruction:\n this.instruction(node.target, node.value);\n break;\n default:\n throw new Error(\"This XML node type is not supported in a JS object: \" + node.constructor.name);\n }\n ref2 = node.children;\n for (i = 0, len = ref2.length; i < len; i++) {\n child = ref2[i];\n this.createChildNode(child);\n if (child.type === NodeType.Element) {\n this.up();\n }\n }\n return this;\n };\n\n XMLDocumentCB.prototype.dummy = function() {\n return this;\n };\n\n XMLDocumentCB.prototype.node = function(name, attributes, text) {\n var ref1;\n if (name == null) {\n throw new Error(\"Missing node name.\");\n }\n if (this.root && this.currentLevel === -1) {\n throw new Error(\"Document can only have one root node. \" + this.debugInfo(name));\n }\n this.openCurrent();\n name = getValue(name);\n if (attributes == null) {\n attributes = {};\n }\n attributes = getValue(attributes);\n if (!isObject(attributes)) {\n ref1 = [attributes, text], text = ref1[0], attributes = ref1[1];\n }\n this.currentNode = new XMLElement(this, name, attributes);\n this.currentNode.children = false;\n this.currentLevel++;\n this.openTags[this.currentLevel] = this.currentNode;\n if (text != null) {\n this.text(text);\n }\n return this;\n };\n\n XMLDocumentCB.prototype.element = function(name, attributes, text) {\n var child, i, len, oldValidationFlag, ref1, root;\n if (this.currentNode && this.currentNode.type === NodeType.DocType) {\n this.dtdElement.apply(this, arguments);\n } else {\n if (Array.isArray(name) || isObject(name) || isFunction(name)) {\n oldValidationFlag = this.options.noValidation;\n this.options.noValidation = true;\n root = new XMLDocument(this.options).element('TEMP_ROOT');\n root.element(name);\n this.options.noValidation = oldValidationFlag;\n ref1 = root.children;\n for (i = 0, len = ref1.length; i < len; i++) {\n child = ref1[i];\n this.createChildNode(child);\n if (child.type === NodeType.Element) {\n this.up();\n }\n }\n } else {\n this.node(name, attributes, text);\n }\n }\n return this;\n };\n\n XMLDocumentCB.prototype.attribute = function(name, value) {\n var attName, attValue;\n if (!this.currentNode || this.currentNode.children) {\n throw new Error(\"att() can only be used immediately after an ele() call in callback mode. \" + this.debugInfo(name));\n }\n if (name != null) {\n name = getValue(name);\n }\n if (isObject(name)) {\n for (attName in name) {\n if (!hasProp.call(name, attName)) continue;\n attValue = name[attName];\n this.attribute(attName, attValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n if (this.options.keepNullAttributes && (value == null)) {\n this.currentNode.attribs[name] = new XMLAttribute(this, name, \"\");\n } else if (value != null) {\n this.currentNode.attribs[name] = new XMLAttribute(this, name, value);\n }\n }\n return this;\n };\n\n XMLDocumentCB.prototype.text = function(value) {\n var node;\n this.openCurrent();\n node = new XMLText(this, value);\n this.onData(this.writer.text(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.cdata = function(value) {\n var node;\n this.openCurrent();\n node = new XMLCData(this, value);\n this.onData(this.writer.cdata(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.comment = function(value) {\n var node;\n this.openCurrent();\n node = new XMLComment(this, value);\n this.onData(this.writer.comment(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.raw = function(value) {\n var node;\n this.openCurrent();\n node = new XMLRaw(this, value);\n this.onData(this.writer.raw(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.instruction = function(target, value) {\n var i, insTarget, insValue, len, node;\n this.openCurrent();\n if (target != null) {\n target = getValue(target);\n }\n if (value != null) {\n value = getValue(value);\n }\n if (Array.isArray(target)) {\n for (i = 0, len = target.length; i < len; i++) {\n insTarget = target[i];\n this.instruction(insTarget);\n }\n } else if (isObject(target)) {\n for (insTarget in target) {\n if (!hasProp.call(target, insTarget)) continue;\n insValue = target[insTarget];\n this.instruction(insTarget, insValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n node = new XMLProcessingInstruction(this, target, value);\n this.onData(this.writer.processingInstruction(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n }\n return this;\n };\n\n XMLDocumentCB.prototype.declaration = function(version, encoding, standalone) {\n var node;\n this.openCurrent();\n if (this.documentStarted) {\n throw new Error(\"declaration() must be the first node.\");\n }\n node = new XMLDeclaration(this, version, encoding, standalone);\n this.onData(this.writer.declaration(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.doctype = function(root, pubID, sysID) {\n this.openCurrent();\n if (root == null) {\n throw new Error(\"Missing root node name.\");\n }\n if (this.root) {\n throw new Error(\"dtd() must come before the root node.\");\n }\n this.currentNode = new XMLDocType(this, pubID, sysID);\n this.currentNode.rootNodeName = root;\n this.currentNode.children = false;\n this.currentLevel++;\n this.openTags[this.currentLevel] = this.currentNode;\n return this;\n };\n\n XMLDocumentCB.prototype.dtdElement = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDElement(this, name, value);\n this.onData(this.writer.dtdElement(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.attList = function(elementName, attributeName, attributeType, defaultValueType, defaultValue) {\n var node;\n this.openCurrent();\n node = new XMLDTDAttList(this, elementName, attributeName, attributeType, defaultValueType, defaultValue);\n this.onData(this.writer.dtdAttList(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.entity = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDEntity(this, false, name, value);\n this.onData(this.writer.dtdEntity(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.pEntity = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDEntity(this, true, name, value);\n this.onData(this.writer.dtdEntity(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.notation = function(name, value) {\n var node;\n this.openCurrent();\n node = new XMLDTDNotation(this, name, value);\n this.onData(this.writer.dtdNotation(node, this.writerOptions, this.currentLevel + 1), this.currentLevel + 1);\n return this;\n };\n\n XMLDocumentCB.prototype.up = function() {\n if (this.currentLevel < 0) {\n throw new Error(\"The document node has no parent.\");\n }\n if (this.currentNode) {\n if (this.currentNode.children) {\n this.closeNode(this.currentNode);\n } else {\n this.openNode(this.currentNode);\n }\n this.currentNode = null;\n } else {\n this.closeNode(this.openTags[this.currentLevel]);\n }\n delete this.openTags[this.currentLevel];\n this.currentLevel--;\n return this;\n };\n\n XMLDocumentCB.prototype.end = function() {\n while (this.currentLevel >= 0) {\n this.up();\n }\n return this.onEnd();\n };\n\n XMLDocumentCB.prototype.openCurrent = function() {\n if (this.currentNode) {\n this.currentNode.children = true;\n return this.openNode(this.currentNode);\n }\n };\n\n XMLDocumentCB.prototype.openNode = function(node) {\n var att, chunk, name, ref1;\n if (!node.isOpen) {\n if (!this.root && this.currentLevel === 0 && node.type === NodeType.Element) {\n this.root = node;\n }\n chunk = '';\n if (node.type === NodeType.Element) {\n this.writerOptions.state = WriterState.OpenTag;\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + '<' + node.name;\n ref1 = node.attribs;\n for (name in ref1) {\n if (!hasProp.call(ref1, name)) continue;\n att = ref1[name];\n chunk += this.writer.attribute(att, this.writerOptions, this.currentLevel);\n }\n chunk += (node.children ? '>' : '/>') + this.writer.endline(node, this.writerOptions, this.currentLevel);\n this.writerOptions.state = WriterState.InsideTag;\n } else {\n this.writerOptions.state = WriterState.OpenTag;\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + '<!DOCTYPE ' + node.rootNodeName;\n if (node.pubID && node.sysID) {\n chunk += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.sysID) {\n chunk += ' SYSTEM \"' + node.sysID + '\"';\n }\n if (node.children) {\n chunk += ' [';\n this.writerOptions.state = WriterState.InsideTag;\n } else {\n this.writerOptions.state = WriterState.CloseTag;\n chunk += '>';\n }\n chunk += this.writer.endline(node, this.writerOptions, this.currentLevel);\n }\n this.onData(chunk, this.currentLevel);\n return node.isOpen = true;\n }\n };\n\n XMLDocumentCB.prototype.closeNode = function(node) {\n var chunk;\n if (!node.isClosed) {\n chunk = '';\n this.writerOptions.state = WriterState.CloseTag;\n if (node.type === NodeType.Element) {\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + '</' + node.name + '>' + this.writer.endline(node, this.writerOptions, this.currentLevel);\n } else {\n chunk = this.writer.indent(node, this.writerOptions, this.currentLevel) + ']>' + this.writer.endline(node, this.writerOptions, this.currentLevel);\n }\n this.writerOptions.state = WriterState.None;\n this.onData(chunk, this.currentLevel);\n return node.isClosed = true;\n }\n };\n\n XMLDocumentCB.prototype.onData = function(chunk, level) {\n this.documentStarted = true;\n return this.onDataCallback(chunk, level + 1);\n };\n\n XMLDocumentCB.prototype.onEnd = function() {\n this.documentCompleted = true;\n return this.onEndCallback();\n };\n\n XMLDocumentCB.prototype.debugInfo = function(name) {\n if (name == null) {\n return \"\";\n } else {\n return \"node: <\" + name + \">\";\n }\n };\n\n XMLDocumentCB.prototype.ele = function() {\n return this.element.apply(this, arguments);\n };\n\n XMLDocumentCB.prototype.nod = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLDocumentCB.prototype.txt = function(value) {\n return this.text(value);\n };\n\n XMLDocumentCB.prototype.dat = function(value) {\n return this.cdata(value);\n };\n\n XMLDocumentCB.prototype.com = function(value) {\n return this.comment(value);\n };\n\n XMLDocumentCB.prototype.ins = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLDocumentCB.prototype.dec = function(version, encoding, standalone) {\n return this.declaration(version, encoding, standalone);\n };\n\n XMLDocumentCB.prototype.dtd = function(root, pubID, sysID) {\n return this.doctype(root, pubID, sysID);\n };\n\n XMLDocumentCB.prototype.e = function(name, attributes, text) {\n return this.element(name, attributes, text);\n };\n\n XMLDocumentCB.prototype.n = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLDocumentCB.prototype.t = function(value) {\n return this.text(value);\n };\n\n XMLDocumentCB.prototype.d = function(value) {\n return this.cdata(value);\n };\n\n XMLDocumentCB.prototype.c = function(value) {\n return this.comment(value);\n };\n\n XMLDocumentCB.prototype.r = function(value) {\n return this.raw(value);\n };\n\n XMLDocumentCB.prototype.i = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLDocumentCB.prototype.att = function() {\n if (this.currentNode && this.currentNode.type === NodeType.DocType) {\n return this.attList.apply(this, arguments);\n } else {\n return this.attribute.apply(this, arguments);\n }\n };\n\n XMLDocumentCB.prototype.a = function() {\n if (this.currentNode && this.currentNode.type === NodeType.DocType) {\n return this.attList.apply(this, arguments);\n } else {\n return this.attribute.apply(this, arguments);\n }\n };\n\n XMLDocumentCB.prototype.ent = function(name, value) {\n return this.entity(name, value);\n };\n\n XMLDocumentCB.prototype.pent = function(name, value) {\n return this.pEntity(name, value);\n };\n\n XMLDocumentCB.prototype.not = function(name, value) {\n return this.notation(name, value);\n };\n\n return XMLDocumentCB;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLDummy, XMLNode,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n module.exports = XMLDummy = (function(superClass) {\n extend(XMLDummy, superClass);\n\n function XMLDummy(parent) {\n XMLDummy.__super__.constructor.call(this, parent);\n this.type = NodeType.Dummy;\n }\n\n XMLDummy.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLDummy.prototype.toString = function(options) {\n return '';\n };\n\n return XMLDummy;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLAttribute, XMLElement, XMLNamedNodeMap, XMLNode, getValue, isFunction, isObject, ref,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n ref = require('./Utility'), isObject = ref.isObject, isFunction = ref.isFunction, getValue = ref.getValue;\n\n XMLNode = require('./XMLNode');\n\n NodeType = require('./NodeType');\n\n XMLAttribute = require('./XMLAttribute');\n\n XMLNamedNodeMap = require('./XMLNamedNodeMap');\n\n module.exports = XMLElement = (function(superClass) {\n extend(XMLElement, superClass);\n\n function XMLElement(parent, name, attributes) {\n var child, j, len, ref1;\n XMLElement.__super__.constructor.call(this, parent);\n if (name == null) {\n throw new Error(\"Missing element name. \" + this.debugInfo());\n }\n this.name = this.stringify.name(name);\n this.type = NodeType.Element;\n this.attribs = {};\n this.schemaTypeInfo = null;\n if (attributes != null) {\n this.attribute(attributes);\n }\n if (parent.type === NodeType.Document) {\n this.isRoot = true;\n this.documentObject = parent;\n parent.rootObject = this;\n if (parent.children) {\n ref1 = parent.children;\n for (j = 0, len = ref1.length; j < len; j++) {\n child = ref1[j];\n if (child.type === NodeType.DocType) {\n child.name = this.name;\n break;\n }\n }\n }\n }\n }\n\n Object.defineProperty(XMLElement.prototype, 'tagName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'namespaceURI', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'prefix', {\n get: function() {\n return '';\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'localName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'id', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'className', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'classList', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLElement.prototype, 'attributes', {\n get: function() {\n if (!this.attributeMap || !this.attributeMap.nodes) {\n this.attributeMap = new XMLNamedNodeMap(this.attribs);\n }\n return this.attributeMap;\n }\n });\n\n XMLElement.prototype.clone = function() {\n var att, attName, clonedSelf, ref1;\n clonedSelf = Object.create(this);\n if (clonedSelf.isRoot) {\n clonedSelf.documentObject = null;\n }\n clonedSelf.attribs = {};\n ref1 = this.attribs;\n for (attName in ref1) {\n if (!hasProp.call(ref1, attName)) continue;\n att = ref1[attName];\n clonedSelf.attribs[attName] = att.clone();\n }\n clonedSelf.children = [];\n this.children.forEach(function(child) {\n var clonedChild;\n clonedChild = child.clone();\n clonedChild.parent = clonedSelf;\n return clonedSelf.children.push(clonedChild);\n });\n return clonedSelf;\n };\n\n XMLElement.prototype.attribute = function(name, value) {\n var attName, attValue;\n if (name != null) {\n name = getValue(name);\n }\n if (isObject(name)) {\n for (attName in name) {\n if (!hasProp.call(name, attName)) continue;\n attValue = name[attName];\n this.attribute(attName, attValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n if (this.options.keepNullAttributes && (value == null)) {\n this.attribs[name] = new XMLAttribute(this, name, \"\");\n } else if (value != null) {\n this.attribs[name] = new XMLAttribute(this, name, value);\n }\n }\n return this;\n };\n\n XMLElement.prototype.removeAttribute = function(name) {\n var attName, j, len;\n if (name == null) {\n throw new Error(\"Missing attribute name. \" + this.debugInfo());\n }\n name = getValue(name);\n if (Array.isArray(name)) {\n for (j = 0, len = name.length; j < len; j++) {\n attName = name[j];\n delete this.attribs[attName];\n }\n } else {\n delete this.attribs[name];\n }\n return this;\n };\n\n XMLElement.prototype.toString = function(options) {\n return this.options.writer.element(this, this.options.writer.filterOptions(options));\n };\n\n XMLElement.prototype.att = function(name, value) {\n return this.attribute(name, value);\n };\n\n XMLElement.prototype.a = function(name, value) {\n return this.attribute(name, value);\n };\n\n XMLElement.prototype.getAttribute = function(name) {\n if (this.attribs.hasOwnProperty(name)) {\n return this.attribs[name].value;\n } else {\n return null;\n }\n };\n\n XMLElement.prototype.setAttribute = function(name, value) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getAttributeNode = function(name) {\n if (this.attribs.hasOwnProperty(name)) {\n return this.attribs[name];\n } else {\n return null;\n }\n };\n\n XMLElement.prototype.setAttributeNode = function(newAttr) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.removeAttributeNode = function(oldAttr) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagName = function(name) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getAttributeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setAttributeNS = function(namespaceURI, qualifiedName, value) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.removeAttributeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getAttributeNodeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setAttributeNodeNS = function(newAttr) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagNameNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.hasAttribute = function(name) {\n return this.attribs.hasOwnProperty(name);\n };\n\n XMLElement.prototype.hasAttributeNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setIdAttribute = function(name, isId) {\n if (this.attribs.hasOwnProperty(name)) {\n return this.attribs[name].isId;\n } else {\n return isId;\n }\n };\n\n XMLElement.prototype.setIdAttributeNS = function(namespaceURI, localName, isId) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.setIdAttributeNode = function(idAttr, isId) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagName = function(tagname) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByTagNameNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.getElementsByClassName = function(classNames) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLElement.prototype.isEqualNode = function(node) {\n var i, j, ref1;\n if (!XMLElement.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.namespaceURI !== this.namespaceURI) {\n return false;\n }\n if (node.prefix !== this.prefix) {\n return false;\n }\n if (node.localName !== this.localName) {\n return false;\n }\n if (node.attribs.length !== this.attribs.length) {\n return false;\n }\n for (i = j = 0, ref1 = this.attribs.length - 1; 0 <= ref1 ? j <= ref1 : j >= ref1; i = 0 <= ref1 ? ++j : --j) {\n if (!this.attribs[i].isEqualNode(node.attribs[i])) {\n return false;\n }\n }\n return true;\n };\n\n return XMLElement;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLNamedNodeMap;\n\n module.exports = XMLNamedNodeMap = (function() {\n function XMLNamedNodeMap(nodes) {\n this.nodes = nodes;\n }\n\n Object.defineProperty(XMLNamedNodeMap.prototype, 'length', {\n get: function() {\n return Object.keys(this.nodes).length || 0;\n }\n });\n\n XMLNamedNodeMap.prototype.clone = function() {\n return this.nodes = null;\n };\n\n XMLNamedNodeMap.prototype.getNamedItem = function(name) {\n return this.nodes[name];\n };\n\n XMLNamedNodeMap.prototype.setNamedItem = function(node) {\n var oldNode;\n oldNode = this.nodes[node.nodeName];\n this.nodes[node.nodeName] = node;\n return oldNode || null;\n };\n\n XMLNamedNodeMap.prototype.removeNamedItem = function(name) {\n var oldNode;\n oldNode = this.nodes[name];\n delete this.nodes[name];\n return oldNode || null;\n };\n\n XMLNamedNodeMap.prototype.item = function(index) {\n return this.nodes[Object.keys(this.nodes)[index]] || null;\n };\n\n XMLNamedNodeMap.prototype.getNamedItemNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLNamedNodeMap.prototype.setNamedItemNS = function(node) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n XMLNamedNodeMap.prototype.removeNamedItemNS = function(namespaceURI, localName) {\n throw new Error(\"This DOM method is not implemented.\");\n };\n\n return XMLNamedNodeMap;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var DocumentPosition, NodeType, XMLCData, XMLComment, XMLDeclaration, XMLDocType, XMLDummy, XMLElement, XMLNamedNodeMap, XMLNode, XMLNodeList, XMLProcessingInstruction, XMLRaw, XMLText, getValue, isEmpty, isFunction, isObject, ref1,\n hasProp = {}.hasOwnProperty;\n\n ref1 = require('./Utility'), isObject = ref1.isObject, isFunction = ref1.isFunction, isEmpty = ref1.isEmpty, getValue = ref1.getValue;\n\n XMLElement = null;\n\n XMLCData = null;\n\n XMLComment = null;\n\n XMLDeclaration = null;\n\n XMLDocType = null;\n\n XMLRaw = null;\n\n XMLText = null;\n\n XMLProcessingInstruction = null;\n\n XMLDummy = null;\n\n NodeType = null;\n\n XMLNodeList = null;\n\n XMLNamedNodeMap = null;\n\n DocumentPosition = null;\n\n module.exports = XMLNode = (function() {\n function XMLNode(parent1) {\n this.parent = parent1;\n if (this.parent) {\n this.options = this.parent.options;\n this.stringify = this.parent.stringify;\n }\n this.value = null;\n this.children = [];\n this.baseURI = null;\n if (!XMLElement) {\n XMLElement = require('./XMLElement');\n XMLCData = require('./XMLCData');\n XMLComment = require('./XMLComment');\n XMLDeclaration = require('./XMLDeclaration');\n XMLDocType = require('./XMLDocType');\n XMLRaw = require('./XMLRaw');\n XMLText = require('./XMLText');\n XMLProcessingInstruction = require('./XMLProcessingInstruction');\n XMLDummy = require('./XMLDummy');\n NodeType = require('./NodeType');\n XMLNodeList = require('./XMLNodeList');\n XMLNamedNodeMap = require('./XMLNamedNodeMap');\n DocumentPosition = require('./DocumentPosition');\n }\n }\n\n Object.defineProperty(XMLNode.prototype, 'nodeName', {\n get: function() {\n return this.name;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'nodeType', {\n get: function() {\n return this.type;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'nodeValue', {\n get: function() {\n return this.value;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'parentNode', {\n get: function() {\n return this.parent;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'childNodes', {\n get: function() {\n if (!this.childNodeList || !this.childNodeList.nodes) {\n this.childNodeList = new XMLNodeList(this.children);\n }\n return this.childNodeList;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'firstChild', {\n get: function() {\n return this.children[0] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'lastChild', {\n get: function() {\n return this.children[this.children.length - 1] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'previousSibling', {\n get: function() {\n var i;\n i = this.parent.children.indexOf(this);\n return this.parent.children[i - 1] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'nextSibling', {\n get: function() {\n var i;\n i = this.parent.children.indexOf(this);\n return this.parent.children[i + 1] || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'ownerDocument', {\n get: function() {\n return this.document() || null;\n }\n });\n\n Object.defineProperty(XMLNode.prototype, 'textContent', {\n get: function() {\n var child, j, len, ref2, str;\n if (this.nodeType === NodeType.Element || this.nodeType === NodeType.DocumentFragment) {\n str = '';\n ref2 = this.children;\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n if (child.textContent) {\n str += child.textContent;\n }\n }\n return str;\n } else {\n return null;\n }\n },\n set: function(value) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n XMLNode.prototype.setParent = function(parent) {\n var child, j, len, ref2, results;\n this.parent = parent;\n if (parent) {\n this.options = parent.options;\n this.stringify = parent.stringify;\n }\n ref2 = this.children;\n results = [];\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n results.push(child.setParent(this));\n }\n return results;\n };\n\n XMLNode.prototype.element = function(name, attributes, text) {\n var childNode, item, j, k, key, lastChild, len, len1, ref2, ref3, val;\n lastChild = null;\n if (attributes === null && (text == null)) {\n ref2 = [{}, null], attributes = ref2[0], text = ref2[1];\n }\n if (attributes == null) {\n attributes = {};\n }\n attributes = getValue(attributes);\n if (!isObject(attributes)) {\n ref3 = [attributes, text], text = ref3[0], attributes = ref3[1];\n }\n if (name != null) {\n name = getValue(name);\n }\n if (Array.isArray(name)) {\n for (j = 0, len = name.length; j < len; j++) {\n item = name[j];\n lastChild = this.element(item);\n }\n } else if (isFunction(name)) {\n lastChild = this.element(name.apply());\n } else if (isObject(name)) {\n for (key in name) {\n if (!hasProp.call(name, key)) continue;\n val = name[key];\n if (isFunction(val)) {\n val = val.apply();\n }\n if (!this.options.ignoreDecorators && this.stringify.convertAttKey && key.indexOf(this.stringify.convertAttKey) === 0) {\n lastChild = this.attribute(key.substr(this.stringify.convertAttKey.length), val);\n } else if (!this.options.separateArrayItems && Array.isArray(val) && isEmpty(val)) {\n lastChild = this.dummy();\n } else if (isObject(val) && isEmpty(val)) {\n lastChild = this.element(key);\n } else if (!this.options.keepNullNodes && (val == null)) {\n lastChild = this.dummy();\n } else if (!this.options.separateArrayItems && Array.isArray(val)) {\n for (k = 0, len1 = val.length; k < len1; k++) {\n item = val[k];\n childNode = {};\n childNode[key] = item;\n lastChild = this.element(childNode);\n }\n } else if (isObject(val)) {\n if (!this.options.ignoreDecorators && this.stringify.convertTextKey && key.indexOf(this.stringify.convertTextKey) === 0) {\n lastChild = this.element(val);\n } else {\n lastChild = this.element(key);\n lastChild.element(val);\n }\n } else {\n lastChild = this.element(key, val);\n }\n }\n } else if (!this.options.keepNullNodes && text === null) {\n lastChild = this.dummy();\n } else {\n if (!this.options.ignoreDecorators && this.stringify.convertTextKey && name.indexOf(this.stringify.convertTextKey) === 0) {\n lastChild = this.text(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertCDataKey && name.indexOf(this.stringify.convertCDataKey) === 0) {\n lastChild = this.cdata(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertCommentKey && name.indexOf(this.stringify.convertCommentKey) === 0) {\n lastChild = this.comment(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertRawKey && name.indexOf(this.stringify.convertRawKey) === 0) {\n lastChild = this.raw(text);\n } else if (!this.options.ignoreDecorators && this.stringify.convertPIKey && name.indexOf(this.stringify.convertPIKey) === 0) {\n lastChild = this.instruction(name.substr(this.stringify.convertPIKey.length), text);\n } else {\n lastChild = this.node(name, attributes, text);\n }\n }\n if (lastChild == null) {\n throw new Error(\"Could not create any elements with: \" + name + \". \" + this.debugInfo());\n }\n return lastChild;\n };\n\n XMLNode.prototype.insertBefore = function(name, attributes, text) {\n var child, i, newChild, refChild, removed;\n if (name != null ? name.type : void 0) {\n newChild = name;\n refChild = attributes;\n newChild.setParent(this);\n if (refChild) {\n i = children.indexOf(refChild);\n removed = children.splice(i);\n children.push(newChild);\n Array.prototype.push.apply(children, removed);\n } else {\n children.push(newChild);\n }\n return newChild;\n } else {\n if (this.isRoot) {\n throw new Error(\"Cannot insert elements at root level. \" + this.debugInfo(name));\n }\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i);\n child = this.parent.element(name, attributes, text);\n Array.prototype.push.apply(this.parent.children, removed);\n return child;\n }\n };\n\n XMLNode.prototype.insertAfter = function(name, attributes, text) {\n var child, i, removed;\n if (this.isRoot) {\n throw new Error(\"Cannot insert elements at root level. \" + this.debugInfo(name));\n }\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i + 1);\n child = this.parent.element(name, attributes, text);\n Array.prototype.push.apply(this.parent.children, removed);\n return child;\n };\n\n XMLNode.prototype.remove = function() {\n var i, ref2;\n if (this.isRoot) {\n throw new Error(\"Cannot remove the root element. \" + this.debugInfo());\n }\n i = this.parent.children.indexOf(this);\n [].splice.apply(this.parent.children, [i, i - i + 1].concat(ref2 = [])), ref2;\n return this.parent;\n };\n\n XMLNode.prototype.node = function(name, attributes, text) {\n var child, ref2;\n if (name != null) {\n name = getValue(name);\n }\n attributes || (attributes = {});\n attributes = getValue(attributes);\n if (!isObject(attributes)) {\n ref2 = [attributes, text], text = ref2[0], attributes = ref2[1];\n }\n child = new XMLElement(this, name, attributes);\n if (text != null) {\n child.text(text);\n }\n this.children.push(child);\n return child;\n };\n\n XMLNode.prototype.text = function(value) {\n var child;\n if (isObject(value)) {\n this.element(value);\n }\n child = new XMLText(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.cdata = function(value) {\n var child;\n child = new XMLCData(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.comment = function(value) {\n var child;\n child = new XMLComment(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.commentBefore = function(value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i);\n child = this.parent.comment(value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.commentAfter = function(value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i + 1);\n child = this.parent.comment(value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.raw = function(value) {\n var child;\n child = new XMLRaw(this, value);\n this.children.push(child);\n return this;\n };\n\n XMLNode.prototype.dummy = function() {\n var child;\n child = new XMLDummy(this);\n return child;\n };\n\n XMLNode.prototype.instruction = function(target, value) {\n var insTarget, insValue, instruction, j, len;\n if (target != null) {\n target = getValue(target);\n }\n if (value != null) {\n value = getValue(value);\n }\n if (Array.isArray(target)) {\n for (j = 0, len = target.length; j < len; j++) {\n insTarget = target[j];\n this.instruction(insTarget);\n }\n } else if (isObject(target)) {\n for (insTarget in target) {\n if (!hasProp.call(target, insTarget)) continue;\n insValue = target[insTarget];\n this.instruction(insTarget, insValue);\n }\n } else {\n if (isFunction(value)) {\n value = value.apply();\n }\n instruction = new XMLProcessingInstruction(this, target, value);\n this.children.push(instruction);\n }\n return this;\n };\n\n XMLNode.prototype.instructionBefore = function(target, value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i);\n child = this.parent.instruction(target, value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.instructionAfter = function(target, value) {\n var child, i, removed;\n i = this.parent.children.indexOf(this);\n removed = this.parent.children.splice(i + 1);\n child = this.parent.instruction(target, value);\n Array.prototype.push.apply(this.parent.children, removed);\n return this;\n };\n\n XMLNode.prototype.declaration = function(version, encoding, standalone) {\n var doc, xmldec;\n doc = this.document();\n xmldec = new XMLDeclaration(doc, version, encoding, standalone);\n if (doc.children.length === 0) {\n doc.children.unshift(xmldec);\n } else if (doc.children[0].type === NodeType.Declaration) {\n doc.children[0] = xmldec;\n } else {\n doc.children.unshift(xmldec);\n }\n return doc.root() || doc;\n };\n\n XMLNode.prototype.dtd = function(pubID, sysID) {\n var child, doc, doctype, i, j, k, len, len1, ref2, ref3;\n doc = this.document();\n doctype = new XMLDocType(doc, pubID, sysID);\n ref2 = doc.children;\n for (i = j = 0, len = ref2.length; j < len; i = ++j) {\n child = ref2[i];\n if (child.type === NodeType.DocType) {\n doc.children[i] = doctype;\n return doctype;\n }\n }\n ref3 = doc.children;\n for (i = k = 0, len1 = ref3.length; k < len1; i = ++k) {\n child = ref3[i];\n if (child.isRoot) {\n doc.children.splice(i, 0, doctype);\n return doctype;\n }\n }\n doc.children.push(doctype);\n return doctype;\n };\n\n XMLNode.prototype.up = function() {\n if (this.isRoot) {\n throw new Error(\"The root node has no parent. Use doc() if you need to get the document object.\");\n }\n return this.parent;\n };\n\n XMLNode.prototype.root = function() {\n var node;\n node = this;\n while (node) {\n if (node.type === NodeType.Document) {\n return node.rootObject;\n } else if (node.isRoot) {\n return node;\n } else {\n node = node.parent;\n }\n }\n };\n\n XMLNode.prototype.document = function() {\n var node;\n node = this;\n while (node) {\n if (node.type === NodeType.Document) {\n return node;\n } else {\n node = node.parent;\n }\n }\n };\n\n XMLNode.prototype.end = function(options) {\n return this.document().end(options);\n };\n\n XMLNode.prototype.prev = function() {\n var i;\n i = this.parent.children.indexOf(this);\n if (i < 1) {\n throw new Error(\"Already at the first node. \" + this.debugInfo());\n }\n return this.parent.children[i - 1];\n };\n\n XMLNode.prototype.next = function() {\n var i;\n i = this.parent.children.indexOf(this);\n if (i === -1 || i === this.parent.children.length - 1) {\n throw new Error(\"Already at the last node. \" + this.debugInfo());\n }\n return this.parent.children[i + 1];\n };\n\n XMLNode.prototype.importDocument = function(doc) {\n var clonedRoot;\n clonedRoot = doc.root().clone();\n clonedRoot.parent = this;\n clonedRoot.isRoot = false;\n this.children.push(clonedRoot);\n return this;\n };\n\n XMLNode.prototype.debugInfo = function(name) {\n var ref2, ref3;\n name = name || this.name;\n if ((name == null) && !((ref2 = this.parent) != null ? ref2.name : void 0)) {\n return \"\";\n } else if (name == null) {\n return \"parent: <\" + this.parent.name + \">\";\n } else if (!((ref3 = this.parent) != null ? ref3.name : void 0)) {\n return \"node: <\" + name + \">\";\n } else {\n return \"node: <\" + name + \">, parent: <\" + this.parent.name + \">\";\n }\n };\n\n XMLNode.prototype.ele = function(name, attributes, text) {\n return this.element(name, attributes, text);\n };\n\n XMLNode.prototype.nod = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLNode.prototype.txt = function(value) {\n return this.text(value);\n };\n\n XMLNode.prototype.dat = function(value) {\n return this.cdata(value);\n };\n\n XMLNode.prototype.com = function(value) {\n return this.comment(value);\n };\n\n XMLNode.prototype.ins = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLNode.prototype.doc = function() {\n return this.document();\n };\n\n XMLNode.prototype.dec = function(version, encoding, standalone) {\n return this.declaration(version, encoding, standalone);\n };\n\n XMLNode.prototype.e = function(name, attributes, text) {\n return this.element(name, attributes, text);\n };\n\n XMLNode.prototype.n = function(name, attributes, text) {\n return this.node(name, attributes, text);\n };\n\n XMLNode.prototype.t = function(value) {\n return this.text(value);\n };\n\n XMLNode.prototype.d = function(value) {\n return this.cdata(value);\n };\n\n XMLNode.prototype.c = function(value) {\n return this.comment(value);\n };\n\n XMLNode.prototype.r = function(value) {\n return this.raw(value);\n };\n\n XMLNode.prototype.i = function(target, value) {\n return this.instruction(target, value);\n };\n\n XMLNode.prototype.u = function() {\n return this.up();\n };\n\n XMLNode.prototype.importXMLBuilder = function(doc) {\n return this.importDocument(doc);\n };\n\n XMLNode.prototype.replaceChild = function(newChild, oldChild) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.removeChild = function(oldChild) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.appendChild = function(newChild) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.hasChildNodes = function() {\n return this.children.length !== 0;\n };\n\n XMLNode.prototype.cloneNode = function(deep) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.normalize = function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.isSupported = function(feature, version) {\n return true;\n };\n\n XMLNode.prototype.hasAttributes = function() {\n return this.attribs.length !== 0;\n };\n\n XMLNode.prototype.compareDocumentPosition = function(other) {\n var ref, res;\n ref = this;\n if (ref === other) {\n return 0;\n } else if (this.document() !== other.document()) {\n res = DocumentPosition.Disconnected | DocumentPosition.ImplementationSpecific;\n if (Math.random() < 0.5) {\n res |= DocumentPosition.Preceding;\n } else {\n res |= DocumentPosition.Following;\n }\n return res;\n } else if (ref.isAncestor(other)) {\n return DocumentPosition.Contains | DocumentPosition.Preceding;\n } else if (ref.isDescendant(other)) {\n return DocumentPosition.Contains | DocumentPosition.Following;\n } else if (ref.isPreceding(other)) {\n return DocumentPosition.Preceding;\n } else {\n return DocumentPosition.Following;\n }\n };\n\n XMLNode.prototype.isSameNode = function(other) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.lookupPrefix = function(namespaceURI) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.isDefaultNamespace = function(namespaceURI) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.lookupNamespaceURI = function(prefix) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.isEqualNode = function(node) {\n var i, j, ref2;\n if (node.nodeType !== this.nodeType) {\n return false;\n }\n if (node.children.length !== this.children.length) {\n return false;\n }\n for (i = j = 0, ref2 = this.children.length - 1; 0 <= ref2 ? j <= ref2 : j >= ref2; i = 0 <= ref2 ? ++j : --j) {\n if (!this.children[i].isEqualNode(node.children[i])) {\n return false;\n }\n }\n return true;\n };\n\n XMLNode.prototype.getFeature = function(feature, version) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.setUserData = function(key, data, handler) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.getUserData = function(key) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLNode.prototype.contains = function(other) {\n if (!other) {\n return false;\n }\n return other === this || this.isDescendant(other);\n };\n\n XMLNode.prototype.isDescendant = function(node) {\n var child, isDescendantChild, j, len, ref2;\n ref2 = this.children;\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n if (node === child) {\n return true;\n }\n isDescendantChild = child.isDescendant(node);\n if (isDescendantChild) {\n return true;\n }\n }\n return false;\n };\n\n XMLNode.prototype.isAncestor = function(node) {\n return node.isDescendant(this);\n };\n\n XMLNode.prototype.isPreceding = function(node) {\n var nodePos, thisPos;\n nodePos = this.treePosition(node);\n thisPos = this.treePosition(this);\n if (nodePos === -1 || thisPos === -1) {\n return false;\n } else {\n return nodePos < thisPos;\n }\n };\n\n XMLNode.prototype.isFollowing = function(node) {\n var nodePos, thisPos;\n nodePos = this.treePosition(node);\n thisPos = this.treePosition(this);\n if (nodePos === -1 || thisPos === -1) {\n return false;\n } else {\n return nodePos > thisPos;\n }\n };\n\n XMLNode.prototype.treePosition = function(node) {\n var found, pos;\n pos = 0;\n found = false;\n this.foreachTreeNode(this.document(), function(childNode) {\n pos++;\n if (!found && childNode === node) {\n return found = true;\n }\n });\n if (found) {\n return pos;\n } else {\n return -1;\n }\n };\n\n XMLNode.prototype.foreachTreeNode = function(node, func) {\n var child, j, len, ref2, res;\n node || (node = this.document());\n ref2 = node.children;\n for (j = 0, len = ref2.length; j < len; j++) {\n child = ref2[j];\n if (res = func(child)) {\n return res;\n } else {\n res = this.foreachTreeNode(child, func);\n if (res) {\n return res;\n }\n }\n }\n };\n\n return XMLNode;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLNodeList;\n\n module.exports = XMLNodeList = (function() {\n function XMLNodeList(nodes) {\n this.nodes = nodes;\n }\n\n Object.defineProperty(XMLNodeList.prototype, 'length', {\n get: function() {\n return this.nodes.length || 0;\n }\n });\n\n XMLNodeList.prototype.clone = function() {\n return this.nodes = null;\n };\n\n XMLNodeList.prototype.item = function(index) {\n return this.nodes[index] || null;\n };\n\n return XMLNodeList;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCharacterData, XMLProcessingInstruction,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLProcessingInstruction = (function(superClass) {\n extend(XMLProcessingInstruction, superClass);\n\n function XMLProcessingInstruction(parent, target, value) {\n XMLProcessingInstruction.__super__.constructor.call(this, parent);\n if (target == null) {\n throw new Error(\"Missing instruction target. \" + this.debugInfo());\n }\n this.type = NodeType.ProcessingInstruction;\n this.target = this.stringify.insTarget(target);\n this.name = this.target;\n if (value) {\n this.value = this.stringify.insValue(value);\n }\n }\n\n XMLProcessingInstruction.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLProcessingInstruction.prototype.toString = function(options) {\n return this.options.writer.processingInstruction(this, this.options.writer.filterOptions(options));\n };\n\n XMLProcessingInstruction.prototype.isEqualNode = function(node) {\n if (!XMLProcessingInstruction.__super__.isEqualNode.apply(this, arguments).isEqualNode(node)) {\n return false;\n }\n if (node.target !== this.target) {\n return false;\n }\n return true;\n };\n\n return XMLProcessingInstruction;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLNode, XMLRaw,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLNode = require('./XMLNode');\n\n module.exports = XMLRaw = (function(superClass) {\n extend(XMLRaw, superClass);\n\n function XMLRaw(parent, text) {\n XMLRaw.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing raw text. \" + this.debugInfo());\n }\n this.type = NodeType.Raw;\n this.value = this.stringify.raw(text);\n }\n\n XMLRaw.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLRaw.prototype.toString = function(options) {\n return this.options.writer.raw(this, this.options.writer.filterOptions(options));\n };\n\n return XMLRaw;\n\n })(XMLNode);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLStreamWriter, XMLWriterBase,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLWriterBase = require('./XMLWriterBase');\n\n WriterState = require('./WriterState');\n\n module.exports = XMLStreamWriter = (function(superClass) {\n extend(XMLStreamWriter, superClass);\n\n function XMLStreamWriter(stream, options) {\n this.stream = stream;\n XMLStreamWriter.__super__.constructor.call(this, options);\n }\n\n XMLStreamWriter.prototype.endline = function(node, options, level) {\n if (node.isLastRootNode && options.state === WriterState.CloseTag) {\n return '';\n } else {\n return XMLStreamWriter.__super__.endline.call(this, node, options, level);\n }\n };\n\n XMLStreamWriter.prototype.document = function(doc, options) {\n var child, i, j, k, len, len1, ref, ref1, results;\n ref = doc.children;\n for (i = j = 0, len = ref.length; j < len; i = ++j) {\n child = ref[i];\n child.isLastRootNode = i === doc.children.length - 1;\n }\n options = this.filterOptions(options);\n ref1 = doc.children;\n results = [];\n for (k = 0, len1 = ref1.length; k < len1; k++) {\n child = ref1[k];\n results.push(this.writeChildNode(child, options, 0));\n }\n return results;\n };\n\n XMLStreamWriter.prototype.attribute = function(att, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.attribute.call(this, att, options, level));\n };\n\n XMLStreamWriter.prototype.cdata = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.cdata.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.comment = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.comment.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.declaration = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.declaration.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.docType = function(node, options, level) {\n var child, j, len, ref;\n level || (level = 0);\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n this.stream.write(this.indent(node, options, level));\n this.stream.write('<!DOCTYPE ' + node.root().name);\n if (node.pubID && node.sysID) {\n this.stream.write(' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"');\n } else if (node.sysID) {\n this.stream.write(' SYSTEM \"' + node.sysID + '\"');\n }\n if (node.children.length > 0) {\n this.stream.write(' [');\n this.stream.write(this.endline(node, options, level));\n options.state = WriterState.InsideTag;\n ref = node.children;\n for (j = 0, len = ref.length; j < len; j++) {\n child = ref[j];\n this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n this.stream.write(']');\n }\n options.state = WriterState.CloseTag;\n this.stream.write(options.spaceBeforeSlash + '>');\n this.stream.write(this.endline(node, options, level));\n options.state = WriterState.None;\n return this.closeNode(node, options, level);\n };\n\n XMLStreamWriter.prototype.element = function(node, options, level) {\n var att, child, childNodeCount, firstChildNode, j, len, name, prettySuppressed, ref, ref1;\n level || (level = 0);\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n this.stream.write(this.indent(node, options, level) + '<' + node.name);\n ref = node.attribs;\n for (name in ref) {\n if (!hasProp.call(ref, name)) continue;\n att = ref[name];\n this.attribute(att, options, level);\n }\n childNodeCount = node.children.length;\n firstChildNode = childNodeCount === 0 ? null : node.children[0];\n if (childNodeCount === 0 || node.children.every(function(e) {\n return (e.type === NodeType.Text || e.type === NodeType.Raw) && e.value === '';\n })) {\n if (options.allowEmpty) {\n this.stream.write('>');\n options.state = WriterState.CloseTag;\n this.stream.write('</' + node.name + '>');\n } else {\n options.state = WriterState.CloseTag;\n this.stream.write(options.spaceBeforeSlash + '/>');\n }\n } else if (options.pretty && childNodeCount === 1 && (firstChildNode.type === NodeType.Text || firstChildNode.type === NodeType.Raw) && (firstChildNode.value != null)) {\n this.stream.write('>');\n options.state = WriterState.InsideTag;\n options.suppressPrettyCount++;\n prettySuppressed = true;\n this.writeChildNode(firstChildNode, options, level + 1);\n options.suppressPrettyCount--;\n prettySuppressed = false;\n options.state = WriterState.CloseTag;\n this.stream.write('</' + node.name + '>');\n } else {\n this.stream.write('>' + this.endline(node, options, level));\n options.state = WriterState.InsideTag;\n ref1 = node.children;\n for (j = 0, len = ref1.length; j < len; j++) {\n child = ref1[j];\n this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n this.stream.write(this.indent(node, options, level) + '</' + node.name + '>');\n }\n this.stream.write(this.endline(node, options, level));\n options.state = WriterState.None;\n return this.closeNode(node, options, level);\n };\n\n XMLStreamWriter.prototype.processingInstruction = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.processingInstruction.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.raw = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.raw.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.text = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.text.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdAttList = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdAttList.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdElement = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdElement.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdEntity = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdEntity.call(this, node, options, level));\n };\n\n XMLStreamWriter.prototype.dtdNotation = function(node, options, level) {\n return this.stream.write(XMLStreamWriter.__super__.dtdNotation.call(this, node, options, level));\n };\n\n return XMLStreamWriter;\n\n })(XMLWriterBase);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLStringWriter, XMLWriterBase,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n XMLWriterBase = require('./XMLWriterBase');\n\n module.exports = XMLStringWriter = (function(superClass) {\n extend(XMLStringWriter, superClass);\n\n function XMLStringWriter(options) {\n XMLStringWriter.__super__.constructor.call(this, options);\n }\n\n XMLStringWriter.prototype.document = function(doc, options) {\n var child, i, len, r, ref;\n options = this.filterOptions(options);\n r = '';\n ref = doc.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n r += this.writeChildNode(child, options, 0);\n }\n if (options.pretty && r.slice(-options.newline.length) === options.newline) {\n r = r.slice(0, -options.newline.length);\n }\n return r;\n };\n\n return XMLStringWriter;\n\n })(XMLWriterBase);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var XMLStringifier,\n bind = function(fn, me){ return function(){ return fn.apply(me, arguments); }; },\n hasProp = {}.hasOwnProperty;\n\n module.exports = XMLStringifier = (function() {\n function XMLStringifier(options) {\n this.assertLegalName = bind(this.assertLegalName, this);\n this.assertLegalChar = bind(this.assertLegalChar, this);\n var key, ref, value;\n options || (options = {});\n this.options = options;\n if (!this.options.version) {\n this.options.version = '1.0';\n }\n ref = options.stringify || {};\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this[key] = value;\n }\n }\n\n XMLStringifier.prototype.name = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalName('' + val || '');\n };\n\n XMLStringifier.prototype.text = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar(this.textEscape('' + val || ''));\n };\n\n XMLStringifier.prototype.cdata = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n val = val.replace(']]>', ']]]]><![CDATA[>');\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.comment = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (val.match(/--/)) {\n throw new Error(\"Comment text cannot contain double-hypen: \" + val);\n }\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.raw = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return '' + val || '';\n };\n\n XMLStringifier.prototype.attValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar(this.attEscape(val = '' + val || ''));\n };\n\n XMLStringifier.prototype.insTarget = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.insValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (val.match(/\\?>/)) {\n throw new Error(\"Invalid processing instruction value: \" + val);\n }\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.xmlVersion = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (!val.match(/1\\.[0-9]+/)) {\n throw new Error(\"Invalid version number: \" + val);\n }\n return val;\n };\n\n XMLStringifier.prototype.xmlEncoding = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n val = '' + val || '';\n if (!val.match(/^[A-Za-z](?:[A-Za-z0-9._-])*$/)) {\n throw new Error(\"Invalid encoding: \" + val);\n }\n return this.assertLegalChar(val);\n };\n\n XMLStringifier.prototype.xmlStandalone = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n if (val) {\n return \"yes\";\n } else {\n return \"no\";\n }\n };\n\n XMLStringifier.prototype.dtdPubID = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdSysID = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdElementValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdAttType = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdAttDefault = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdEntityValue = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.dtdNData = function(val) {\n if (this.options.noValidation) {\n return val;\n }\n return this.assertLegalChar('' + val || '');\n };\n\n XMLStringifier.prototype.convertAttKey = '@';\n\n XMLStringifier.prototype.convertPIKey = '?';\n\n XMLStringifier.prototype.convertTextKey = '#text';\n\n XMLStringifier.prototype.convertCDataKey = '#cdata';\n\n XMLStringifier.prototype.convertCommentKey = '#comment';\n\n XMLStringifier.prototype.convertRawKey = '#raw';\n\n XMLStringifier.prototype.assertLegalChar = function(str) {\n var regex, res;\n if (this.options.noValidation) {\n return str;\n }\n regex = '';\n if (this.options.version === '1.0') {\n regex = /[\\0-\\x08\\x0B\\f\\x0E-\\x1F\\uFFFE\\uFFFF]|[\\uD800-\\uDBFF](?![\\uDC00-\\uDFFF])|(?:[^\\uD800-\\uDBFF]|^)[\\uDC00-\\uDFFF]/;\n if (res = str.match(regex)) {\n throw new Error(\"Invalid character in string: \" + str + \" at index \" + res.index);\n }\n } else if (this.options.version === '1.1') {\n regex = /[\\0\\uFFFE\\uFFFF]|[\\uD800-\\uDBFF](?![\\uDC00-\\uDFFF])|(?:[^\\uD800-\\uDBFF]|^)[\\uDC00-\\uDFFF]/;\n if (res = str.match(regex)) {\n throw new Error(\"Invalid character in string: \" + str + \" at index \" + res.index);\n }\n }\n return str;\n };\n\n XMLStringifier.prototype.assertLegalName = function(str) {\n var regex;\n if (this.options.noValidation) {\n return str;\n }\n this.assertLegalChar(str);\n regex = /^([:A-Z_a-z\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u02FF\\u0370-\\u037D\\u037F-\\u1FFF\\u200C\\u200D\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]|[\\uD800-\\uDB7F][\\uDC00-\\uDFFF])([\\x2D\\.0-:A-Z_a-z\\xB7\\xC0-\\xD6\\xD8-\\xF6\\xF8-\\u037D\\u037F-\\u1FFF\\u200C\\u200D\\u203F\\u2040\\u2070-\\u218F\\u2C00-\\u2FEF\\u3001-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFFD]|[\\uD800-\\uDB7F][\\uDC00-\\uDFFF])*$/;\n if (!str.match(regex)) {\n throw new Error(\"Invalid character in name\");\n }\n return str;\n };\n\n XMLStringifier.prototype.textEscape = function(str) {\n var ampregex;\n if (this.options.noValidation) {\n return str;\n }\n ampregex = this.options.noDoubleEncoding ? /(?!&\\S+;)&/g : /&/g;\n return str.replace(ampregex, '&amp;').replace(/</g, '&lt;').replace(/>/g, '&gt;').replace(/\\r/g, '&#xD;');\n };\n\n XMLStringifier.prototype.attEscape = function(str) {\n var ampregex;\n if (this.options.noValidation) {\n return str;\n }\n ampregex = this.options.noDoubleEncoding ? /(?!&\\S+;)&/g : /&/g;\n return str.replace(ampregex, '&amp;').replace(/</g, '&lt;').replace(/\"/g, '&quot;').replace(/\\t/g, '&#x9;').replace(/\\n/g, '&#xA;').replace(/\\r/g, '&#xD;');\n };\n\n return XMLStringifier;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, XMLCharacterData, XMLText,\n extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },\n hasProp = {}.hasOwnProperty;\n\n NodeType = require('./NodeType');\n\n XMLCharacterData = require('./XMLCharacterData');\n\n module.exports = XMLText = (function(superClass) {\n extend(XMLText, superClass);\n\n function XMLText(parent, text) {\n XMLText.__super__.constructor.call(this, parent);\n if (text == null) {\n throw new Error(\"Missing element text. \" + this.debugInfo());\n }\n this.name = \"#text\";\n this.type = NodeType.Text;\n this.value = this.stringify.text(text);\n }\n\n Object.defineProperty(XMLText.prototype, 'isElementContentWhitespace', {\n get: function() {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n }\n });\n\n Object.defineProperty(XMLText.prototype, 'wholeText', {\n get: function() {\n var next, prev, str;\n str = '';\n prev = this.previousSibling;\n while (prev) {\n str = prev.data + str;\n prev = prev.previousSibling;\n }\n str += this.data;\n next = this.nextSibling;\n while (next) {\n str = str + next.data;\n next = next.nextSibling;\n }\n return str;\n }\n });\n\n XMLText.prototype.clone = function() {\n return Object.create(this);\n };\n\n XMLText.prototype.toString = function(options) {\n return this.options.writer.text(this, this.options.writer.filterOptions(options));\n };\n\n XMLText.prototype.splitText = function(offset) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n XMLText.prototype.replaceWholeText = function(content) {\n throw new Error(\"This DOM method is not implemented.\" + this.debugInfo());\n };\n\n return XMLText;\n\n })(XMLCharacterData);\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLCData, XMLComment, XMLDTDAttList, XMLDTDElement, XMLDTDEntity, XMLDTDNotation, XMLDeclaration, XMLDocType, XMLDummy, XMLElement, XMLProcessingInstruction, XMLRaw, XMLText, XMLWriterBase, assign,\n hasProp = {}.hasOwnProperty;\n\n assign = require('./Utility').assign;\n\n NodeType = require('./NodeType');\n\n XMLDeclaration = require('./XMLDeclaration');\n\n XMLDocType = require('./XMLDocType');\n\n XMLCData = require('./XMLCData');\n\n XMLComment = require('./XMLComment');\n\n XMLElement = require('./XMLElement');\n\n XMLRaw = require('./XMLRaw');\n\n XMLText = require('./XMLText');\n\n XMLProcessingInstruction = require('./XMLProcessingInstruction');\n\n XMLDummy = require('./XMLDummy');\n\n XMLDTDAttList = require('./XMLDTDAttList');\n\n XMLDTDElement = require('./XMLDTDElement');\n\n XMLDTDEntity = require('./XMLDTDEntity');\n\n XMLDTDNotation = require('./XMLDTDNotation');\n\n WriterState = require('./WriterState');\n\n module.exports = XMLWriterBase = (function() {\n function XMLWriterBase(options) {\n var key, ref, value;\n options || (options = {});\n this.options = options;\n ref = options.writer || {};\n for (key in ref) {\n if (!hasProp.call(ref, key)) continue;\n value = ref[key];\n this[\"_\" + key] = this[key];\n this[key] = value;\n }\n }\n\n XMLWriterBase.prototype.filterOptions = function(options) {\n var filteredOptions, ref, ref1, ref2, ref3, ref4, ref5, ref6;\n options || (options = {});\n options = assign({}, this.options, options);\n filteredOptions = {\n writer: this\n };\n filteredOptions.pretty = options.pretty || false;\n filteredOptions.allowEmpty = options.allowEmpty || false;\n filteredOptions.indent = (ref = options.indent) != null ? ref : ' ';\n filteredOptions.newline = (ref1 = options.newline) != null ? ref1 : '\\n';\n filteredOptions.offset = (ref2 = options.offset) != null ? ref2 : 0;\n filteredOptions.dontPrettyTextNodes = (ref3 = (ref4 = options.dontPrettyTextNodes) != null ? ref4 : options.dontprettytextnodes) != null ? ref3 : 0;\n filteredOptions.spaceBeforeSlash = (ref5 = (ref6 = options.spaceBeforeSlash) != null ? ref6 : options.spacebeforeslash) != null ? ref5 : '';\n if (filteredOptions.spaceBeforeSlash === true) {\n filteredOptions.spaceBeforeSlash = ' ';\n }\n filteredOptions.suppressPrettyCount = 0;\n filteredOptions.user = {};\n filteredOptions.state = WriterState.None;\n return filteredOptions;\n };\n\n XMLWriterBase.prototype.indent = function(node, options, level) {\n var indentLevel;\n if (!options.pretty || options.suppressPrettyCount) {\n return '';\n } else if (options.pretty) {\n indentLevel = (level || 0) + options.offset + 1;\n if (indentLevel > 0) {\n return new Array(indentLevel).join(options.indent);\n }\n }\n return '';\n };\n\n XMLWriterBase.prototype.endline = function(node, options, level) {\n if (!options.pretty || options.suppressPrettyCount) {\n return '';\n } else {\n return options.newline;\n }\n };\n\n XMLWriterBase.prototype.attribute = function(att, options, level) {\n var r;\n this.openAttribute(att, options, level);\n r = ' ' + att.name + '=\"' + att.value + '\"';\n this.closeAttribute(att, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.cdata = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<![CDATA[';\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += ']]>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.comment = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!-- ';\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += ' -->' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.declaration = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<?xml';\n options.state = WriterState.InsideTag;\n r += ' version=\"' + node.version + '\"';\n if (node.encoding != null) {\n r += ' encoding=\"' + node.encoding + '\"';\n }\n if (node.standalone != null) {\n r += ' standalone=\"' + node.standalone + '\"';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '?>';\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.docType = function(node, options, level) {\n var child, i, len, r, ref;\n level || (level = 0);\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level);\n r += '<!DOCTYPE ' + node.root().name;\n if (node.pubID && node.sysID) {\n r += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.sysID) {\n r += ' SYSTEM \"' + node.sysID + '\"';\n }\n if (node.children.length > 0) {\n r += ' [';\n r += this.endline(node, options, level);\n options.state = WriterState.InsideTag;\n ref = node.children;\n for (i = 0, len = ref.length; i < len; i++) {\n child = ref[i];\n r += this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n r += ']';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>';\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.element = function(node, options, level) {\n var att, child, childNodeCount, firstChildNode, i, j, len, len1, name, prettySuppressed, r, ref, ref1, ref2;\n level || (level = 0);\n prettySuppressed = false;\n r = '';\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r += this.indent(node, options, level) + '<' + node.name;\n ref = node.attribs;\n for (name in ref) {\n if (!hasProp.call(ref, name)) continue;\n att = ref[name];\n r += this.attribute(att, options, level);\n }\n childNodeCount = node.children.length;\n firstChildNode = childNodeCount === 0 ? null : node.children[0];\n if (childNodeCount === 0 || node.children.every(function(e) {\n return (e.type === NodeType.Text || e.type === NodeType.Raw) && e.value === '';\n })) {\n if (options.allowEmpty) {\n r += '>';\n options.state = WriterState.CloseTag;\n r += '</' + node.name + '>' + this.endline(node, options, level);\n } else {\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '/>' + this.endline(node, options, level);\n }\n } else if (options.pretty && childNodeCount === 1 && (firstChildNode.type === NodeType.Text || firstChildNode.type === NodeType.Raw) && (firstChildNode.value != null)) {\n r += '>';\n options.state = WriterState.InsideTag;\n options.suppressPrettyCount++;\n prettySuppressed = true;\n r += this.writeChildNode(firstChildNode, options, level + 1);\n options.suppressPrettyCount--;\n prettySuppressed = false;\n options.state = WriterState.CloseTag;\n r += '</' + node.name + '>' + this.endline(node, options, level);\n } else {\n if (options.dontPrettyTextNodes) {\n ref1 = node.children;\n for (i = 0, len = ref1.length; i < len; i++) {\n child = ref1[i];\n if ((child.type === NodeType.Text || child.type === NodeType.Raw) && (child.value != null)) {\n options.suppressPrettyCount++;\n prettySuppressed = true;\n break;\n }\n }\n }\n r += '>' + this.endline(node, options, level);\n options.state = WriterState.InsideTag;\n ref2 = node.children;\n for (j = 0, len1 = ref2.length; j < len1; j++) {\n child = ref2[j];\n r += this.writeChildNode(child, options, level + 1);\n }\n options.state = WriterState.CloseTag;\n r += this.indent(node, options, level) + '</' + node.name + '>';\n if (prettySuppressed) {\n options.suppressPrettyCount--;\n }\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n }\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.writeChildNode = function(node, options, level) {\n switch (node.type) {\n case NodeType.CData:\n return this.cdata(node, options, level);\n case NodeType.Comment:\n return this.comment(node, options, level);\n case NodeType.Element:\n return this.element(node, options, level);\n case NodeType.Raw:\n return this.raw(node, options, level);\n case NodeType.Text:\n return this.text(node, options, level);\n case NodeType.ProcessingInstruction:\n return this.processingInstruction(node, options, level);\n case NodeType.Dummy:\n return '';\n case NodeType.Declaration:\n return this.declaration(node, options, level);\n case NodeType.DocType:\n return this.docType(node, options, level);\n case NodeType.AttributeDeclaration:\n return this.dtdAttList(node, options, level);\n case NodeType.ElementDeclaration:\n return this.dtdElement(node, options, level);\n case NodeType.EntityDeclaration:\n return this.dtdEntity(node, options, level);\n case NodeType.NotationDeclaration:\n return this.dtdNotation(node, options, level);\n default:\n throw new Error(\"Unknown XML node type: \" + node.constructor.name);\n }\n };\n\n XMLWriterBase.prototype.processingInstruction = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<?';\n options.state = WriterState.InsideTag;\n r += node.target;\n if (node.value) {\n r += ' ' + node.value;\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '?>';\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.raw = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level);\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.text = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level);\n options.state = WriterState.InsideTag;\n r += node.value;\n options.state = WriterState.CloseTag;\n r += this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdAttList = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!ATTLIST';\n options.state = WriterState.InsideTag;\n r += ' ' + node.elementName + ' ' + node.attributeName + ' ' + node.attributeType;\n if (node.defaultValueType !== '#DEFAULT') {\n r += ' ' + node.defaultValueType;\n }\n if (node.defaultValue) {\n r += ' \"' + node.defaultValue + '\"';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdElement = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!ELEMENT';\n options.state = WriterState.InsideTag;\n r += ' ' + node.name + ' ' + node.value;\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdEntity = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!ENTITY';\n options.state = WriterState.InsideTag;\n if (node.pe) {\n r += ' %';\n }\n r += ' ' + node.name;\n if (node.value) {\n r += ' \"' + node.value + '\"';\n } else {\n if (node.pubID && node.sysID) {\n r += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.sysID) {\n r += ' SYSTEM \"' + node.sysID + '\"';\n }\n if (node.nData) {\n r += ' NDATA ' + node.nData;\n }\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.dtdNotation = function(node, options, level) {\n var r;\n this.openNode(node, options, level);\n options.state = WriterState.OpenTag;\n r = this.indent(node, options, level) + '<!NOTATION';\n options.state = WriterState.InsideTag;\n r += ' ' + node.name;\n if (node.pubID && node.sysID) {\n r += ' PUBLIC \"' + node.pubID + '\" \"' + node.sysID + '\"';\n } else if (node.pubID) {\n r += ' PUBLIC \"' + node.pubID + '\"';\n } else if (node.sysID) {\n r += ' SYSTEM \"' + node.sysID + '\"';\n }\n options.state = WriterState.CloseTag;\n r += options.spaceBeforeSlash + '>' + this.endline(node, options, level);\n options.state = WriterState.None;\n this.closeNode(node, options, level);\n return r;\n };\n\n XMLWriterBase.prototype.openNode = function(node, options, level) {};\n\n XMLWriterBase.prototype.closeNode = function(node, options, level) {};\n\n XMLWriterBase.prototype.openAttribute = function(att, options, level) {};\n\n XMLWriterBase.prototype.closeAttribute = function(att, options, level) {};\n\n return XMLWriterBase;\n\n })();\n\n}).call(this);\n","// Generated by CoffeeScript 1.12.7\n(function() {\n var NodeType, WriterState, XMLDOMImplementation, XMLDocument, XMLDocumentCB, XMLStreamWriter, XMLStringWriter, assign, isFunction, ref;\n\n ref = require('./Utility'), assign = ref.assign, isFunction = ref.isFunction;\n\n XMLDOMImplementation = require('./XMLDOMImplementation');\n\n XMLDocument = require('./XMLDocument');\n\n XMLDocumentCB = require('./XMLDocumentCB');\n\n XMLStringWriter = require('./XMLStringWriter');\n\n XMLStreamWriter = require('./XMLStreamWriter');\n\n NodeType = require('./NodeType');\n\n WriterState = require('./WriterState');\n\n module.exports.create = function(name, xmldec, doctype, options) {\n var doc, root;\n if (name == null) {\n throw new Error(\"Root element needs a name.\");\n }\n options = assign({}, xmldec, doctype, options);\n doc = new XMLDocument(options);\n root = doc.element(name);\n if (!options.headless) {\n doc.declaration(options);\n if ((options.pubID != null) || (options.sysID != null)) {\n doc.dtd(options);\n }\n }\n return root;\n };\n\n module.exports.begin = function(options, onData, onEnd) {\n var ref1;\n if (isFunction(options)) {\n ref1 = [options, onData], onData = ref1[0], onEnd = ref1[1];\n options = {};\n }\n if (onData) {\n return new XMLDocumentCB(options, onData, onEnd);\n } else {\n return new XMLDocument(options);\n }\n };\n\n module.exports.stringWriter = function(options) {\n return new XMLStringWriter(options);\n };\n\n module.exports.streamWriter = function(stream, options) {\n return new XMLStreamWriter(stream, options);\n };\n\n module.exports.implementation = new XMLDOMImplementation();\n\n module.exports.nodeType = NodeType;\n\n module.exports.writerState = WriterState;\n\n}).call(this);\n","import { getCurrentUser as A, onRequestTokenUpdate as ue, getRequestToken as de } from \"@nextcloud/auth\";\nimport { getLoggerBuilder as B } from \"@nextcloud/logger\";\nimport { getCanonicalLocale as ae } from \"@nextcloud/l10n\";\nimport { join as le, basename as fe, extname as ce, dirname as I } from \"path\";\nimport { encodePath as he } from \"@nextcloud/paths\";\nimport { generateRemoteUrl as pe } from \"@nextcloud/router\";\nimport { createClient as ge, getPatcher as we } from \"webdav\";\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst me = (e) => e === null ? B().setApp(\"files\").build() : B().setApp(\"files\").setUid(e.uid).build(), m = me(A());\n/**\n * @copyright Copyright (c) 2021 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass Ne {\n _entries = [];\n registerEntry(t) {\n this.validateEntry(t), this._entries.push(t);\n }\n unregisterEntry(t) {\n const r = typeof t == \"string\" ? this.getEntryIndex(t) : this.getEntryIndex(t.id);\n if (r === -1) {\n m.warn(\"Entry not found, nothing removed\", { entry: t, entries: this.getEntries() });\n return;\n }\n this._entries.splice(r, 1);\n }\n /**\n * Get the list of registered entries\n *\n * @param {Folder} context the creation context. Usually the current folder\n */\n getEntries(t) {\n return t ? this._entries.filter((r) => typeof r.enabled == \"function\" ? r.enabled(t) : !0) : this._entries;\n }\n getEntryIndex(t) {\n return this._entries.findIndex((r) => r.id === t);\n }\n validateEntry(t) {\n if (!t.id || !t.displayName || !(t.iconSvgInline || t.iconClass) || !t.handler)\n throw new Error(\"Invalid entry\");\n if (typeof t.id != \"string\" || typeof t.displayName != \"string\")\n throw new Error(\"Invalid id or displayName property\");\n if (t.iconClass && typeof t.iconClass != \"string\" || t.iconSvgInline && typeof t.iconSvgInline != \"string\")\n throw new Error(\"Invalid icon provided\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (typeof t.handler != \"function\")\n throw new Error(\"Invalid handler property\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order property\");\n if (this.getEntryIndex(t.id) !== -1)\n throw new Error(\"Duplicate entry\");\n }\n}\nconst F = function() {\n return typeof window._nc_newfilemenu > \"u\" && (window._nc_newfilemenu = new Ne(), m.debug(\"NewFileMenu initialized\")), window._nc_newfilemenu;\n};\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst C = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"], P = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction Yt(e, t = !1, r = !1, s = !1) {\n r = r && !s, typeof e == \"string\" && (e = Number(e));\n let n = e > 0 ? Math.floor(Math.log(e) / Math.log(s ? 1e3 : 1024)) : 0;\n n = Math.min((r ? P.length : C.length) - 1, n);\n const i = r ? P[n] : C[n];\n let d = (e / Math.pow(s ? 1e3 : 1024, n)).toFixed(1);\n return t === !0 && n === 0 ? (d !== \"0.0\" ? \"< 1 \" : \"0 \") + (r ? P[1] : C[1]) : (n < 2 ? d = parseFloat(d).toFixed(0) : d = parseFloat(d).toLocaleString(ae()), d + \" \" + i);\n}\nfunction Jt(e, t = !1) {\n try {\n e = `${e}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n } catch {\n return null;\n }\n const r = e.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n if (r === null || r[1] === \".\" || r[1] === \"\")\n return null;\n const s = {\n \"\": 0,\n k: 1,\n m: 2,\n g: 3,\n t: 4,\n p: 5,\n e: 6\n }, n = `${r[1]}`, i = r[4] === \"i\" || t ? 1024 : 1e3;\n return Math.round(Number.parseFloat(n) * i ** s[r[3]]);\n}\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar W = /* @__PURE__ */ ((e) => (e.DEFAULT = \"default\", e.HIDDEN = \"hidden\", e))(W || {});\nclass Qt {\n _action;\n constructor(t) {\n this.validateAction(t), this._action = t;\n }\n get id() {\n return this._action.id;\n }\n get displayName() {\n return this._action.displayName;\n }\n get title() {\n return this._action.title;\n }\n get iconSvgInline() {\n return this._action.iconSvgInline;\n }\n get enabled() {\n return this._action.enabled;\n }\n get exec() {\n return this._action.exec;\n }\n get execBatch() {\n return this._action.execBatch;\n }\n get order() {\n return this._action.order;\n }\n get parent() {\n return this._action.parent;\n }\n get default() {\n return this._action.default;\n }\n get inline() {\n return this._action.inline;\n }\n get renderInline() {\n return this._action.renderInline;\n }\n validateAction(t) {\n if (!t.id || typeof t.id != \"string\")\n throw new Error(\"Invalid id\");\n if (!t.displayName || typeof t.displayName != \"function\")\n throw new Error(\"Invalid displayName function\");\n if (\"title\" in t && typeof t.title != \"function\")\n throw new Error(\"Invalid title function\");\n if (!t.iconSvgInline || typeof t.iconSvgInline != \"function\")\n throw new Error(\"Invalid iconSvgInline function\");\n if (!t.exec || typeof t.exec != \"function\")\n throw new Error(\"Invalid exec function\");\n if (\"enabled\" in t && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled function\");\n if (\"execBatch\" in t && typeof t.execBatch != \"function\")\n throw new Error(\"Invalid execBatch function\");\n if (\"order\" in t && typeof t.order != \"number\")\n throw new Error(\"Invalid order\");\n if (\"parent\" in t && typeof t.parent != \"string\")\n throw new Error(\"Invalid parent\");\n if (t.default && !Object.values(W).includes(t.default))\n throw new Error(\"Invalid default\");\n if (\"inline\" in t && typeof t.inline != \"function\")\n throw new Error(\"Invalid inline function\");\n if (\"renderInline\" in t && typeof t.renderInline != \"function\")\n throw new Error(\"Invalid renderInline function\");\n }\n}\nconst Dt = function(e) {\n if (typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions.find((t) => t.id === e.id)) {\n m.error(`FileAction ${e.id} already registered`, { action: e });\n return;\n }\n window._nc_fileactions.push(e);\n}, er = function() {\n return typeof window._nc_fileactions > \"u\" && (window._nc_fileactions = [], m.debug(\"FileActions initialized\")), window._nc_fileactions;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass tr {\n _header;\n constructor(t) {\n this.validateHeader(t), this._header = t;\n }\n get id() {\n return this._header.id;\n }\n get order() {\n return this._header.order;\n }\n get enabled() {\n return this._header.enabled;\n }\n get render() {\n return this._header.render;\n }\n get updated() {\n return this._header.updated;\n }\n validateHeader(t) {\n if (!t.id || !t.render || !t.updated)\n throw new Error(\"Invalid header: id, render and updated are required\");\n if (typeof t.id != \"string\")\n throw new Error(\"Invalid id property\");\n if (t.enabled !== void 0 && typeof t.enabled != \"function\")\n throw new Error(\"Invalid enabled property\");\n if (t.render && typeof t.render != \"function\")\n throw new Error(\"Invalid render property\");\n if (t.updated && typeof t.updated != \"function\")\n throw new Error(\"Invalid updated property\");\n }\n}\nconst rr = function(e) {\n if (typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader.find((t) => t.id === e.id)) {\n m.error(`Header ${e.id} already registered`, { header: e });\n return;\n }\n window._nc_filelistheader.push(e);\n}, nr = function() {\n return typeof window._nc_filelistheader > \"u\" && (window._nc_filelistheader = [], m.debug(\"FileListHeaders initialized\")), window._nc_filelistheader;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar N = /* @__PURE__ */ ((e) => (e[e.NONE = 0] = \"NONE\", e[e.CREATE = 4] = \"CREATE\", e[e.READ = 1] = \"READ\", e[e.UPDATE = 2] = \"UPDATE\", e[e.DELETE = 8] = \"DELETE\", e[e.SHARE = 16] = \"SHARE\", e[e.ALL = 31] = \"ALL\", e))(N || {});\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst Z = [\n \"d:getcontentlength\",\n \"d:getcontenttype\",\n \"d:getetag\",\n \"d:getlastmodified\",\n \"d:quota-available-bytes\",\n \"d:resourcetype\",\n \"nc:has-preview\",\n \"nc:is-encrypted\",\n \"nc:mount-type\",\n \"oc:comments-unread\",\n \"oc:favorite\",\n \"oc:fileid\",\n \"oc:owner-display-name\",\n \"oc:owner-id\",\n \"oc:permissions\",\n \"oc:size\"\n], j = {\n d: \"DAV:\",\n nc: \"http://nextcloud.org/ns\",\n oc: \"http://owncloud.org/ns\",\n ocs: \"http://open-collaboration-services.org/ns\"\n}, ir = function(e, t = { nc: \"http://nextcloud.org/ns\" }) {\n typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...Z], window._nc_dav_namespaces = { ...j });\n const r = { ...window._nc_dav_namespaces, ...t };\n if (window._nc_dav_properties.find((n) => n === e))\n return m.warn(`${e} already registered`, { prop: e }), !1;\n if (e.startsWith(\"<\") || e.split(\":\").length !== 2)\n return m.error(`${e} is not valid. See example: 'oc:fileid'`, { prop: e }), !1;\n const s = e.split(\":\")[0];\n return r[s] ? (window._nc_dav_properties.push(e), window._nc_dav_namespaces = r, !0) : (m.error(`${e} namespace unknown`, { prop: e, namespaces: r }), !1);\n}, V = function() {\n return typeof window._nc_dav_properties > \"u\" && (window._nc_dav_properties = [...Z]), window._nc_dav_properties.map((e) => `<${e} />`).join(\" \");\n}, L = function() {\n return typeof window._nc_dav_namespaces > \"u\" && (window._nc_dav_namespaces = { ...j }), Object.keys(window._nc_dav_namespaces).map((e) => `xmlns:${e}=\"${window._nc_dav_namespaces?.[e]}\"`).join(\" \");\n}, sr = function() {\n return `<?xml version=\"1.0\"?>\n\t\t<d:propfind ${L()}>\n\t\t\t<d:prop>\n\t\t\t\t${V()}\n\t\t\t</d:prop>\n\t\t</d:propfind>`;\n}, Ee = function() {\n return `<?xml version=\"1.0\"?>\n\t\t<oc:filter-files ${L()}>\n\t\t\t<d:prop>\n\t\t\t\t${V()}\n\t\t\t</d:prop>\n\t\t\t<oc:filter-rules>\n\t\t\t\t<oc:favorite>1</oc:favorite>\n\t\t\t</oc:filter-rules>\n\t\t</oc:filter-files>`;\n}, or = function(e) {\n return `<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n<d:searchrequest ${L()}\n\txmlns:ns=\"https://github.com/icewind1991/SearchDAV/ns\">\n\t<d:basicsearch>\n\t\t<d:select>\n\t\t\t<d:prop>\n\t\t\t\t${V()}\n\t\t\t</d:prop>\n\t\t</d:select>\n\t\t<d:from>\n\t\t\t<d:scope>\n\t\t\t\t<d:href>/files/${A()?.uid}/</d:href>\n\t\t\t\t<d:depth>infinity</d:depth>\n\t\t\t</d:scope>\n\t\t</d:from>\n\t\t<d:where>\n\t\t\t<d:and>\n\t\t\t\t<d:or>\n\t\t\t\t\t<d:not>\n\t\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t\t<d:getcontenttype/>\n\t\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t\t<d:literal>httpd/unix-directory</d:literal>\n\t\t\t\t\t\t</d:eq>\n\t\t\t\t\t</d:not>\n\t\t\t\t\t<d:eq>\n\t\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t\t<oc:size/>\n\t\t\t\t\t\t</d:prop>\n\t\t\t\t\t\t<d:literal>0</d:literal>\n\t\t\t\t\t</d:eq>\n\t\t\t\t</d:or>\n\t\t\t\t<d:gt>\n\t\t\t\t\t<d:prop>\n\t\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t\t</d:prop>\n\t\t\t\t\t<d:literal>${e}</d:literal>\n\t\t\t\t</d:gt>\n\t\t\t</d:and>\n\t\t</d:where>\n\t\t<d:orderby>\n\t\t\t<d:order>\n\t\t\t\t<d:prop>\n\t\t\t\t\t<d:getlastmodified/>\n\t\t\t\t</d:prop>\n\t\t\t\t<d:descending/>\n\t\t\t</d:order>\n\t\t</d:orderby>\n\t\t<d:limit>\n\t\t\t<d:nresults>100</d:nresults>\n\t\t\t<ns:firstresult>0</ns:firstresult>\n\t\t</d:limit>\n\t</d:basicsearch>\n</d:searchrequest>`;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst be = function(e = \"\") {\n let t = N.NONE;\n return e && ((e.includes(\"C\") || e.includes(\"K\")) && (t |= N.CREATE), e.includes(\"G\") && (t |= N.READ), (e.includes(\"W\") || e.includes(\"N\") || e.includes(\"V\")) && (t |= N.UPDATE), e.includes(\"D\") && (t |= N.DELETE), e.includes(\"R\") && (t |= N.SHARE)), t;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar S = /* @__PURE__ */ ((e) => (e.Folder = \"folder\", e.File = \"file\", e))(S || {});\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst Y = function(e, t) {\n return e.match(t) !== null;\n}, q = (e, t) => {\n if (e.id && typeof e.id != \"number\")\n throw new Error(\"Invalid id type of value\");\n if (!e.source)\n throw new Error(\"Missing mandatory source\");\n try {\n new URL(e.source);\n } catch {\n throw new Error(\"Invalid source format, source must be a valid URL\");\n }\n if (!e.source.startsWith(\"http\"))\n throw new Error(\"Invalid source format, only http(s) is supported\");\n if (e.mtime && !(e.mtime instanceof Date))\n throw new Error(\"Invalid mtime type\");\n if (e.crtime && !(e.crtime instanceof Date))\n throw new Error(\"Invalid crtime type\");\n if (!e.mime || typeof e.mime != \"string\" || !e.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi))\n throw new Error(\"Missing or invalid mandatory mime\");\n if (\"size\" in e && typeof e.size != \"number\" && e.size !== void 0)\n throw new Error(\"Invalid size type\");\n if (\"permissions\" in e && e.permissions !== void 0 && !(typeof e.permissions == \"number\" && e.permissions >= N.NONE && e.permissions <= N.ALL))\n throw new Error(\"Invalid permissions\");\n if (e.owner && e.owner !== null && typeof e.owner != \"string\")\n throw new Error(\"Invalid owner type\");\n if (e.attributes && typeof e.attributes != \"object\")\n throw new Error(\"Invalid attributes type\");\n if (e.root && typeof e.root != \"string\")\n throw new Error(\"Invalid root type\");\n if (e.root && !e.root.startsWith(\"/\"))\n throw new Error(\"Root must start with a leading slash\");\n if (e.root && !e.source.includes(e.root))\n throw new Error(\"Root must be part of the source\");\n if (e.root && Y(e.source, t)) {\n const r = e.source.match(t)[0];\n if (!e.source.includes(le(r, e.root)))\n throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n }\n if (e.status && !Object.values(J).includes(e.status))\n throw new Error(\"Status must be a valid NodeStatus\");\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nvar J = /* @__PURE__ */ ((e) => (e.NEW = \"new\", e.FAILED = \"failed\", e.LOADING = \"loading\", e.LOCKED = \"locked\", e))(J || {});\nclass Q {\n _data;\n _attributes;\n _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n constructor(t, r) {\n q(t, r || this._knownDavService), this._data = t;\n const s = {\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n set: (n, i, d) => (this.updateMtime(), Reflect.set(n, i, d)),\n deleteProperty: (n, i) => (this.updateMtime(), Reflect.deleteProperty(n, i))\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n };\n this._attributes = new Proxy(t.attributes || {}, s), delete this._data.attributes, r && (this._knownDavService = r);\n }\n /**\n * Get the source url to this object\n */\n get source() {\n return this._data.source.replace(/\\/$/i, \"\");\n }\n /**\n * Get the encoded source url to this object for requests purposes\n */\n get encodedSource() {\n const { origin: t } = new URL(this.source);\n return t + he(this.source.slice(t.length));\n }\n /**\n * Get this object name\n */\n get basename() {\n return fe(this.source);\n }\n /**\n * Get this object's extension\n */\n get extension() {\n return ce(this.source);\n }\n /**\n * Get the directory path leading to this object\n * Will use the relative path to root if available\n */\n get dirname() {\n if (this.root) {\n let r = this.source;\n this.isDavRessource && (r = r.split(this._knownDavService).pop());\n const s = r.indexOf(this.root), n = this.root.replace(/\\/$/, \"\");\n return I(r.slice(s + n.length) || \"/\");\n }\n const t = new URL(this.source);\n return I(t.pathname);\n }\n /**\n * Get the file mime\n */\n get mime() {\n return this._data.mime;\n }\n /**\n * Get the file modification time\n */\n get mtime() {\n return this._data.mtime;\n }\n /**\n * Get the file creation time\n */\n get crtime() {\n return this._data.crtime;\n }\n /**\n * Get the file size\n */\n get size() {\n return this._data.size;\n }\n /**\n * Get the file attribute\n */\n get attributes() {\n return this._attributes;\n }\n /**\n * Get the file permissions\n */\n get permissions() {\n return this.owner === null && !this.isDavRessource ? N.READ : this._data.permissions !== void 0 ? this._data.permissions : N.NONE;\n }\n /**\n * Get the file owner\n */\n get owner() {\n return this.isDavRessource ? this._data.owner : null;\n }\n /**\n * Is this a dav-related ressource ?\n */\n get isDavRessource() {\n return Y(this.source, this._knownDavService);\n }\n /**\n * Get the dav root of this object\n */\n get root() {\n return this._data.root ? this._data.root.replace(/^(.+)\\/$/, \"$1\") : this.isDavRessource && I(this.source).split(this._knownDavService).pop() || null;\n }\n /**\n * Get the absolute path of this object relative to the root\n */\n get path() {\n if (this.root) {\n let t = this.source;\n this.isDavRessource && (t = t.split(this._knownDavService).pop());\n const r = t.indexOf(this.root), s = this.root.replace(/\\/$/, \"\");\n return t.slice(r + s.length) || \"/\";\n }\n return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n }\n /**\n * Get the node id if defined.\n * Will look for the fileid in attributes if undefined.\n */\n get fileid() {\n return this._data?.id || this.attributes?.fileid;\n }\n /**\n * Get the node status.\n */\n get status() {\n return this._data?.status;\n }\n /**\n * Set the node status.\n */\n set status(t) {\n this._data.status = t;\n }\n /**\n * Move the node to a new destination\n *\n * @param {string} destination the new source.\n * e.g. https://cloud.domain.com/remote.php/dav/files/emma/Photos/picture.jpg\n */\n move(t) {\n q({ ...this._data, source: t }, this._knownDavService), this._data.source = t, this.updateMtime();\n }\n /**\n * Rename the node\n * This aliases the move method for easier usage\n *\n * @param basename The new name of the node\n */\n rename(t) {\n if (t.includes(\"/\"))\n throw new Error(\"Invalid basename\");\n this.move(I(this.source) + \"/\" + t);\n }\n /**\n * Update the mtime if exists.\n */\n updateMtime() {\n this._data.mtime && (this._data.mtime = /* @__PURE__ */ new Date());\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass ye extends Q {\n get type() {\n return S.File;\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass _e extends Q {\n constructor(t) {\n super({\n ...t,\n mime: \"httpd/unix-directory\"\n });\n }\n get type() {\n return S.Folder;\n }\n get extension() {\n return null;\n }\n get mime() {\n return \"httpd/unix-directory\";\n }\n}\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst D = `/files/${A()?.uid}`, ee = pe(\"dav\"), ur = function(e = ee, t = {}) {\n const r = ge(e, { headers: t });\n function s(i) {\n r.setHeaders({\n ...t,\n // Add this so the server knows it is an request from the browser\n \"X-Requested-With\": \"XMLHttpRequest\",\n // Inject user auth\n requesttoken: i ?? \"\"\n });\n }\n return ue(s), s(de()), we().patch(\"fetch\", (i, d) => {\n const u = d.headers;\n return u?.method && (d.method = u.method, delete u.method), fetch(i, d);\n }), r;\n}, dr = async (e, t = \"/\", r = D) => (await e.getDirectoryContents(`${r}${t}`, {\n details: !0,\n data: Ee(),\n headers: {\n // see davGetClient for patched webdav client\n method: \"REPORT\"\n },\n includeSelf: !0\n})).data.filter((n) => n.filename !== t).map((n) => ve(n, r)), ve = function(e, t = D, r = ee) {\n const s = A()?.uid;\n if (!s)\n throw new Error(\"No user id found\");\n const n = e.props, i = be(n?.permissions), d = (n?.[\"owner-id\"] || s).toString(), u = {\n id: n?.fileid || 0,\n source: `${r}${e.filename}`,\n mtime: new Date(Date.parse(e.lastmod)),\n mime: e.mime || \"application/octet-stream\",\n size: n?.size || Number.parseInt(n.getcontentlength || \"0\"),\n permissions: i,\n owner: d,\n root: t,\n attributes: {\n ...e,\n ...n,\n hasPreview: n?.[\"has-preview\"]\n }\n };\n return delete u.attributes?.props, e.type === \"file\" ? new ye(u) : new _e(u);\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass Te {\n _views = [];\n _currentView = null;\n register(t) {\n if (this._views.find((r) => r.id === t.id))\n throw new Error(`View id ${t.id} is already registered`);\n this._views.push(t);\n }\n remove(t) {\n const r = this._views.findIndex((s) => s.id === t);\n r !== -1 && this._views.splice(r, 1);\n }\n get views() {\n return this._views;\n }\n setActive(t) {\n this._currentView = t;\n }\n get active() {\n return this._currentView;\n }\n}\nconst ar = function() {\n return typeof window._nc_navigation > \"u\" && (window._nc_navigation = new Te(), m.debug(\"Navigation service initialized\")), window._nc_navigation;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass Ie {\n _column;\n constructor(t) {\n Ae(t), this._column = t;\n }\n get id() {\n return this._column.id;\n }\n get title() {\n return this._column.title;\n }\n get render() {\n return this._column.render;\n }\n get sort() {\n return this._column.sort;\n }\n get summary() {\n return this._column.summary;\n }\n}\nconst Ae = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"A column id is required\");\n if (!e.title || typeof e.title != \"string\")\n throw new Error(\"A column title is required\");\n if (!e.render || typeof e.render != \"function\")\n throw new Error(\"A render function is required\");\n if (e.sort && typeof e.sort != \"function\")\n throw new Error(\"Column sortFunction must be a function\");\n if (e.summary && typeof e.summary != \"function\")\n throw new Error(\"Column summary must be a function\");\n return !0;\n};\nvar R = {}, O = {};\n(function(e) {\n const t = \":A-Za-z_\\\\u00C0-\\\\u00D6\\\\u00D8-\\\\u00F6\\\\u00F8-\\\\u02FF\\\\u0370-\\\\u037D\\\\u037F-\\\\u1FFF\\\\u200C-\\\\u200D\\\\u2070-\\\\u218F\\\\u2C00-\\\\u2FEF\\\\u3001-\\\\uD7FF\\\\uF900-\\\\uFDCF\\\\uFDF0-\\\\uFFFD\", r = t + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\", s = \"[\" + t + \"][\" + r + \"]*\", n = new RegExp(\"^\" + s + \"$\"), i = function(u, o) {\n const a = [];\n let l = o.exec(u);\n for (; l; ) {\n const f = [];\n f.startIndex = o.lastIndex - l[0].length;\n const c = l.length;\n for (let g = 0; g < c; g++)\n f.push(l[g]);\n a.push(f), l = o.exec(u);\n }\n return a;\n }, d = function(u) {\n const o = n.exec(u);\n return !(o === null || typeof o > \"u\");\n };\n e.isExist = function(u) {\n return typeof u < \"u\";\n }, e.isEmptyObject = function(u) {\n return Object.keys(u).length === 0;\n }, e.merge = function(u, o, a) {\n if (o) {\n const l = Object.keys(o), f = l.length;\n for (let c = 0; c < f; c++)\n a === \"strict\" ? u[l[c]] = [o[l[c]]] : u[l[c]] = o[l[c]];\n }\n }, e.getValue = function(u) {\n return e.isExist(u) ? u : \"\";\n }, e.isName = d, e.getAllMatches = i, e.nameRegexp = s;\n})(O);\nconst M = O, Oe = {\n allowBooleanAttributes: !1,\n //A tag can have attributes without any value\n unpairedTags: []\n};\nR.validate = function(e, t) {\n t = Object.assign({}, Oe, t);\n const r = [];\n let s = !1, n = !1;\n e[0] === \"\\uFEFF\" && (e = e.substr(1));\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\" && e[i + 1] === \"?\") {\n if (i += 2, i = U(e, i), i.err)\n return i;\n } else if (e[i] === \"<\") {\n let d = i;\n if (i++, e[i] === \"!\") {\n i = G(e, i);\n continue;\n } else {\n let u = !1;\n e[i] === \"/\" && (u = !0, i++);\n let o = \"\";\n for (; i < e.length && e[i] !== \">\" && e[i] !== \" \" && e[i] !== \"\t\" && e[i] !== `\n` && e[i] !== \"\\r\"; i++)\n o += e[i];\n if (o = o.trim(), o[o.length - 1] === \"/\" && (o = o.substring(0, o.length - 1), i--), !Se(o)) {\n let f;\n return o.trim().length === 0 ? f = \"Invalid space after '<'.\" : f = \"Tag '\" + o + \"' is an invalid name.\", p(\"InvalidTag\", f, w(e, i));\n }\n const a = xe(e, i);\n if (a === !1)\n return p(\"InvalidAttr\", \"Attributes for '\" + o + \"' have open quote.\", w(e, i));\n let l = a.value;\n if (i = a.index, l[l.length - 1] === \"/\") {\n const f = i - l.length;\n l = l.substring(0, l.length - 1);\n const c = z(l, t);\n if (c === !0)\n s = !0;\n else\n return p(c.err.code, c.err.msg, w(e, f + c.err.line));\n } else if (u)\n if (a.tagClosed) {\n if (l.trim().length > 0)\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' can't have attributes or invalid starting.\", w(e, d));\n {\n const f = r.pop();\n if (o !== f.tagName) {\n let c = w(e, f.tagStartPos);\n return p(\n \"InvalidTag\",\n \"Expected closing tag '\" + f.tagName + \"' (opened in line \" + c.line + \", col \" + c.col + \") instead of closing tag '\" + o + \"'.\",\n w(e, d)\n );\n }\n r.length == 0 && (n = !0);\n }\n } else\n return p(\"InvalidTag\", \"Closing tag '\" + o + \"' doesn't have proper closing.\", w(e, i));\n else {\n const f = z(l, t);\n if (f !== !0)\n return p(f.err.code, f.err.msg, w(e, i - l.length + f.err.line));\n if (n === !0)\n return p(\"InvalidXml\", \"Multiple possible root nodes found.\", w(e, i));\n t.unpairedTags.indexOf(o) !== -1 || r.push({ tagName: o, tagStartPos: d }), s = !0;\n }\n for (i++; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"!\") {\n i++, i = G(e, i);\n continue;\n } else if (e[i + 1] === \"?\") {\n if (i = U(e, ++i), i.err)\n return i;\n } else\n break;\n else if (e[i] === \"&\") {\n const f = Ve(e, i);\n if (f == -1)\n return p(\"InvalidChar\", \"char '&' is not expected.\", w(e, i));\n i = f;\n } else if (n === !0 && !X(e[i]))\n return p(\"InvalidXml\", \"Extra text at the end\", w(e, i));\n e[i] === \"<\" && i--;\n }\n } else {\n if (X(e[i]))\n continue;\n return p(\"InvalidChar\", \"char '\" + e[i] + \"' is not expected.\", w(e, i));\n }\n if (s) {\n if (r.length == 1)\n return p(\"InvalidTag\", \"Unclosed tag '\" + r[0].tagName + \"'.\", w(e, r[0].tagStartPos));\n if (r.length > 0)\n return p(\"InvalidXml\", \"Invalid '\" + JSON.stringify(r.map((i) => i.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n } else\n return p(\"InvalidXml\", \"Start tag expected.\", 1);\n return !0;\n};\nfunction X(e) {\n return e === \" \" || e === \"\t\" || e === `\n` || e === \"\\r\";\n}\nfunction U(e, t) {\n const r = t;\n for (; t < e.length; t++)\n if (e[t] == \"?\" || e[t] == \" \") {\n const s = e.substr(r, t - r);\n if (t > 5 && s === \"xml\")\n return p(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", w(e, t));\n if (e[t] == \"?\" && e[t + 1] == \">\") {\n t++;\n break;\n } else\n continue;\n }\n return t;\n}\nfunction G(e, t) {\n if (e.length > t + 5 && e[t + 1] === \"-\" && e[t + 2] === \"-\") {\n for (t += 3; t < e.length; t++)\n if (e[t] === \"-\" && e[t + 1] === \"-\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n } else if (e.length > t + 8 && e[t + 1] === \"D\" && e[t + 2] === \"O\" && e[t + 3] === \"C\" && e[t + 4] === \"T\" && e[t + 5] === \"Y\" && e[t + 6] === \"P\" && e[t + 7] === \"E\") {\n let r = 1;\n for (t += 8; t < e.length; t++)\n if (e[t] === \"<\")\n r++;\n else if (e[t] === \">\" && (r--, r === 0))\n break;\n } else if (e.length > t + 9 && e[t + 1] === \"[\" && e[t + 2] === \"C\" && e[t + 3] === \"D\" && e[t + 4] === \"A\" && e[t + 5] === \"T\" && e[t + 6] === \"A\" && e[t + 7] === \"[\") {\n for (t += 8; t < e.length; t++)\n if (e[t] === \"]\" && e[t + 1] === \"]\" && e[t + 2] === \">\") {\n t += 2;\n break;\n }\n }\n return t;\n}\nconst Ce = '\"', Pe = \"'\";\nfunction xe(e, t) {\n let r = \"\", s = \"\", n = !1;\n for (; t < e.length; t++) {\n if (e[t] === Ce || e[t] === Pe)\n s === \"\" ? s = e[t] : s !== e[t] || (s = \"\");\n else if (e[t] === \">\" && s === \"\") {\n n = !0;\n break;\n }\n r += e[t];\n }\n return s !== \"\" ? !1 : {\n value: r,\n index: t,\n tagClosed: n\n };\n}\nconst $e = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction z(e, t) {\n const r = M.getAllMatches(e, $e), s = {};\n for (let n = 0; n < r.length; n++) {\n if (r[n][1].length === 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' has no space in starting.\", v(r[n]));\n if (r[n][3] !== void 0 && r[n][4] === void 0)\n return p(\"InvalidAttr\", \"Attribute '\" + r[n][2] + \"' is without value.\", v(r[n]));\n if (r[n][3] === void 0 && !t.allowBooleanAttributes)\n return p(\"InvalidAttr\", \"boolean attribute '\" + r[n][2] + \"' is not allowed.\", v(r[n]));\n const i = r[n][2];\n if (!Le(i))\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is an invalid name.\", v(r[n]));\n if (!s.hasOwnProperty(i))\n s[i] = 1;\n else\n return p(\"InvalidAttr\", \"Attribute '\" + i + \"' is repeated.\", v(r[n]));\n }\n return !0;\n}\nfunction Fe(e, t) {\n let r = /\\d/;\n for (e[t] === \"x\" && (t++, r = /[\\da-fA-F]/); t < e.length; t++) {\n if (e[t] === \";\")\n return t;\n if (!e[t].match(r))\n break;\n }\n return -1;\n}\nfunction Ve(e, t) {\n if (t++, e[t] === \";\")\n return -1;\n if (e[t] === \"#\")\n return t++, Fe(e, t);\n let r = 0;\n for (; t < e.length; t++, r++)\n if (!(e[t].match(/\\w/) && r < 20)) {\n if (e[t] === \";\")\n break;\n return -1;\n }\n return t;\n}\nfunction p(e, t, r) {\n return {\n err: {\n code: e,\n msg: t,\n line: r.line || r,\n col: r.col\n }\n };\n}\nfunction Le(e) {\n return M.isName(e);\n}\nfunction Se(e) {\n return M.isName(e);\n}\nfunction w(e, t) {\n const r = e.substring(0, t).split(/\\r?\\n/);\n return {\n line: r.length,\n // column number is last line's length + 1, because column numbering starts at 1:\n col: r[r.length - 1].length + 1\n };\n}\nfunction v(e) {\n return e.startIndex + e[1].length;\n}\nvar k = {};\nconst te = {\n preserveOrder: !1,\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n removeNSPrefix: !1,\n // remove NS from tag name or attribute name if true\n allowBooleanAttributes: !1,\n //a tag can have attributes without any value\n //ignoreRootElement : false,\n parseTagValue: !0,\n parseAttributeValue: !1,\n trimValues: !0,\n //Trim string values of tag and attributes\n cdataPropName: !1,\n numberParseOptions: {\n hex: !0,\n leadingZeros: !0,\n eNotation: !0\n },\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n stopNodes: [],\n //nested tags will not be parsed even for errors\n alwaysCreateTextNode: !1,\n isArray: () => !1,\n commentPropName: !1,\n unpairedTags: [],\n processEntities: !0,\n htmlEntities: !1,\n ignoreDeclaration: !1,\n ignorePiTags: !1,\n transformTagName: !1,\n transformAttributeName: !1,\n updateTag: function(e, t, r) {\n return e;\n }\n // skipEmptyListItem: false\n}, Re = function(e) {\n return Object.assign({}, te, e);\n};\nk.buildOptions = Re;\nk.defaultOptions = te;\nclass Me {\n constructor(t) {\n this.tagname = t, this.child = [], this[\":@\"] = {};\n }\n add(t, r) {\n t === \"__proto__\" && (t = \"#__proto__\"), this.child.push({ [t]: r });\n }\n addChild(t) {\n t.tagname === \"__proto__\" && (t.tagname = \"#__proto__\"), t[\":@\"] && Object.keys(t[\":@\"]).length > 0 ? this.child.push({ [t.tagname]: t.child, \":@\": t[\":@\"] }) : this.child.push({ [t.tagname]: t.child });\n }\n}\nvar ke = Me;\nconst Be = O;\nfunction qe(e, t) {\n const r = {};\n if (e[t + 3] === \"O\" && e[t + 4] === \"C\" && e[t + 5] === \"T\" && e[t + 6] === \"Y\" && e[t + 7] === \"P\" && e[t + 8] === \"E\") {\n t = t + 9;\n let s = 1, n = !1, i = !1, d = \"\";\n for (; t < e.length; t++)\n if (e[t] === \"<\" && !i) {\n if (n && Ge(e, t))\n t += 7, [entityName, val, t] = Xe(e, t + 1), val.indexOf(\"&\") === -1 && (r[We(entityName)] = {\n regx: RegExp(`&${entityName};`, \"g\"),\n val\n });\n else if (n && ze(e, t))\n t += 8;\n else if (n && He(e, t))\n t += 8;\n else if (n && Ke(e, t))\n t += 9;\n else if (Ue)\n i = !0;\n else\n throw new Error(\"Invalid DOCTYPE\");\n s++, d = \"\";\n } else if (e[t] === \">\") {\n if (i ? e[t - 1] === \"-\" && e[t - 2] === \"-\" && (i = !1, s--) : s--, s === 0)\n break;\n } else\n e[t] === \"[\" ? n = !0 : d += e[t];\n if (s !== 0)\n throw new Error(\"Unclosed DOCTYPE\");\n } else\n throw new Error(\"Invalid Tag instead of DOCTYPE\");\n return { entities: r, i: t };\n}\nfunction Xe(e, t) {\n let r = \"\";\n for (; t < e.length && e[t] !== \"'\" && e[t] !== '\"'; t++)\n r += e[t];\n if (r = r.trim(), r.indexOf(\" \") !== -1)\n throw new Error(\"External entites are not supported\");\n const s = e[t++];\n let n = \"\";\n for (; t < e.length && e[t] !== s; t++)\n n += e[t];\n return [r, n, t];\n}\nfunction Ue(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"-\" && e[t + 3] === \"-\";\n}\nfunction Ge(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"N\" && e[t + 4] === \"T\" && e[t + 5] === \"I\" && e[t + 6] === \"T\" && e[t + 7] === \"Y\";\n}\nfunction ze(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"E\" && e[t + 3] === \"L\" && e[t + 4] === \"E\" && e[t + 5] === \"M\" && e[t + 6] === \"E\" && e[t + 7] === \"N\" && e[t + 8] === \"T\";\n}\nfunction He(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"A\" && e[t + 3] === \"T\" && e[t + 4] === \"T\" && e[t + 5] === \"L\" && e[t + 6] === \"I\" && e[t + 7] === \"S\" && e[t + 8] === \"T\";\n}\nfunction Ke(e, t) {\n return e[t + 1] === \"!\" && e[t + 2] === \"N\" && e[t + 3] === \"O\" && e[t + 4] === \"T\" && e[t + 5] === \"A\" && e[t + 6] === \"T\" && e[t + 7] === \"I\" && e[t + 8] === \"O\" && e[t + 9] === \"N\";\n}\nfunction We(e) {\n if (Be.isName(e))\n return e;\n throw new Error(`Invalid entity name ${e}`);\n}\nvar Ze = qe;\nconst je = /^[-+]?0x[a-fA-F0-9]+$/, Ye = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\n!Number.parseInt && window.parseInt && (Number.parseInt = window.parseInt);\n!Number.parseFloat && window.parseFloat && (Number.parseFloat = window.parseFloat);\nconst Je = {\n hex: !0,\n leadingZeros: !0,\n decimalPoint: \".\",\n eNotation: !0\n //skipLike: /regex/\n};\nfunction Qe(e, t = {}) {\n if (t = Object.assign({}, Je, t), !e || typeof e != \"string\")\n return e;\n let r = e.trim();\n if (t.skipLike !== void 0 && t.skipLike.test(r))\n return e;\n if (t.hex && je.test(r))\n return Number.parseInt(r, 16);\n {\n const s = Ye.exec(r);\n if (s) {\n const n = s[1], i = s[2];\n let d = De(s[3]);\n const u = s[4] || s[6];\n if (!t.leadingZeros && i.length > 0 && n && r[2] !== \".\")\n return e;\n if (!t.leadingZeros && i.length > 0 && !n && r[1] !== \".\")\n return e;\n {\n const o = Number(r), a = \"\" + o;\n return a.search(/[eE]/) !== -1 || u ? t.eNotation ? o : e : r.indexOf(\".\") !== -1 ? a === \"0\" && d === \"\" || a === d || n && a === \"-\" + d ? o : e : i ? d === a || n + d === a ? o : e : r === a || r === n + a ? o : e;\n }\n } else\n return e;\n }\n}\nfunction De(e) {\n return e && e.indexOf(\".\") !== -1 && (e = e.replace(/0+$/, \"\"), e === \".\" ? e = \"0\" : e[0] === \".\" ? e = \"0\" + e : e[e.length - 1] === \".\" && (e = e.substr(0, e.length - 1))), e;\n}\nvar et = Qe;\nconst re = O, T = ke, tt = Ze, rt = et;\nlet nt = class {\n constructor(t) {\n this.options = t, this.currentNode = null, this.tagsNodeStack = [], this.docTypeEntities = {}, this.lastEntities = {\n apos: { regex: /&(apos|#39|#x27);/g, val: \"'\" },\n gt: { regex: /&(gt|#62|#x3E);/g, val: \">\" },\n lt: { regex: /&(lt|#60|#x3C);/g, val: \"<\" },\n quot: { regex: /&(quot|#34|#x22);/g, val: '\"' }\n }, this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" }, this.htmlEntities = {\n space: { regex: /&(nbsp|#160);/g, val: \" \" },\n // \"lt\" : { regex: /&(lt|#60);/g, val: \"<\" },\n // \"gt\" : { regex: /&(gt|#62);/g, val: \">\" },\n // \"amp\" : { regex: /&(amp|#38);/g, val: \"&\" },\n // \"quot\" : { regex: /&(quot|#34);/g, val: \"\\\"\" },\n // \"apos\" : { regex: /&(apos|#39);/g, val: \"'\" },\n cent: { regex: /&(cent|#162);/g, val: \"¢\" },\n pound: { regex: /&(pound|#163);/g, val: \"£\" },\n yen: { regex: /&(yen|#165);/g, val: \"¥\" },\n euro: { regex: /&(euro|#8364);/g, val: \"€\" },\n copyright: { regex: /&(copy|#169);/g, val: \"©\" },\n reg: { regex: /&(reg|#174);/g, val: \"®\" },\n inr: { regex: /&(inr|#8377);/g, val: \"₹\" }\n }, this.addExternalEntities = it, this.parseXml = at, this.parseTextData = st, this.resolveNameSpace = ot, this.buildAttributesMap = dt, this.isItStopNode = ht, this.replaceEntitiesValue = ft, this.readStopNodeData = gt, this.saveTextToParentTag = ct, this.addChild = lt;\n }\n};\nfunction it(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n this.lastEntities[s] = {\n regex: new RegExp(\"&\" + s + \";\", \"g\"),\n val: e[s]\n };\n }\n}\nfunction st(e, t, r, s, n, i, d) {\n if (e !== void 0 && (this.options.trimValues && !s && (e = e.trim()), e.length > 0)) {\n d || (e = this.replaceEntitiesValue(e));\n const u = this.options.tagValueProcessor(t, e, r, n, i);\n return u == null ? e : typeof u != typeof e || u !== e ? u : this.options.trimValues ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e.trim() === e ? $(e, this.options.parseTagValue, this.options.numberParseOptions) : e;\n }\n}\nfunction ot(e) {\n if (this.options.removeNSPrefix) {\n const t = e.split(\":\"), r = e.charAt(0) === \"/\" ? \"/\" : \"\";\n if (t[0] === \"xmlns\")\n return \"\";\n t.length === 2 && (e = r + t[1]);\n }\n return e;\n}\nconst ut = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction dt(e, t, r) {\n if (!this.options.ignoreAttributes && typeof e == \"string\") {\n const s = re.getAllMatches(e, ut), n = s.length, i = {};\n for (let d = 0; d < n; d++) {\n const u = this.resolveNameSpace(s[d][1]);\n let o = s[d][4], a = this.options.attributeNamePrefix + u;\n if (u.length)\n if (this.options.transformAttributeName && (a = this.options.transformAttributeName(a)), a === \"__proto__\" && (a = \"#__proto__\"), o !== void 0) {\n this.options.trimValues && (o = o.trim()), o = this.replaceEntitiesValue(o);\n const l = this.options.attributeValueProcessor(u, o, t);\n l == null ? i[a] = o : typeof l != typeof o || l !== o ? i[a] = l : i[a] = $(\n o,\n this.options.parseAttributeValue,\n this.options.numberParseOptions\n );\n } else\n this.options.allowBooleanAttributes && (i[a] = !0);\n }\n if (!Object.keys(i).length)\n return;\n if (this.options.attributesGroupName) {\n const d = {};\n return d[this.options.attributesGroupName] = i, d;\n }\n return i;\n }\n}\nconst at = function(e) {\n e = e.replace(/\\r\\n?/g, `\n`);\n const t = new T(\"!xml\");\n let r = t, s = \"\", n = \"\";\n for (let i = 0; i < e.length; i++)\n if (e[i] === \"<\")\n if (e[i + 1] === \"/\") {\n const u = y(e, \">\", i, \"Closing Tag is not closed.\");\n let o = e.substring(i + 2, u).trim();\n if (this.options.removeNSPrefix) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1));\n }\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && (s = this.saveTextToParentTag(s, r, n));\n const a = n.substring(n.lastIndexOf(\".\") + 1);\n if (o && this.options.unpairedTags.indexOf(o) !== -1)\n throw new Error(`Unpaired tag can not be used as closing tag: </${o}>`);\n let l = 0;\n a && this.options.unpairedTags.indexOf(a) !== -1 ? (l = n.lastIndexOf(\".\", n.lastIndexOf(\".\") - 1), this.tagsNodeStack.pop()) : l = n.lastIndexOf(\".\"), n = n.substring(0, l), r = this.tagsNodeStack.pop(), s = \"\", i = u;\n } else if (e[i + 1] === \"?\") {\n let u = x(e, i, !1, \"?>\");\n if (!u)\n throw new Error(\"Pi Tag is not closed.\");\n if (s = this.saveTextToParentTag(s, r, n), !(this.options.ignoreDeclaration && u.tagName === \"?xml\" || this.options.ignorePiTags)) {\n const o = new T(u.tagName);\n o.add(this.options.textNodeName, \"\"), u.tagName !== u.tagExp && u.attrExpPresent && (o[\":@\"] = this.buildAttributesMap(u.tagExp, n, u.tagName)), this.addChild(r, o, n);\n }\n i = u.closeIndex + 1;\n } else if (e.substr(i + 1, 3) === \"!--\") {\n const u = y(e, \"-->\", i + 4, \"Comment is not closed.\");\n if (this.options.commentPropName) {\n const o = e.substring(i + 4, u - 2);\n s = this.saveTextToParentTag(s, r, n), r.add(this.options.commentPropName, [{ [this.options.textNodeName]: o }]);\n }\n i = u;\n } else if (e.substr(i + 1, 2) === \"!D\") {\n const u = tt(e, i);\n this.docTypeEntities = u.entities, i = u.i;\n } else if (e.substr(i + 1, 2) === \"![\") {\n const u = y(e, \"]]>\", i, \"CDATA is not closed.\") - 2, o = e.substring(i + 9, u);\n s = this.saveTextToParentTag(s, r, n);\n let a = this.parseTextData(o, r.tagname, n, !0, !1, !0, !0);\n a == null && (a = \"\"), this.options.cdataPropName ? r.add(this.options.cdataPropName, [{ [this.options.textNodeName]: o }]) : r.add(this.options.textNodeName, a), i = u + 2;\n } else {\n let u = x(e, i, this.options.removeNSPrefix), o = u.tagName;\n const a = u.rawTagName;\n let l = u.tagExp, f = u.attrExpPresent, c = u.closeIndex;\n this.options.transformTagName && (o = this.options.transformTagName(o)), r && s && r.tagname !== \"!xml\" && (s = this.saveTextToParentTag(s, r, n, !1));\n const g = r;\n if (g && this.options.unpairedTags.indexOf(g.tagname) !== -1 && (r = this.tagsNodeStack.pop(), n = n.substring(0, n.lastIndexOf(\".\"))), o !== t.tagname && (n += n ? \".\" + o : o), this.isItStopNode(this.options.stopNodes, n, o)) {\n let h = \"\";\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1)\n i = u.closeIndex;\n else if (this.options.unpairedTags.indexOf(o) !== -1)\n i = u.closeIndex;\n else {\n const E = this.readStopNodeData(e, a, c + 1);\n if (!E)\n throw new Error(`Unexpected end of ${a}`);\n i = E.i, h = E.tagContent;\n }\n const _ = new T(o);\n o !== l && f && (_[\":@\"] = this.buildAttributesMap(l, n, o)), h && (h = this.parseTextData(h, o, n, !0, f, !0, !0)), n = n.substr(0, n.lastIndexOf(\".\")), _.add(this.options.textNodeName, h), this.addChild(r, _, n);\n } else {\n if (l.length > 0 && l.lastIndexOf(\"/\") === l.length - 1) {\n o[o.length - 1] === \"/\" ? (o = o.substr(0, o.length - 1), n = n.substr(0, n.length - 1), l = o) : l = l.substr(0, l.length - 1), this.options.transformTagName && (o = this.options.transformTagName(o));\n const h = new T(o);\n o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), n = n.substr(0, n.lastIndexOf(\".\"));\n } else {\n const h = new T(o);\n this.tagsNodeStack.push(r), o !== l && f && (h[\":@\"] = this.buildAttributesMap(l, n, o)), this.addChild(r, h, n), r = h;\n }\n s = \"\", i = c;\n }\n }\n else\n s += e[i];\n return t.child;\n};\nfunction lt(e, t, r) {\n const s = this.options.updateTag(t.tagname, r, t[\":@\"]);\n s === !1 || (typeof s == \"string\" && (t.tagname = s), e.addChild(t));\n}\nconst ft = function(e) {\n if (this.options.processEntities) {\n for (let t in this.docTypeEntities) {\n const r = this.docTypeEntities[t];\n e = e.replace(r.regx, r.val);\n }\n for (let t in this.lastEntities) {\n const r = this.lastEntities[t];\n e = e.replace(r.regex, r.val);\n }\n if (this.options.htmlEntities)\n for (let t in this.htmlEntities) {\n const r = this.htmlEntities[t];\n e = e.replace(r.regex, r.val);\n }\n e = e.replace(this.ampEntity.regex, this.ampEntity.val);\n }\n return e;\n};\nfunction ct(e, t, r, s) {\n return e && (s === void 0 && (s = Object.keys(t.child).length === 0), e = this.parseTextData(\n e,\n t.tagname,\n r,\n !1,\n t[\":@\"] ? Object.keys(t[\":@\"]).length !== 0 : !1,\n s\n ), e !== void 0 && e !== \"\" && t.add(this.options.textNodeName, e), e = \"\"), e;\n}\nfunction ht(e, t, r) {\n const s = \"*.\" + r;\n for (const n in e) {\n const i = e[n];\n if (s === i || t === i)\n return !0;\n }\n return !1;\n}\nfunction pt(e, t, r = \">\") {\n let s, n = \"\";\n for (let i = t; i < e.length; i++) {\n let d = e[i];\n if (s)\n d === s && (s = \"\");\n else if (d === '\"' || d === \"'\")\n s = d;\n else if (d === r[0])\n if (r[1]) {\n if (e[i + 1] === r[1])\n return {\n data: n,\n index: i\n };\n } else\n return {\n data: n,\n index: i\n };\n else\n d === \"\t\" && (d = \" \");\n n += d;\n }\n}\nfunction y(e, t, r, s) {\n const n = e.indexOf(t, r);\n if (n === -1)\n throw new Error(s);\n return n + t.length - 1;\n}\nfunction x(e, t, r, s = \">\") {\n const n = pt(e, t + 1, s);\n if (!n)\n return;\n let i = n.data;\n const d = n.index, u = i.search(/\\s/);\n let o = i, a = !0;\n u !== -1 && (o = i.substring(0, u), i = i.substring(u + 1).trimStart());\n const l = o;\n if (r) {\n const f = o.indexOf(\":\");\n f !== -1 && (o = o.substr(f + 1), a = o !== n.data.substr(f + 1));\n }\n return {\n tagName: o,\n tagExp: i,\n closeIndex: d,\n attrExpPresent: a,\n rawTagName: l\n };\n}\nfunction gt(e, t, r) {\n const s = r;\n let n = 1;\n for (; r < e.length; r++)\n if (e[r] === \"<\")\n if (e[r + 1] === \"/\") {\n const i = y(e, \">\", r, `${t} is not closed`);\n if (e.substring(r + 2, i).trim() === t && (n--, n === 0))\n return {\n tagContent: e.substring(s, r),\n i\n };\n r = i;\n } else if (e[r + 1] === \"?\")\n r = y(e, \"?>\", r + 1, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 3) === \"!--\")\n r = y(e, \"-->\", r + 3, \"StopNode is not closed.\");\n else if (e.substr(r + 1, 2) === \"![\")\n r = y(e, \"]]>\", r, \"StopNode is not closed.\") - 2;\n else {\n const i = x(e, r, \">\");\n i && ((i && i.tagName) === t && i.tagExp[i.tagExp.length - 1] !== \"/\" && n++, r = i.closeIndex);\n }\n}\nfunction $(e, t, r) {\n if (t && typeof e == \"string\") {\n const s = e.trim();\n return s === \"true\" ? !0 : s === \"false\" ? !1 : rt(e, r);\n } else\n return re.isExist(e) ? e : \"\";\n}\nvar wt = nt, ne = {};\nfunction mt(e, t) {\n return ie(e, t);\n}\nfunction ie(e, t, r) {\n let s;\n const n = {};\n for (let i = 0; i < e.length; i++) {\n const d = e[i], u = Nt(d);\n let o = \"\";\n if (r === void 0 ? o = u : o = r + \".\" + u, u === t.textNodeName)\n s === void 0 ? s = d[u] : s += \"\" + d[u];\n else {\n if (u === void 0)\n continue;\n if (d[u]) {\n let a = ie(d[u], t, o);\n const l = bt(a, t);\n d[\":@\"] ? Et(a, d[\":@\"], o, t) : Object.keys(a).length === 1 && a[t.textNodeName] !== void 0 && !t.alwaysCreateTextNode ? a = a[t.textNodeName] : Object.keys(a).length === 0 && (t.alwaysCreateTextNode ? a[t.textNodeName] = \"\" : a = \"\"), n[u] !== void 0 && n.hasOwnProperty(u) ? (Array.isArray(n[u]) || (n[u] = [n[u]]), n[u].push(a)) : t.isArray(u, o, l) ? n[u] = [a] : n[u] = a;\n }\n }\n }\n return typeof s == \"string\" ? s.length > 0 && (n[t.textNodeName] = s) : s !== void 0 && (n[t.textNodeName] = s), n;\n}\nfunction Nt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (s !== \":@\")\n return s;\n }\n}\nfunction Et(e, t, r, s) {\n if (t) {\n const n = Object.keys(t), i = n.length;\n for (let d = 0; d < i; d++) {\n const u = n[d];\n s.isArray(u, r + \".\" + u, !0, !0) ? e[u] = [t[u]] : e[u] = t[u];\n }\n }\n}\nfunction bt(e, t) {\n const { textNodeName: r } = t, s = Object.keys(e).length;\n return !!(s === 0 || s === 1 && (e[r] || typeof e[r] == \"boolean\" || e[r] === 0));\n}\nne.prettify = mt;\nconst { buildOptions: yt } = k, _t = wt, { prettify: vt } = ne, Tt = R;\nlet It = class {\n constructor(t) {\n this.externalEntities = {}, this.options = yt(t);\n }\n /**\n * Parse XML dats to JS object \n * @param {string|Buffer} xmlData \n * @param {boolean|Object} validationOption \n */\n parse(t, r) {\n if (typeof t != \"string\")\n if (t.toString)\n t = t.toString();\n else\n throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n if (r) {\n r === !0 && (r = {});\n const i = Tt.validate(t, r);\n if (i !== !0)\n throw Error(`${i.err.msg}:${i.err.line}:${i.err.col}`);\n }\n const s = new _t(this.options);\n s.addExternalEntities(this.externalEntities);\n const n = s.parseXml(t);\n return this.options.preserveOrder || n === void 0 ? n : vt(n, this.options);\n }\n /**\n * Add Entity which is not by default supported by this library\n * @param {string} key \n * @param {string} value \n */\n addEntity(t, r) {\n if (r.indexOf(\"&\") !== -1)\n throw new Error(\"Entity value can't have '&'\");\n if (t.indexOf(\"&\") !== -1 || t.indexOf(\";\") !== -1)\n throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for '&#xD;'\");\n if (r === \"&\")\n throw new Error(\"An entity with value '&' is not permitted\");\n this.externalEntities[t] = r;\n }\n};\nvar At = It;\nconst Ot = `\n`;\nfunction Ct(e, t) {\n let r = \"\";\n return t.format && t.indentBy.length > 0 && (r = Ot), se(e, t, \"\", r);\n}\nfunction se(e, t, r, s) {\n let n = \"\", i = !1;\n for (let d = 0; d < e.length; d++) {\n const u = e[d], o = Pt(u);\n if (o === void 0)\n continue;\n let a = \"\";\n if (r.length === 0 ? a = o : a = `${r}.${o}`, o === t.textNodeName) {\n let h = u[o];\n xt(a, t) || (h = t.tagValueProcessor(o, h), h = oe(h, t)), i && (n += s), n += h, i = !1;\n continue;\n } else if (o === t.cdataPropName) {\n i && (n += s), n += `<![CDATA[${u[o][0][t.textNodeName]}]]>`, i = !1;\n continue;\n } else if (o === t.commentPropName) {\n n += s + `<!--${u[o][0][t.textNodeName]}-->`, i = !0;\n continue;\n } else if (o[0] === \"?\") {\n const h = H(u[\":@\"], t), _ = o === \"?xml\" ? \"\" : s;\n let E = u[o][0][t.textNodeName];\n E = E.length !== 0 ? \" \" + E : \"\", n += _ + `<${o}${E}${h}?>`, i = !0;\n continue;\n }\n let l = s;\n l !== \"\" && (l += t.indentBy);\n const f = H(u[\":@\"], t), c = s + `<${o}${f}`, g = se(u[o], t, a, l);\n t.unpairedTags.indexOf(o) !== -1 ? t.suppressUnpairedNode ? n += c + \">\" : n += c + \"/>\" : (!g || g.length === 0) && t.suppressEmptyNode ? n += c + \"/>\" : g && g.endsWith(\">\") ? n += c + `>${g}${s}</${o}>` : (n += c + \">\", g && s !== \"\" && (g.includes(\"/>\") || g.includes(\"</\")) ? n += s + t.indentBy + g + s : n += g, n += `</${o}>`), i = !0;\n }\n return n;\n}\nfunction Pt(e) {\n const t = Object.keys(e);\n for (let r = 0; r < t.length; r++) {\n const s = t[r];\n if (e.hasOwnProperty(s) && s !== \":@\")\n return s;\n }\n}\nfunction H(e, t) {\n let r = \"\";\n if (e && !t.ignoreAttributes)\n for (let s in e) {\n if (!e.hasOwnProperty(s))\n continue;\n let n = t.attributeValueProcessor(s, e[s]);\n n = oe(n, t), n === !0 && t.suppressBooleanAttributes ? r += ` ${s.substr(t.attributeNamePrefix.length)}` : r += ` ${s.substr(t.attributeNamePrefix.length)}=\"${n}\"`;\n }\n return r;\n}\nfunction xt(e, t) {\n e = e.substr(0, e.length - t.textNodeName.length - 1);\n let r = e.substr(e.lastIndexOf(\".\") + 1);\n for (let s in t.stopNodes)\n if (t.stopNodes[s] === e || t.stopNodes[s] === \"*.\" + r)\n return !0;\n return !1;\n}\nfunction oe(e, t) {\n if (e && e.length > 0 && t.processEntities)\n for (let r = 0; r < t.entities.length; r++) {\n const s = t.entities[r];\n e = e.replace(s.regex, s.val);\n }\n return e;\n}\nvar $t = Ct;\nconst Ft = $t, Vt = {\n attributeNamePrefix: \"@_\",\n attributesGroupName: !1,\n textNodeName: \"#text\",\n ignoreAttributes: !0,\n cdataPropName: !1,\n format: !1,\n indentBy: \" \",\n suppressEmptyNode: !1,\n suppressUnpairedNode: !0,\n suppressBooleanAttributes: !0,\n tagValueProcessor: function(e, t) {\n return t;\n },\n attributeValueProcessor: function(e, t) {\n return t;\n },\n preserveOrder: !1,\n commentPropName: !1,\n unpairedTags: [],\n entities: [\n { regex: new RegExp(\"&\", \"g\"), val: \"&amp;\" },\n //it must be on top\n { regex: new RegExp(\">\", \"g\"), val: \"&gt;\" },\n { regex: new RegExp(\"<\", \"g\"), val: \"&lt;\" },\n { regex: new RegExp(\"'\", \"g\"), val: \"&apos;\" },\n { regex: new RegExp('\"', \"g\"), val: \"&quot;\" }\n ],\n processEntities: !0,\n stopNodes: [],\n // transformTagName: false,\n // transformAttributeName: false,\n oneListGroup: !1\n};\nfunction b(e) {\n this.options = Object.assign({}, Vt, e), this.options.ignoreAttributes || this.options.attributesGroupName ? this.isAttribute = function() {\n return !1;\n } : (this.attrPrefixLen = this.options.attributeNamePrefix.length, this.isAttribute = Rt), this.processTextOrObjNode = Lt, this.options.format ? (this.indentate = St, this.tagEndChar = `>\n`, this.newLine = `\n`) : (this.indentate = function() {\n return \"\";\n }, this.tagEndChar = \">\", this.newLine = \"\");\n}\nb.prototype.build = function(e) {\n return this.options.preserveOrder ? Ft(e, this.options) : (Array.isArray(e) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1 && (e = {\n [this.options.arrayNodeName]: e\n }), this.j2x(e, 0).val);\n};\nb.prototype.j2x = function(e, t) {\n let r = \"\", s = \"\";\n for (let n in e)\n if (Object.prototype.hasOwnProperty.call(e, n))\n if (typeof e[n] > \"u\")\n this.isAttribute(n) && (s += \"\");\n else if (e[n] === null)\n this.isAttribute(n) ? s += \"\" : n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar;\n else if (e[n] instanceof Date)\n s += this.buildTextValNode(e[n], n, \"\", t);\n else if (typeof e[n] != \"object\") {\n const i = this.isAttribute(n);\n if (i)\n r += this.buildAttrPairStr(i, \"\" + e[n]);\n else if (n === this.options.textNodeName) {\n let d = this.options.tagValueProcessor(n, \"\" + e[n]);\n s += this.replaceEntitiesValue(d);\n } else\n s += this.buildTextValNode(e[n], n, \"\", t);\n } else if (Array.isArray(e[n])) {\n const i = e[n].length;\n let d = \"\";\n for (let u = 0; u < i; u++) {\n const o = e[n][u];\n typeof o > \"u\" || (o === null ? n[0] === \"?\" ? s += this.indentate(t) + \"<\" + n + \"?\" + this.tagEndChar : s += this.indentate(t) + \"<\" + n + \"/\" + this.tagEndChar : typeof o == \"object\" ? this.options.oneListGroup ? d += this.j2x(o, t + 1).val : d += this.processTextOrObjNode(o, n, t) : d += this.buildTextValNode(o, n, \"\", t));\n }\n this.options.oneListGroup && (d = this.buildObjectNode(d, n, \"\", t)), s += d;\n } else if (this.options.attributesGroupName && n === this.options.attributesGroupName) {\n const i = Object.keys(e[n]), d = i.length;\n for (let u = 0; u < d; u++)\n r += this.buildAttrPairStr(i[u], \"\" + e[n][i[u]]);\n } else\n s += this.processTextOrObjNode(e[n], n, t);\n return { attrStr: r, val: s };\n};\nb.prototype.buildAttrPairStr = function(e, t) {\n return t = this.options.attributeValueProcessor(e, \"\" + t), t = this.replaceEntitiesValue(t), this.options.suppressBooleanAttributes && t === \"true\" ? \" \" + e : \" \" + e + '=\"' + t + '\"';\n};\nfunction Lt(e, t, r) {\n const s = this.j2x(e, r + 1);\n return e[this.options.textNodeName] !== void 0 && Object.keys(e).length === 1 ? this.buildTextValNode(e[this.options.textNodeName], t, s.attrStr, r) : this.buildObjectNode(s.val, t, s.attrStr, r);\n}\nb.prototype.buildObjectNode = function(e, t, r, s) {\n if (e === \"\")\n return t[0] === \"?\" ? this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar : this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar;\n {\n let n = \"</\" + t + this.tagEndChar, i = \"\";\n return t[0] === \"?\" && (i = \"?\", n = \"\"), (r || r === \"\") && e.indexOf(\"<\") === -1 ? this.indentate(s) + \"<\" + t + r + i + \">\" + e + n : this.options.commentPropName !== !1 && t === this.options.commentPropName && i.length === 0 ? this.indentate(s) + `<!--${e}-->` + this.newLine : this.indentate(s) + \"<\" + t + r + i + this.tagEndChar + e + this.indentate(s) + n;\n }\n};\nb.prototype.closeTag = function(e) {\n let t = \"\";\n return this.options.unpairedTags.indexOf(e) !== -1 ? this.options.suppressUnpairedNode || (t = \"/\") : this.options.suppressEmptyNode ? t = \"/\" : t = `></${e}`, t;\n};\nb.prototype.buildTextValNode = function(e, t, r, s) {\n if (this.options.cdataPropName !== !1 && t === this.options.cdataPropName)\n return this.indentate(s) + `<![CDATA[${e}]]>` + this.newLine;\n if (this.options.commentPropName !== !1 && t === this.options.commentPropName)\n return this.indentate(s) + `<!--${e}-->` + this.newLine;\n if (t[0] === \"?\")\n return this.indentate(s) + \"<\" + t + r + \"?\" + this.tagEndChar;\n {\n let n = this.options.tagValueProcessor(t, e);\n return n = this.replaceEntitiesValue(n), n === \"\" ? this.indentate(s) + \"<\" + t + r + this.closeTag(t) + this.tagEndChar : this.indentate(s) + \"<\" + t + r + \">\" + n + \"</\" + t + this.tagEndChar;\n }\n};\nb.prototype.replaceEntitiesValue = function(e) {\n if (e && e.length > 0 && this.options.processEntities)\n for (let t = 0; t < this.options.entities.length; t++) {\n const r = this.options.entities[t];\n e = e.replace(r.regex, r.val);\n }\n return e;\n};\nfunction St(e) {\n return this.options.indentBy.repeat(e);\n}\nfunction Rt(e) {\n return e.startsWith(this.options.attributeNamePrefix) && e !== this.options.textNodeName ? e.substr(this.attrPrefixLen) : !1;\n}\nvar Mt = b;\nconst kt = R, Bt = At, qt = Mt;\nvar K = {\n XMLParser: Bt,\n XMLValidator: kt,\n XMLBuilder: qt\n};\nfunction Xt(e) {\n if (typeof e != \"string\")\n throw new TypeError(`Expected a \\`string\\`, got \\`${typeof e}\\``);\n if (e = e.trim(), e.length === 0 || K.XMLValidator.validate(e) !== !0)\n return !1;\n let t;\n const r = new K.XMLParser();\n try {\n t = r.parse(e);\n } catch {\n return !1;\n }\n return !(!t || !(\"svg\" in t));\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nclass cr {\n _view;\n constructor(t) {\n Ut(t), this._view = t;\n }\n get id() {\n return this._view.id;\n }\n get name() {\n return this._view.name;\n }\n get caption() {\n return this._view.caption;\n }\n get emptyTitle() {\n return this._view.emptyTitle;\n }\n get emptyCaption() {\n return this._view.emptyCaption;\n }\n get getContents() {\n return this._view.getContents;\n }\n get icon() {\n return this._view.icon;\n }\n set icon(t) {\n this._view.icon = t;\n }\n get order() {\n return this._view.order;\n }\n set order(t) {\n this._view.order = t;\n }\n get params() {\n return this._view.params;\n }\n set params(t) {\n this._view.params = t;\n }\n get columns() {\n return this._view.columns;\n }\n get emptyView() {\n return this._view.emptyView;\n }\n get parent() {\n return this._view.parent;\n }\n get sticky() {\n return this._view.sticky;\n }\n get expanded() {\n return this._view.expanded;\n }\n set expanded(t) {\n this._view.expanded = t;\n }\n get defaultSortKey() {\n return this._view.defaultSortKey;\n }\n}\nconst Ut = function(e) {\n if (!e.id || typeof e.id != \"string\")\n throw new Error(\"View id is required and must be a string\");\n if (!e.name || typeof e.name != \"string\")\n throw new Error(\"View name is required and must be a string\");\n if (e.columns && e.columns.length > 0 && (!e.caption || typeof e.caption != \"string\"))\n throw new Error(\"View caption is required for top-level views and must be a string\");\n if (!e.getContents || typeof e.getContents != \"function\")\n throw new Error(\"View getContents is required and must be a function\");\n if (!e.icon || typeof e.icon != \"string\" || !Xt(e.icon))\n throw new Error(\"View icon is required and must be a valid svg string\");\n if (!(\"order\" in e) || typeof e.order != \"number\")\n throw new Error(\"View order is required and must be a number\");\n if (e.columns && e.columns.forEach((t) => {\n if (!(t instanceof Ie))\n throw new Error(\"View columns must be an array of Column. Invalid column found\");\n }), e.emptyView && typeof e.emptyView != \"function\")\n throw new Error(\"View emptyView must be a function\");\n if (e.parent && typeof e.parent != \"string\")\n throw new Error(\"View parent must be a string\");\n if (\"sticky\" in e && typeof e.sticky != \"boolean\")\n throw new Error(\"View sticky must be a boolean\");\n if (\"expanded\" in e && typeof e.expanded != \"boolean\")\n throw new Error(\"View expanded must be a boolean\");\n if (e.defaultSortKey && typeof e.defaultSortKey != \"string\")\n throw new Error(\"View defaultSortKey must be a string\");\n return !0;\n};\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst hr = function(e) {\n return F().registerEntry(e);\n}, pr = function(e) {\n return F().unregisterEntry(e);\n}, gr = function(e) {\n return F().getEntries(e).sort((r, s) => r.order !== void 0 && s.order !== void 0 && r.order !== s.order ? r.order - s.order : r.displayName.localeCompare(s.displayName, void 0, { numeric: !0, sensitivity: \"base\" }));\n};\nexport {\n Ie as Column,\n W as DefaultType,\n ye as File,\n Qt as FileAction,\n S as FileType,\n _e as Folder,\n tr as Header,\n Te as Navigation,\n Q as Node,\n J as NodeStatus,\n N as Permission,\n cr as View,\n hr as addNewFileMenuEntry,\n ur as davGetClient,\n sr as davGetDefaultPropfind,\n Ee as davGetFavoritesReport,\n or as davGetRecentSearch,\n be as davParsePermissions,\n ee as davRemoteURL,\n ve as davResultToNode,\n D as davRootPath,\n j as defaultDavNamespaces,\n Z as defaultDavProperties,\n Yt as formatFileSize,\n L as getDavNameSpaces,\n V as getDavProperties,\n dr as getFavoriteNodes,\n er as getFileActions,\n nr as getFileListHeaders,\n ar as getNavigation,\n gr as getNewFileMenuEntries,\n Jt as parseFileSize,\n ir as registerDavProperty,\n Dt as registerFileAction,\n rr as registerFileListHeaders,\n pr as removeNewFileMenuEntry\n};\n","\n import API from \"!../../../../style-loader/dist/runtime/injectStylesIntoStyleTag.js\";\n import domAPI from \"!../../../../style-loader/dist/runtime/styleDomAPI.js\";\n import insertFn from \"!../../../../style-loader/dist/runtime/insertBySelector.js\";\n import setAttributes from \"!../../../../style-loader/dist/runtime/setAttributesWithoutAttributes.js\";\n import insertStyleElement from \"!../../../../style-loader/dist/runtime/insertStyleElement.js\";\n import styleTagTransformFn from \"!../../../../style-loader/dist/runtime/styleTagTransform.js\";\n import content, * as namedExport from \"!!../../../../css-loader/dist/cjs.js!./index-Ussc_ol3.css\";\n \n \n\nvar options = {};\n\noptions.styleTagTransform = styleTagTransformFn;\noptions.setAttributes = setAttributes;\n\n options.insert = insertFn.bind(null, \"head\");\n \noptions.domAPI = domAPI;\noptions.insertStyleElement = insertStyleElement;\n\nvar update = API(content, options);\n\n\n\nexport * from \"!!../../../../css-loader/dist/cjs.js!./index-Ussc_ol3.css\";\n export default content && content.locals ? content.locals : undefined;\n","export class CancelError extends Error {\n\tconstructor(reason) {\n\t\tsuper(reason || 'Promise was canceled');\n\t\tthis.name = 'CancelError';\n\t}\n\n\tget isCanceled() {\n\t\treturn true;\n\t}\n}\n\nconst promiseState = Object.freeze({\n\tpending: Symbol('pending'),\n\tcanceled: Symbol('canceled'),\n\tresolved: Symbol('resolved'),\n\trejected: Symbol('rejected'),\n});\n\nexport default class PCancelable {\n\tstatic fn(userFunction) {\n\t\treturn (...arguments_) => new PCancelable((resolve, reject, onCancel) => {\n\t\t\targuments_.push(onCancel);\n\t\t\tuserFunction(...arguments_).then(resolve, reject);\n\t\t});\n\t}\n\n\t#cancelHandlers = [];\n\t#rejectOnCancel = true;\n\t#state = promiseState.pending;\n\t#promise;\n\t#reject;\n\n\tconstructor(executor) {\n\t\tthis.#promise = new Promise((resolve, reject) => {\n\t\t\tthis.#reject = reject;\n\n\t\t\tconst onResolve = value => {\n\t\t\t\tif (this.#state !== promiseState.canceled || !onCancel.shouldReject) {\n\t\t\t\t\tresolve(value);\n\t\t\t\t\tthis.#setState(promiseState.resolved);\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tconst onReject = error => {\n\t\t\t\tif (this.#state !== promiseState.canceled || !onCancel.shouldReject) {\n\t\t\t\t\treject(error);\n\t\t\t\t\tthis.#setState(promiseState.rejected);\n\t\t\t\t}\n\t\t\t};\n\n\t\t\tconst onCancel = handler => {\n\t\t\t\tif (this.#state !== promiseState.pending) {\n\t\t\t\t\tthrow new Error(`The \\`onCancel\\` handler was attached after the promise ${this.#state.description}.`);\n\t\t\t\t}\n\n\t\t\t\tthis.#cancelHandlers.push(handler);\n\t\t\t};\n\n\t\t\tObject.defineProperties(onCancel, {\n\t\t\t\tshouldReject: {\n\t\t\t\t\tget: () => this.#rejectOnCancel,\n\t\t\t\t\tset: boolean => {\n\t\t\t\t\t\tthis.#rejectOnCancel = boolean;\n\t\t\t\t\t},\n\t\t\t\t},\n\t\t\t});\n\n\t\t\texecutor(onResolve, onReject, onCancel);\n\t\t});\n\t}\n\n\t// eslint-disable-next-line unicorn/no-thenable\n\tthen(onFulfilled, onRejected) {\n\t\treturn this.#promise.then(onFulfilled, onRejected);\n\t}\n\n\tcatch(onRejected) {\n\t\treturn this.#promise.catch(onRejected);\n\t}\n\n\tfinally(onFinally) {\n\t\treturn this.#promise.finally(onFinally);\n\t}\n\n\tcancel(reason) {\n\t\tif (this.#state !== promiseState.pending) {\n\t\t\treturn;\n\t\t}\n\n\t\tthis.#setState(promiseState.canceled);\n\n\t\tif (this.#cancelHandlers.length > 0) {\n\t\t\ttry {\n\t\t\t\tfor (const handler of this.#cancelHandlers) {\n\t\t\t\t\thandler();\n\t\t\t\t}\n\t\t\t} catch (error) {\n\t\t\t\tthis.#reject(error);\n\t\t\t\treturn;\n\t\t\t}\n\t\t}\n\n\t\tif (this.#rejectOnCancel) {\n\t\t\tthis.#reject(new CancelError(reason));\n\t\t}\n\t}\n\n\tget isCanceled() {\n\t\treturn this.#state === promiseState.canceled;\n\t}\n\n\t#setState(state) {\n\t\tif (this.#state === promiseState.pending) {\n\t\t\tthis.#state = state;\n\t\t}\n\t}\n}\n\nObject.setPrototypeOf(PCancelable.prototype, Promise.prototype);\n","export class TimeoutError extends Error {\n\tconstructor(message) {\n\t\tsuper(message);\n\t\tthis.name = 'TimeoutError';\n\t}\n}\n\n/**\nAn error to be thrown when the request is aborted by AbortController.\nDOMException is thrown instead of this Error when DOMException is available.\n*/\nexport class AbortError extends Error {\n\tconstructor(message) {\n\t\tsuper();\n\t\tthis.name = 'AbortError';\n\t\tthis.message = message;\n\t}\n}\n\n/**\nTODO: Remove AbortError and just throw DOMException when targeting Node 18.\n*/\nconst getDOMException = errorMessage => globalThis.DOMException === undefined\n\t? new AbortError(errorMessage)\n\t: new DOMException(errorMessage);\n\n/**\nTODO: Remove below function and just 'reject(signal.reason)' when targeting Node 18.\n*/\nconst getAbortedReason = signal => {\n\tconst reason = signal.reason === undefined\n\t\t? getDOMException('This operation was aborted.')\n\t\t: signal.reason;\n\n\treturn reason instanceof Error ? reason : getDOMException(reason);\n};\n\nexport default function pTimeout(promise, options) {\n\tconst {\n\t\tmilliseconds,\n\t\tfallback,\n\t\tmessage,\n\t\tcustomTimers = {setTimeout, clearTimeout},\n\t} = options;\n\n\tlet timer;\n\n\tconst wrappedPromise = new Promise((resolve, reject) => {\n\t\tif (typeof milliseconds !== 'number' || Math.sign(milliseconds) !== 1) {\n\t\t\tthrow new TypeError(`Expected \\`milliseconds\\` to be a positive number, got \\`${milliseconds}\\``);\n\t\t}\n\n\t\tif (options.signal) {\n\t\t\tconst {signal} = options;\n\t\t\tif (signal.aborted) {\n\t\t\t\treject(getAbortedReason(signal));\n\t\t\t}\n\n\t\t\tsignal.addEventListener('abort', () => {\n\t\t\t\treject(getAbortedReason(signal));\n\t\t\t});\n\t\t}\n\n\t\tif (milliseconds === Number.POSITIVE_INFINITY) {\n\t\t\tpromise.then(resolve, reject);\n\t\t\treturn;\n\t\t}\n\n\t\t// We create the error outside of `setTimeout` to preserve the stack trace.\n\t\tconst timeoutError = new TimeoutError();\n\n\t\ttimer = customTimers.setTimeout.call(undefined, () => {\n\t\t\tif (fallback) {\n\t\t\t\ttry {\n\t\t\t\t\tresolve(fallback());\n\t\t\t\t} catch (error) {\n\t\t\t\t\treject(error);\n\t\t\t\t}\n\n\t\t\t\treturn;\n\t\t\t}\n\n\t\t\tif (typeof promise.cancel === 'function') {\n\t\t\t\tpromise.cancel();\n\t\t\t}\n\n\t\t\tif (message === false) {\n\t\t\t\tresolve();\n\t\t\t} else if (message instanceof Error) {\n\t\t\t\treject(message);\n\t\t\t} else {\n\t\t\t\ttimeoutError.message = message ?? `Promise timed out after ${milliseconds} milliseconds`;\n\t\t\t\treject(timeoutError);\n\t\t\t}\n\t\t}, milliseconds);\n\n\t\t(async () => {\n\t\t\ttry {\n\t\t\t\tresolve(await promise);\n\t\t\t} catch (error) {\n\t\t\t\treject(error);\n\t\t\t}\n\t\t})();\n\t});\n\n\tconst cancelablePromise = wrappedPromise.finally(() => {\n\t\tcancelablePromise.clear();\n\t});\n\n\tcancelablePromise.clear = () => {\n\t\tcustomTimers.clearTimeout.call(undefined, timer);\n\t\ttimer = undefined;\n\t};\n\n\treturn cancelablePromise;\n}\n","import lowerBound from './lower-bound.js';\nexport default class PriorityQueue {\n #queue = [];\n enqueue(run, options) {\n options = {\n priority: 0,\n ...options,\n };\n const element = {\n priority: options.priority,\n run,\n };\n if (this.size && this.#queue[this.size - 1].priority >= options.priority) {\n this.#queue.push(element);\n return;\n }\n const index = lowerBound(this.#queue, element, (a, b) => b.priority - a.priority);\n this.#queue.splice(index, 0, element);\n }\n dequeue() {\n const item = this.#queue.shift();\n return item?.run;\n }\n filter(options) {\n return this.#queue.filter((element) => element.priority === options.priority).map((element) => element.run);\n }\n get size() {\n return this.#queue.length;\n }\n}\n","// Port of lower_bound from https://en.cppreference.com/w/cpp/algorithm/lower_bound\n// Used to compute insertion index to keep queue sorted after insertion\nexport default function lowerBound(array, value, comparator) {\n let first = 0;\n let count = array.length;\n while (count > 0) {\n const step = Math.trunc(count / 2);\n let it = first + step;\n if (comparator(array[it], value) <= 0) {\n first = ++it;\n count -= step + 1;\n }\n else {\n count = step;\n }\n }\n return first;\n}\n","import { EventEmitter } from 'eventemitter3';\nimport pTimeout, { TimeoutError } from 'p-timeout';\nimport PriorityQueue from './priority-queue.js';\n/**\nPromise queue with concurrency control.\n*/\nexport default class PQueue extends EventEmitter {\n #carryoverConcurrencyCount;\n #isIntervalIgnored;\n #intervalCount = 0;\n #intervalCap;\n #interval;\n #intervalEnd = 0;\n #intervalId;\n #timeoutId;\n #queue;\n #queueClass;\n #pending = 0;\n // The `!` is needed because of https://github.com/microsoft/TypeScript/issues/32194\n #concurrency;\n #isPaused;\n #throwOnTimeout;\n /**\n Per-operation timeout in milliseconds. Operations fulfill once `timeout` elapses if they haven't already.\n\n Applies to each future operation.\n */\n timeout;\n // TODO: The `throwOnTimeout` option should affect the return types of `add()` and `addAll()`\n constructor(options) {\n super();\n // eslint-disable-next-line @typescript-eslint/consistent-type-assertions\n options = {\n carryoverConcurrencyCount: false,\n intervalCap: Number.POSITIVE_INFINITY,\n interval: 0,\n concurrency: Number.POSITIVE_INFINITY,\n autoStart: true,\n queueClass: PriorityQueue,\n ...options,\n };\n if (!(typeof options.intervalCap === 'number' && options.intervalCap >= 1)) {\n throw new TypeError(`Expected \\`intervalCap\\` to be a number from 1 and up, got \\`${options.intervalCap?.toString() ?? ''}\\` (${typeof options.intervalCap})`);\n }\n if (options.interval === undefined || !(Number.isFinite(options.interval) && options.interval >= 0)) {\n throw new TypeError(`Expected \\`interval\\` to be a finite number >= 0, got \\`${options.interval?.toString() ?? ''}\\` (${typeof options.interval})`);\n }\n this.#carryoverConcurrencyCount = options.carryoverConcurrencyCount;\n this.#isIntervalIgnored = options.intervalCap === Number.POSITIVE_INFINITY || options.interval === 0;\n this.#intervalCap = options.intervalCap;\n this.#interval = options.interval;\n this.#queue = new options.queueClass();\n this.#queueClass = options.queueClass;\n this.concurrency = options.concurrency;\n this.timeout = options.timeout;\n this.#throwOnTimeout = options.throwOnTimeout === true;\n this.#isPaused = options.autoStart === false;\n }\n get #doesIntervalAllowAnother() {\n return this.#isIntervalIgnored || this.#intervalCount < this.#intervalCap;\n }\n get #doesConcurrentAllowAnother() {\n return this.#pending < this.#concurrency;\n }\n #next() {\n this.#pending--;\n this.#tryToStartAnother();\n this.emit('next');\n }\n #onResumeInterval() {\n this.#onInterval();\n this.#initializeIntervalIfNeeded();\n this.#timeoutId = undefined;\n }\n get #isIntervalPaused() {\n const now = Date.now();\n if (this.#intervalId === undefined) {\n const delay = this.#intervalEnd - now;\n if (delay < 0) {\n // Act as the interval was done\n // We don't need to resume it here because it will be resumed on line 160\n this.#intervalCount = (this.#carryoverConcurrencyCount) ? this.#pending : 0;\n }\n else {\n // Act as the interval is pending\n if (this.#timeoutId === undefined) {\n this.#timeoutId = setTimeout(() => {\n this.#onResumeInterval();\n }, delay);\n }\n return true;\n }\n }\n return false;\n }\n #tryToStartAnother() {\n if (this.#queue.size === 0) {\n // We can clear the interval (\"pause\")\n // Because we can redo it later (\"resume\")\n if (this.#intervalId) {\n clearInterval(this.#intervalId);\n }\n this.#intervalId = undefined;\n this.emit('empty');\n if (this.#pending === 0) {\n this.emit('idle');\n }\n return false;\n }\n if (!this.#isPaused) {\n const canInitializeInterval = !this.#isIntervalPaused;\n if (this.#doesIntervalAllowAnother && this.#doesConcurrentAllowAnother) {\n const job = this.#queue.dequeue();\n if (!job) {\n return false;\n }\n this.emit('active');\n job();\n if (canInitializeInterval) {\n this.#initializeIntervalIfNeeded();\n }\n return true;\n }\n }\n return false;\n }\n #initializeIntervalIfNeeded() {\n if (this.#isIntervalIgnored || this.#intervalId !== undefined) {\n return;\n }\n this.#intervalId = setInterval(() => {\n this.#onInterval();\n }, this.#interval);\n this.#intervalEnd = Date.now() + this.#interval;\n }\n #onInterval() {\n if (this.#intervalCount === 0 && this.#pending === 0 && this.#intervalId) {\n clearInterval(this.#intervalId);\n this.#intervalId = undefined;\n }\n this.#intervalCount = this.#carryoverConcurrencyCount ? this.#pending : 0;\n this.#processQueue();\n }\n /**\n Executes all queued functions until it reaches the limit.\n */\n #processQueue() {\n // eslint-disable-next-line no-empty\n while (this.#tryToStartAnother()) { }\n }\n get concurrency() {\n return this.#concurrency;\n }\n set concurrency(newConcurrency) {\n if (!(typeof newConcurrency === 'number' && newConcurrency >= 1)) {\n throw new TypeError(`Expected \\`concurrency\\` to be a number from 1 and up, got \\`${newConcurrency}\\` (${typeof newConcurrency})`);\n }\n this.#concurrency = newConcurrency;\n this.#processQueue();\n }\n async #throwOnAbort(signal) {\n return new Promise((_resolve, reject) => {\n signal.addEventListener('abort', () => {\n reject(signal.reason);\n }, { once: true });\n });\n }\n async add(function_, options = {}) {\n options = {\n timeout: this.timeout,\n throwOnTimeout: this.#throwOnTimeout,\n ...options,\n };\n return new Promise((resolve, reject) => {\n this.#queue.enqueue(async () => {\n this.#pending++;\n this.#intervalCount++;\n try {\n options.signal?.throwIfAborted();\n let operation = function_({ signal: options.signal });\n if (options.timeout) {\n operation = pTimeout(Promise.resolve(operation), { milliseconds: options.timeout });\n }\n if (options.signal) {\n operation = Promise.race([operation, this.#throwOnAbort(options.signal)]);\n }\n const result = await operation;\n resolve(result);\n this.emit('completed', result);\n }\n catch (error) {\n if (error instanceof TimeoutError && !options.throwOnTimeout) {\n resolve();\n return;\n }\n reject(error);\n this.emit('error', error);\n }\n finally {\n this.#next();\n }\n }, options);\n this.emit('add');\n this.#tryToStartAnother();\n });\n }\n async addAll(functions, options) {\n return Promise.all(functions.map(async (function_) => this.add(function_, options)));\n }\n /**\n Start (or resume) executing enqueued tasks within concurrency limit. No need to call this if queue is not paused (via `options.autoStart = false` or by `.pause()` method.)\n */\n start() {\n if (!this.#isPaused) {\n return this;\n }\n this.#isPaused = false;\n this.#processQueue();\n return this;\n }\n /**\n Put queue execution on hold.\n */\n pause() {\n this.#isPaused = true;\n }\n /**\n Clear the queue.\n */\n clear() {\n this.#queue = new this.#queueClass();\n }\n /**\n Can be called multiple times. Useful if you for example add additional items at a later time.\n\n @returns A promise that settles when the queue becomes empty.\n */\n async onEmpty() {\n // Instantly resolve if the queue is empty\n if (this.#queue.size === 0) {\n return;\n }\n await this.#onEvent('empty');\n }\n /**\n @returns A promise that settles when the queue size is less than the given limit: `queue.size < limit`.\n\n If you want to avoid having the queue grow beyond a certain size you can `await queue.onSizeLessThan()` before adding a new item.\n\n Note that this only limits the number of items waiting to start. There could still be up to `concurrency` jobs already running that this call does not include in its calculation.\n */\n async onSizeLessThan(limit) {\n // Instantly resolve if the queue is empty.\n if (this.#queue.size < limit) {\n return;\n }\n await this.#onEvent('next', () => this.#queue.size < limit);\n }\n /**\n The difference with `.onEmpty` is that `.onIdle` guarantees that all work from the queue has finished. `.onEmpty` merely signals that the queue is empty, but it could mean that some promises haven't completed yet.\n\n @returns A promise that settles when the queue becomes empty, and all promises have completed; `queue.size === 0 && queue.pending === 0`.\n */\n async onIdle() {\n // Instantly resolve if none pending and if nothing else is queued\n if (this.#pending === 0 && this.#queue.size === 0) {\n return;\n }\n await this.#onEvent('idle');\n }\n async #onEvent(event, filter) {\n return new Promise(resolve => {\n const listener = () => {\n if (filter && !filter()) {\n return;\n }\n this.off(event, listener);\n resolve();\n };\n this.on(event, listener);\n });\n }\n /**\n Size of the queue, the number of queued items waiting to run.\n */\n get size() {\n return this.#queue.size;\n }\n /**\n Size of the queue, filtered by the given options.\n\n For example, this can be used to find the number of items remaining in the queue with a specific priority level.\n */\n sizeBy(options) {\n // eslint-disable-next-line unicorn/no-array-callback-reference\n return this.#queue.filter(options).length;\n }\n /**\n Number of running items (no longer in the queue).\n */\n get pending() {\n return this.#pending;\n }\n /**\n Whether the queue is currently paused.\n */\n get isPaused() {\n return this.#isPaused;\n }\n}\n","import '../assets/index-Ussc_ol3.css';\nimport { CanceledError as b } from \"axios\";\nimport { encodePath as q } from \"@nextcloud/paths\";\nimport { Folder as z, Permission as H, getNewFileMenuEntries as G } from \"@nextcloud/files\";\nimport { generateRemoteUrl as j } from \"@nextcloud/router\";\nimport { getCurrentUser as F } from \"@nextcloud/auth\";\nimport v from \"@nextcloud/axios\";\nimport Y from \"p-cancelable\";\nimport V from \"p-queue\";\nimport { getLoggerBuilder as _ } from \"@nextcloud/logger\";\nimport { showError as P } from \"@nextcloud/dialogs\";\nimport K from \"simple-eta\";\nimport E, { defineAsyncComponent as $ } from \"vue\";\nimport J from \"@nextcloud/vue/dist/Components/NcActionButton.js\";\nimport Q from \"@nextcloud/vue/dist/Components/NcActions.js\";\nimport Z from \"@nextcloud/vue/dist/Components/NcButton.js\";\nimport X from \"@nextcloud/vue/dist/Components/NcIconSvgWrapper.js\";\nimport ss from \"@nextcloud/vue/dist/Components/NcProgressBar.js\";\nimport { getGettextBuilder as es } from \"@nextcloud/l10n/gettext\";\nconst A = async function(e, s, t, n = () => {\n}, i = void 0, o = {}) {\n let l;\n return s instanceof Blob ? l = s : l = await s(), i && (o.Destination = i), o[\"Content-Type\"] || (o[\"Content-Type\"] = \"application/octet-stream\"), await v.request({\n method: \"PUT\",\n url: e,\n data: l,\n signal: t,\n onUploadProgress: n,\n headers: o\n });\n}, B = function(e, s, t) {\n return s === 0 && e.size <= t ? Promise.resolve(new Blob([e], { type: e.type || \"application/octet-stream\" })) : Promise.resolve(new Blob([e.slice(s, s + t)], { type: \"application/octet-stream\" }));\n}, ts = async function(e = void 0) {\n const s = j(`dav/uploads/${F()?.uid}`), n = `web-file-upload-${[...Array(16)].map(() => Math.floor(Math.random() * 16).toString(16)).join(\"\")}`, i = `${s}/${n}`, o = e ? { Destination: e } : void 0;\n return await v.request({\n method: \"MKCOL\",\n url: i,\n headers: o\n }), i;\n}, x = function(e = void 0) {\n const s = window.OC?.appConfig?.files?.max_chunk_size;\n if (s <= 0)\n return 0;\n if (!Number(s))\n return 10 * 1024 * 1024;\n const t = Math.max(Number(s), 5 * 1024 * 1024);\n return e === void 0 ? t : Math.max(t, Math.ceil(e / 1e4));\n};\nvar c = /* @__PURE__ */ ((e) => (e[e.INITIALIZED = 0] = \"INITIALIZED\", e[e.UPLOADING = 1] = \"UPLOADING\", e[e.ASSEMBLING = 2] = \"ASSEMBLING\", e[e.FINISHED = 3] = \"FINISHED\", e[e.CANCELLED = 4] = \"CANCELLED\", e[e.FAILED = 5] = \"FAILED\", e))(c || {});\nlet ns = class {\n _source;\n _file;\n _isChunked;\n _chunks;\n _size;\n _uploaded = 0;\n _startTime = 0;\n _status = 0;\n _controller;\n _response = null;\n constructor(s, t = !1, n, i) {\n const o = Math.min(x() > 0 ? Math.ceil(n / x()) : 1, 1e4);\n this._source = s, this._isChunked = t && x() > 0 && o > 1, this._chunks = this._isChunked ? o : 1, this._size = n, this._file = i, this._controller = new AbortController();\n }\n get source() {\n return this._source;\n }\n get file() {\n return this._file;\n }\n get isChunked() {\n return this._isChunked;\n }\n get chunks() {\n return this._chunks;\n }\n get size() {\n return this._size;\n }\n get startTime() {\n return this._startTime;\n }\n set response(s) {\n this._response = s;\n }\n get response() {\n return this._response;\n }\n get uploaded() {\n return this._uploaded;\n }\n /**\n * Update the uploaded bytes of this upload\n */\n set uploaded(s) {\n if (s >= this._size) {\n this._status = this._isChunked ? 2 : 3, this._uploaded = this._size;\n return;\n }\n this._status = 1, this._uploaded = s, this._startTime === 0 && (this._startTime = (/* @__PURE__ */ new Date()).getTime());\n }\n get status() {\n return this._status;\n }\n /**\n * Update this upload status\n */\n set status(s) {\n this._status = s;\n }\n /**\n * Returns the axios cancel token source\n */\n get signal() {\n return this._controller.signal;\n }\n /**\n * Cancel any ongoing requests linked to this upload\n */\n cancel() {\n this._controller.abort(), this._status = 4;\n }\n};\n/**\n * @copyright 2019 Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @author Christoph Wurst <christoph@winzerhof-wurst.at>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst as = (e) => e === null ? _().setApp(\"uploader\").build() : _().setApp(\"uploader\").setUid(e.uid).build(), g = as(F());\nvar I = /* @__PURE__ */ ((e) => (e[e.IDLE = 0] = \"IDLE\", e[e.UPLOADING = 1] = \"UPLOADING\", e[e.PAUSED = 2] = \"PAUSED\", e))(I || {});\nclass N {\n // Initialized via setter in the constructor\n _destinationFolder;\n _isPublic;\n // Global upload queue\n _uploadQueue = [];\n _jobQueue = new V({ concurrency: 3 });\n _queueSize = 0;\n _queueProgress = 0;\n _queueStatus = 0;\n _notifiers = [];\n /**\n * Initialize uploader\n *\n * @param {boolean} isPublic are we in public mode ?\n * @param {Folder} destinationFolder the context folder to operate, relative to the root folder\n */\n constructor(s = !1, t) {\n if (this._isPublic = s, !t) {\n const n = F()?.uid, i = j(`dav/files/${n}`);\n if (!n)\n throw new Error(\"User is not logged in\");\n t = new z({\n id: 0,\n owner: n,\n permissions: H.ALL,\n root: `/files/${n}`,\n source: i\n });\n }\n this.destination = t, g.debug(\"Upload workspace initialized\", {\n destination: this.destination,\n root: this.root,\n isPublic: s,\n maxChunksSize: x()\n });\n }\n /**\n * Get the upload destination path relative to the root folder\n */\n get destination() {\n return this._destinationFolder;\n }\n /**\n * Set the upload destination path relative to the root folder\n */\n set destination(s) {\n if (!s)\n throw new Error(\"Invalid destination folder\");\n g.debug(\"Destination set\", { folder: s }), this._destinationFolder = s;\n }\n /**\n * Get the root folder\n */\n get root() {\n return this._destinationFolder.source;\n }\n /**\n * Get the upload queue\n */\n get queue() {\n return this._uploadQueue;\n }\n reset() {\n this._uploadQueue.splice(0, this._uploadQueue.length), this._jobQueue.clear(), this._queueSize = 0, this._queueProgress = 0, this._queueStatus = 0;\n }\n /**\n * Pause any ongoing upload(s)\n */\n pause() {\n this._jobQueue.pause(), this._queueStatus = 2;\n }\n /**\n * Resume any pending upload(s)\n */\n start() {\n this._jobQueue.start(), this._queueStatus = 1, this.updateStats();\n }\n /**\n * Get the upload queue stats\n */\n get info() {\n return {\n size: this._queueSize,\n progress: this._queueProgress,\n status: this._queueStatus\n };\n }\n updateStats() {\n const s = this._uploadQueue.map((n) => n.size).reduce((n, i) => n + i, 0), t = this._uploadQueue.map((n) => n.uploaded).reduce((n, i) => n + i, 0);\n this._queueSize = s, this._queueProgress = t, this._queueStatus !== 2 && (this._queueStatus = this._jobQueue.size > 0 ? 1 : 0);\n }\n addNotifier(s) {\n this._notifiers.push(s);\n }\n /**\n * Upload a file to the given path\n * @param {string} destinationPath the destination path relative to the root folder. e.g. /foo/bar.txt\n * @param {File} file the file to upload\n * @param {string} root the root folder to upload to\n */\n upload(s, t, n) {\n const i = `${n || this.root}/${s.replace(/^\\//, \"\")}`, { origin: o } = new URL(i), l = o + q(i.slice(o.length));\n g.debug(`Uploading ${t.name} to ${l}`);\n const f = x(t.size), r = f === 0 || t.size < f || this._isPublic, a = new ns(i, !r, t.size, t);\n return this._uploadQueue.push(a), this.updateStats(), new Y(async (T, d, U) => {\n if (U(a.cancel), r) {\n g.debug(\"Initializing regular upload\", { file: t, upload: a });\n const p = await B(t, 0, a.size), L = async () => {\n try {\n a.response = await A(\n l,\n p,\n a.signal,\n (m) => {\n a.uploaded = a.uploaded + m.bytes, this.updateStats();\n },\n void 0,\n {\n \"X-OC-Mtime\": t.lastModified / 1e3,\n \"Content-Type\": t.type\n }\n ), a.uploaded = a.size, this.updateStats(), g.debug(`Successfully uploaded ${t.name}`, { file: t, upload: a }), T(a);\n } catch (m) {\n if (m instanceof b) {\n a.status = c.FAILED, d(\"Upload has been cancelled\");\n return;\n }\n m?.response && (a.response = m.response), a.status = c.FAILED, g.error(`Failed uploading ${t.name}`, { error: m, file: t, upload: a }), d(\"Failed uploading the file\");\n }\n this._notifiers.forEach((m) => {\n try {\n m(a);\n } catch {\n }\n });\n };\n this._jobQueue.add(L), this.updateStats();\n } else {\n g.debug(\"Initializing chunked upload\", { file: t, upload: a });\n const p = await ts(l), L = [];\n for (let m = 0; m < a.chunks; m++) {\n const w = m * f, D = Math.min(w + f, a.size), W = () => B(t, w, f), O = () => A(\n `${p}/${m + 1}`,\n W,\n a.signal,\n () => this.updateStats(),\n l,\n {\n \"X-OC-Mtime\": t.lastModified / 1e3,\n \"OC-Total-Length\": t.size,\n \"Content-Type\": \"application/octet-stream\"\n }\n ).then(() => {\n a.uploaded = a.uploaded + f;\n }).catch((h) => {\n throw h?.response?.status === 507 ? (g.error(\"Upload failed, not enough space on the server or quota exceeded. Cancelling the remaining chunks\", { error: h, upload: a }), a.cancel(), a.status = c.FAILED, h) : (h instanceof b || (g.error(`Chunk ${m + 1} ${w} - ${D} uploading failed`, { error: h, upload: a }), a.cancel(), a.status = c.FAILED), h);\n });\n L.push(this._jobQueue.add(O));\n }\n try {\n await Promise.all(L), this.updateStats(), a.response = await v.request({\n method: \"MOVE\",\n url: `${p}/.file`,\n headers: {\n \"X-OC-Mtime\": t.lastModified / 1e3,\n \"OC-Total-Length\": t.size,\n Destination: l\n }\n }), this.updateStats(), a.status = c.FINISHED, g.debug(`Successfully uploaded ${t.name}`, { file: t, upload: a }), T(a);\n } catch (m) {\n m instanceof b ? (a.status = c.FAILED, d(\"Upload has been cancelled\")) : (a.status = c.FAILED, d(\"Failed assembling the chunks together\")), v.request({\n method: \"DELETE\",\n url: `${p}`\n });\n }\n this._notifiers.forEach((m) => {\n try {\n m(a);\n } catch {\n }\n });\n }\n return this._jobQueue.onIdle().then(() => this.reset()), a;\n });\n }\n}\nfunction y(e, s, t, n, i, o, l, f) {\n var r = typeof e == \"function\" ? e.options : e;\n s && (r.render = s, r.staticRenderFns = t, r._compiled = !0), n && (r.functional = !0), o && (r._scopeId = \"data-v-\" + o);\n var a;\n if (l ? (a = function(d) {\n d = d || // cached call\n this.$vnode && this.$vnode.ssrContext || // stateful\n this.parent && this.parent.$vnode && this.parent.$vnode.ssrContext, !d && typeof __VUE_SSR_CONTEXT__ < \"u\" && (d = __VUE_SSR_CONTEXT__), i && i.call(this, d), d && d._registeredComponents && d._registeredComponents.add(l);\n }, r._ssrRegister = a) : i && (a = f ? function() {\n i.call(\n this,\n (r.functional ? this.parent : this).$root.$options.shadowRoot\n );\n } : i), a)\n if (r.functional) {\n r._injectStyles = a;\n var S = r.render;\n r.render = function(U, p) {\n return a.call(p), S(U, p);\n };\n } else {\n var T = r.beforeCreate;\n r.beforeCreate = T ? [].concat(T, a) : [a];\n }\n return {\n exports: e,\n options: r\n };\n}\nconst is = {\n name: \"CancelIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar ls = function() {\n var s = this, t = s._self._c;\n return t(\"span\", s._b({ staticClass: \"material-design-icon cancel-icon\", attrs: { \"aria-hidden\": s.title ? null : !0, \"aria-label\": s.title, role: \"img\" }, on: { click: function(n) {\n return s.$emit(\"click\", n);\n } } }, \"span\", s.$attrs, !1), [t(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: s.fillColor, width: s.size, height: s.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { d: \"M12 2C17.5 2 22 6.5 22 12S17.5 22 12 22 2 17.5 2 12 6.5 2 12 2M12 4C10.1 4 8.4 4.6 7.1 5.7L18.3 16.9C19.3 15.5 20 13.8 20 12C20 7.6 16.4 4 12 4M16.9 18.3L5.7 7.1C4.6 8.4 4 10.1 4 12C4 16.4 7.6 20 12 20C13.9 20 15.6 19.4 16.9 18.3Z\" } }, [s.title ? t(\"title\", [s._v(s._s(s.title))]) : s._e()])])]);\n}, rs = [], os = /* @__PURE__ */ y(\n is,\n ls,\n rs,\n !1,\n null,\n null,\n null,\n null\n);\nconst ms = os.exports, ds = {\n name: \"PlusIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar gs = function() {\n var s = this, t = s._self._c;\n return t(\"span\", s._b({ staticClass: \"material-design-icon plus-icon\", attrs: { \"aria-hidden\": s.title ? null : !0, \"aria-label\": s.title, role: \"img\" }, on: { click: function(n) {\n return s.$emit(\"click\", n);\n } } }, \"span\", s.$attrs, !1), [t(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: s.fillColor, width: s.size, height: s.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { d: \"M19,13H13V19H11V13H5V11H11V5H13V11H19V13Z\" } }, [s.title ? t(\"title\", [s._v(s._s(s.title))]) : s._e()])])]);\n}, us = [], cs = /* @__PURE__ */ y(\n ds,\n gs,\n us,\n !1,\n null,\n null,\n null,\n null\n);\nconst fs = cs.exports, ps = {\n name: \"UploadIcon\",\n emits: [\"click\"],\n props: {\n title: {\n type: String\n },\n fillColor: {\n type: String,\n default: \"currentColor\"\n },\n size: {\n type: Number,\n default: 24\n }\n }\n};\nvar hs = function() {\n var s = this, t = s._self._c;\n return t(\"span\", s._b({ staticClass: \"material-design-icon upload-icon\", attrs: { \"aria-hidden\": s.title ? null : !0, \"aria-label\": s.title, role: \"img\" }, on: { click: function(n) {\n return s.$emit(\"click\", n);\n } } }, \"span\", s.$attrs, !1), [t(\"svg\", { staticClass: \"material-design-icon__svg\", attrs: { fill: s.fillColor, width: s.size, height: s.size, viewBox: \"0 0 24 24\" } }, [t(\"path\", { attrs: { d: \"M9,16V10H5L12,3L19,10H15V16H9M5,20V18H19V20H5Z\" } }, [s.title ? t(\"title\", [s._v(s._s(s.title))]) : s._e()])])]);\n}, Ts = [], ws = /* @__PURE__ */ y(\n ps,\n hs,\n Ts,\n !1,\n null,\n null,\n null,\n null\n);\nconst xs = ws.exports;\n/**\n * @copyright Copyright (c) 2023 Ferdinand Thiessen <opensource@fthiessen.de>\n *\n * @author Ferdinand Thiessen <opensource@fthiessen.de>\n * @author John Molakvoæ <skjnldsv@protonmail.com>\n *\n * @license AGPL-3.0-or-later\n *\n * This program is free software: you can redistribute it and/or modify\n * it under the terms of the GNU Affero General Public License as\n * published by the Free Software Foundation, either version 3 of the\n * License, or (at your option) any later version.\n *\n * This program is distributed in the hope that it will be useful,\n * but WITHOUT ANY WARRANTY; without even the implied warranty of\n * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n * GNU Affero General Public License for more details.\n *\n * You should have received a copy of the GNU Affero General Public License\n * along with this program. If not, see <http://www.gnu.org/licenses/>.\n *\n */\nconst R = es().detectLocale();\n[{ locale: \"af\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"af\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Afrikaans (https://www.transifex.com/nextcloud/teams/64236/af/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: af\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ar\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Ali <alimahwer@yahoo.com>, 2024\", \"Language-Team\": \"Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ar\", \"Plural-Forms\": \"nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nAli <alimahwer@yahoo.com>, 2024\n` }, msgstr: [`Last-Translator: Ali <alimahwer@yahoo.com>, 2024\nLanguage-Team: Arabic (https://app.transifex.com/nextcloud/teams/64236/ar/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar\nPlural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} ملف متعارض\", \"{count} ملف متعارض\", \"{count} ملفان متعارضان\", \"{count} ملف متعارض\", \"{count} ملفات متعارضة\", \"{count} ملفات متعارضة\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} ملف متعارض في n {dirname}\", \"{count} ملف متعارض في n {dirname}\", \"{count} ملفان متعارضان في n {dirname}\", \"{count} ملف متعارض في n {dirname}\", \"{count} ملفات متعارضة في n {dirname}\", \"{count} ملفات متعارضة في n {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} ثانية متبقية\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} متبقية\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"باقٍ بضعُ ثوانٍ\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"إلغاء\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"إلغِ العملية بالكامل\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"إلغاء عمليات رفع الملفات\"] }, Continue: { msgid: \"Continue\", msgstr: [\"إستمر\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"تقدير الوقت المتبقي\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"الإصدار الحالي\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"إذا اخترت الإبقاء على النسختين معاً، فإن الملف المنسوخ سيتم إلحاق رقم تسلسلي في نهاية اسمه.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"تاريخ آخر تعديل غير معلوم\"] }, New: { msgid: \"New\", msgstr: [\"جديد\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"نسخة جديدة\"] }, paused: { msgid: \"paused\", msgstr: [\"مُجمَّد\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"معاينة الصورة\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"حدِّد كل صناديق الخيارات\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"حدِّد كل الملفات الموجودة\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"حدِّد كل الملفات الجديدة\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\", \"تخطَّ {count} ملف\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"حجم غير معلوم\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"تمَّ إلغاء الرفع\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"رفع ملفات\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"تقدُّم الرفع \"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"عند تحديد مجلد وارد، أي ملفات متعارضة بداخله ستتم الكتابة فوقها.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"أيُّ الملفات ترغب في الإبقاء عليها؟\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"يجب أن تختار نسخة واحدة على الأقل من كل ملف للاستمرار.\"] } } } } }, { locale: \"ar_SA\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ar_SA\", \"Plural-Forms\": \"nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Arabic (Saudi Arabia) (https://www.transifex.com/nextcloud/teams/64236/ar_SA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ar_SA\nPlural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ast\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"enolp <enolp@softastur.org>, 2023\", \"Language-Team\": \"Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ast\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nenolp <enolp@softastur.org>, 2023\n` }, msgstr: [`Last-Translator: enolp <enolp@softastur.org>, 2023\nLanguage-Team: Asturian (https://app.transifex.com/nextcloud/teams/64236/ast/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ast\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} ficheru en coflictu\", \"{count} ficheros en coflictu\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} ficheru en coflictu en {dirname}\", \"{count} ficheros en coflictu en {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Queden {seconds} segundos\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Tiempu que queda: {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"queden unos segundos\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Encaboxar les xubes\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Siguir\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando'l tiempu que falta\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versión esistente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Si seleiciones dambes versiones, el ficheru copiáu va tener un númberu amestáu al so nome.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"La data de la última modificación ye desconocida\"] }, New: { msgid: \"New\", msgstr: [\"Nuevu\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Versión nueva\"] }, paused: { msgid: \"paused\", msgstr: [\"en posa\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Previsualizar la imaxe\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Marcar toles caxelles\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleicionar tolos ficheros esistentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleicionar tolos ficheros nuevos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Saltar esti ficheru\", \"Saltar {count} ficheros\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamañu desconocíu\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Encaboxóse la xuba\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Xubir ficheros\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Xuba en cursu\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"¿Qué ficheros quies caltener?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Tienes de seleicionar polo menos una versión de cada ficheru pa siguir.\"] } } } } }, { locale: \"az\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Rashad Aliyev <microphprashad@gmail.com>, 2023\", \"Language-Team\": \"Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"az\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nRashad Aliyev <microphprashad@gmail.com>, 2023\n` }, msgstr: [`Last-Translator: Rashad Aliyev <microphprashad@gmail.com>, 2023\nLanguage-Team: Azerbaijani (https://app.transifex.com/nextcloud/teams/64236/az/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: az\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} saniyə qalıb\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} qalıb\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"bir neçə saniyə qalıb\"] }, Add: { msgid: \"Add\", msgstr: [\"Əlavə et\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Yükləməni imtina et\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Təxmini qalan vaxt\"] }, paused: { msgid: \"paused\", msgstr: [\"pauzadadır\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Faylları yüklə\"] } } } } }, { locale: \"be\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"be\", \"Plural-Forms\": \"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Belarusian (https://www.transifex.com/nextcloud/teams/64236/be/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: be\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"bg_BG\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"bg_BG\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bulgarian (Bulgaria) (https://www.transifex.com/nextcloud/teams/64236/bg_BG/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bg_BG\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"bn_BD\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"bn_BD\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bengali (Bangladesh) (https://www.transifex.com/nextcloud/teams/64236/bn_BD/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bn_BD\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"br\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Breton (https://www.transifex.com/nextcloud/teams/64236/br/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"br\", \"Plural-Forms\": \"nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Breton (https://www.transifex.com/nextcloud/teams/64236/br/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: br\nPlural-Forms: nplurals=5; plural=((n%10 == 1) && (n%100 != 11) && (n%100 !=71) && (n%100 !=91) ? 0 :(n%10 == 2) && (n%100 != 12) && (n%100 !=72) && (n%100 !=92) ? 1 :(n%10 ==3 || n%10==4 || n%10==9) && (n%100 < 10 || n% 100 > 19) && (n%100 < 70 || n%100 > 79) && (n%100 < 90 || n%100 > 99) ? 2 :(n != 0 && n % 1000000 == 0) ? 3 : 4);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"bs\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"bs\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Bosnian (https://www.transifex.com/nextcloud/teams/64236/bs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: bs\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ca\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Toni Hermoso Pulido <toniher@softcatala.cat>, 2022\", \"Language-Team\": \"Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ca\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMarc Riera <marcriera@softcatala.org>, 2022\nToni Hermoso Pulido <toniher@softcatala.cat>, 2022\n` }, msgstr: [`Last-Translator: Toni Hermoso Pulido <toniher@softcatala.cat>, 2022\nLanguage-Team: Catalan (https://www.transifex.com/nextcloud/teams/64236/ca/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ca\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Queden {seconds} segons\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"Queden {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Queden uns segons\"] }, Add: { msgid: \"Add\", msgstr: [\"Afegeix\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancel·la les pujades\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"S'està estimant el temps restant\"] }, paused: { msgid: \"paused\", msgstr: [\"En pausa\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Puja els fitxers\"] } } } } }, { locale: \"cs\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Pavel Borecki <pavel.borecki@gmail.com>, 2022\", \"Language-Team\": \"Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"cs\", \"Plural-Forms\": \"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nPavel Borecki <pavel.borecki@gmail.com>, 2022\n` }, msgstr: [`Last-Translator: Pavel Borecki <pavel.borecki@gmail.com>, 2022\nLanguage-Team: Czech (https://www.transifex.com/nextcloud/teams/64236/cs/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"zbývá {seconds}\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"zbývá {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"zbývá několik sekund\"] }, Add: { msgid: \"Add\", msgstr: [\"Přidat\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Zrušit nahrávání\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"odhadovaný zbývající čas\"] }, paused: { msgid: \"paused\", msgstr: [\"pozastaveno\"] } } } } }, { locale: \"cs_CZ\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Michal Šmahel <ceskyDJ@seznam.cz>, 2024\", \"Language-Team\": \"Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"cs_CZ\", \"Plural-Forms\": \"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMichal Šmahel <ceskyDJ@seznam.cz>, 2024\n` }, msgstr: [`Last-Translator: Michal Šmahel <ceskyDJ@seznam.cz>, 2024\nLanguage-Team: Czech (Czech Republic) (https://app.transifex.com/nextcloud/teams/64236/cs_CZ/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cs_CZ\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} kolize souborů\", \"{count} kolize souborů\", \"{count} kolizí souborů\", \"{count} kolize souborů\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} kolize souboru v {dirname}\", \"{count} kolize souboru v {dirname}\", \"{count} kolizí souborů v {dirname}\", \"{count} kolize souboru v {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"zbývá {seconds}\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"zbývá {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"zbývá několik sekund\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Zrušit\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Zrušit celou operaci\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Zrušit nahrávání\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Pokračovat\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"odhaduje se zbývající čas\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Existující verze\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Pokud vyberete obě verze, zkopírovaný soubor bude mít k názvu přidáno číslo.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Neznámé datum poslední úpravy\"] }, New: { msgid: \"New\", msgstr: [\"Nové\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nová verze\"] }, paused: { msgid: \"paused\", msgstr: [\"pozastaveno\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Náhled obrázku\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Označit všechny zaškrtávací kolonky\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Vybrat veškeré stávající soubory\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Vybrat veškeré nové soubory\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Přeskočit tento soubor\", \"Přeskočit {count} soubory\", \"Přeskočit {count} souborů\", \"Přeskočit {count} soubory\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Neznámá velikost\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Nahrávání zrušeno\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Nahrát soubory\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Postup v nahrávání\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Po výběru příchozí složky budou rovněž přepsány všechny v ní obsažené konfliktní soubory\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Které soubory si přejete ponechat?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Aby bylo možné pokračovat, je třeba vybrat alespoň jednu verzi od každého souboru.\"] } } } } }, { locale: \"cy_GB\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"cy_GB\", \"Plural-Forms\": \"nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Welsh (United Kingdom) (https://www.transifex.com/nextcloud/teams/64236/cy_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: cy_GB\nPlural-Forms: nplurals=4; plural=(n==1) ? 0 : (n==2) ? 1 : (n != 8 && n != 11) ? 2 : 3;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"da\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Martin Bonde <Martin@maboni.dk>, 2024\", \"Language-Team\": \"Danish (https://app.transifex.com/nextcloud/teams/64236/da/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"da\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMartin Bonde <Martin@maboni.dk>, 2024\n` }, msgstr: [`Last-Translator: Martin Bonde <Martin@maboni.dk>, 2024\nLanguage-Team: Danish (https://app.transifex.com/nextcloud/teams/64236/da/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: da\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} fil konflikt\", \"{count} filer i konflikt\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} fil konflikt i {dirname}\", \"{count} filer i konflikt i {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{sekunder} sekunder tilbage\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{tid} tilbage\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"et par sekunder tilbage\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Annuller\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Annuller hele handlingen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Annuller uploads\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsæt\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimering af resterende tid\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Eksisterende version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Hvis du vælger begge versioner vil den kopierede fil få et nummer tilføjet til sit navn.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Sidste modifikationsdato ukendt\"] }, New: { msgid: \"New\", msgstr: [\"Ny\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ny version\"] }, paused: { msgid: \"paused\", msgstr: [\"pauset\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Forhåndsvisning af billede\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Vælg alle felter\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Vælg alle eksisterende filer\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Vælg alle nye filer\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Spring denne fil over\", \"Spring {count} filer over\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Ukendt størrelse\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Upload annulleret\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Upload filer\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Upload fremskridt\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Når en indgående mappe er valgt, vil alle modstridende filer i den også blive overskrevet.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hvilke filer ønsker du at beholde?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du skal vælge mindst én version af hver fil for at fortsætte.\"] } } } } }, { locale: \"de\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Mario Siegmann <mario_siegmann@web.de>, 2024\", \"Language-Team\": \"German (https://app.transifex.com/nextcloud/teams/64236/de/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"de\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (https://app.transifex.com/nextcloud/teams/64236/de/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} Datei-Konflikt\", \"{count} Datei-Konflikte\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} Datei-Konflikt in {dirname}\", \"{count} Datei-Konflikte in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} Sekunden verbleibend\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} verbleibend\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"noch ein paar Sekunden\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Abbrechen\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Den gesamten Vorgang abbrechen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Hochladen abbrechen\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsetzen\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Geschätzte verbleibende Zeit\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Vorhandene Version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Wenn du beide Versionen auswählst, wird der kopierten Datei eine Nummer zum Namen hinzugefügt.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Datum der letzten Änderung unbekannt\"] }, New: { msgid: \"New\", msgstr: [\"Neu\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Neue Version\"] }, paused: { msgid: \"paused\", msgstr: [\"Pausiert\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Vorschaubild\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Alle Kontrollkästchen aktivieren\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Alle vorhandenen Dateien auswählen\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Alle neuen Dateien auswählen\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Diese Datei überspringen\", \"{count} Dateien überspringen\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Unbekannte Größe\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Hochladen abgebrochen\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Dateien hochladen\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Fortschritt beim Hochladen\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Welche Dateien möchtest du behalten?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du musst mindestens eine Version jeder Datei auswählen, um fortzufahren.\"] } } } } }, { locale: \"de_DE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Mario Siegmann <mario_siegmann@web.de>, 2024\", \"Language-Team\": \"German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"de_DE\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMario Siegmann <mario_siegmann@web.de>, 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann <mario_siegmann@web.de>, 2024\nLanguage-Team: German (Germany) (https://app.transifex.com/nextcloud/teams/64236/de_DE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: de_DE\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} Datei-Konflikt\", \"{count} Datei-Konflikte\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} Datei-Konflikt in {dirname}\", \"{count} Datei-Konflikte in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} Sekunden verbleiben\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} verbleibend\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"ein paar Sekunden verbleiben\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Abbrechen\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Den gesamten Vorgang abbrechen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Hochladen abbrechen\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsetzen\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Geschätzte verbleibende Zeit\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Vorhandene Version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Wenn Sie beide Versionen auswählen, wird der kopierten Datei eine Nummer zum Namen hinzugefügt.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Datum der letzten Änderung unbekannt\"] }, New: { msgid: \"New\", msgstr: [\"Neu\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Neue Version\"] }, paused: { msgid: \"paused\", msgstr: [\"Pausiert\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Vorschaubild\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Alle Kontrollkästchen aktivieren\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Alle vorhandenen Dateien auswählen\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Alle neuen Dateien auswählen\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"{count} Datei überspringen\", \"{count} Dateien überspringen\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Unbekannte Größe\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Hochladen abgebrochen\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Dateien hochladen\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Fortschritt beim Hochladen\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Wenn ein eingehender Ordner ausgewählt wird, werden alle darin enthaltenen Konfliktdateien ebenfalls überschrieben.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Welche Dateien möchten Sie behalten?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Sie müssen mindestens eine Version jeder Datei auswählen, um fortzufahren.\"] } } } } }, { locale: \"el\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Nik Pap, 2022\", \"Language-Team\": \"Greek (https://www.transifex.com/nextcloud/teams/64236/el/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"el\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nNik Pap, 2022\n` }, msgstr: [`Last-Translator: Nik Pap, 2022\nLanguage-Team: Greek (https://www.transifex.com/nextcloud/teams/64236/el/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"απομένουν {seconds} δευτερόλεπτα\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"απομένουν {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"απομένουν λίγα δευτερόλεπτα\"] }, Add: { msgid: \"Add\", msgstr: [\"Προσθήκη\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Ακύρωση μεταφορτώσεων\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"εκτίμηση του χρόνου που απομένει\"] }, paused: { msgid: \"paused\", msgstr: [\"σε παύση\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Μεταφόρτωση αρχείων\"] } } } } }, { locale: \"el_GR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"el_GR\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Greek (Greece) (https://www.transifex.com/nextcloud/teams/64236/el_GR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: el_GR\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"en_GB\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Andi Chandler <andi@gowling.com>, 2023\", \"Language-Team\": \"English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"en_GB\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nAndi Chandler <andi@gowling.com>, 2023\n` }, msgstr: [`Last-Translator: Andi Chandler <andi@gowling.com>, 2023\nLanguage-Team: English (United Kingdom) (https://app.transifex.com/nextcloud/teams/64236/en_GB/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: en_GB\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} file conflict\", \"{count} files conflict\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} file conflict in {dirname}\", \"{count} file conflicts in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} seconds left\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} left\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"a few seconds left\"] }, Add: { msgid: \"Add\", msgstr: [\"Add\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancel uploads\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continue\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimating time left\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Existing version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"If you select both versions, the copied file will have a number added to its name.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Last modified date unknown\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"New version\"] }, paused: { msgid: \"paused\", msgstr: [\"paused\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Preview image\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Select all checkboxes\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Select all existing files\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Select all new files\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Skip this file\", \"Skip {count} files\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Unknown size\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Upload cancelled\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Upload files\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Which files do you want to keep?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"You need to select at least one version of each file to continue.\"] } } } } }, { locale: \"eo\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"eo\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Esperanto (https://www.transifex.com/nextcloud/teams/64236/eo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eo\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Julio C. Ortega, 2024\", \"Language-Team\": \"Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nFranciscoFJ <dev-ooo@satel-sa.com>, 2023\nNext Cloud <nextcloud.translator.es@cgj.es>, 2023\nJulio C. Ortega, 2024\n` }, msgstr: [`Last-Translator: Julio C. Ortega, 2024\nLanguage-Team: Spanish (https://app.transifex.com/nextcloud/teams/64236/es/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} archivo en conflicto\", \"{count} archivos en conflicto\", \"{count} archivos en conflicto\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} archivo en conflicto en {dirname}\", \"{count} archivos en conflicto en {dirname}\", \"{count} archivos en conflicto en {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan unos segundos\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar subidas\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuar\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versión existente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Si selecciona ambas versiones, al archivo copiado se le añadirá un número en el nombre.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Última fecha de modificación desconocida\"] }, New: { msgid: \"New\", msgstr: [\"Nuevo\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nueva versión\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Previsualizar imagen\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Seleccionar todas las casillas de verificación\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleccionar todos los archivos existentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleccionar todos los archivos nuevos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Saltar este archivo\", \"Saltar {count} archivos\", \"Saltar {count} archivos\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamaño desconocido\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Subida cancelada\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Subir archivos\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Progreso de la subida\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"¿Qué archivos desea conservar?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Debe seleccionar al menos una versión de cada archivo para continuar.\"] } } } } }, { locale: \"es_419\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"ALEJANDRO CASTRO, 2022\", \"Language-Team\": \"Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_419\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nALEJANDRO CASTRO, 2022\n` }, msgstr: [`Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Latin America) (https://www.transifex.com/nextcloud/teams/64236/es_419/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_419\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{tiempo} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan pocos segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"agregar\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar subidas\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Subir archivos\"] } } } } }, { locale: \"es_AR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Matias Iglesias, 2022\", \"Language-Team\": \"Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_AR\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMatias Iglesias, 2022\n` }, msgstr: [`Last-Translator: Matias Iglesias, 2022\nLanguage-Team: Spanish (Argentina) (https://www.transifex.com/nextcloud/teams/64236/es_AR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_AR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan unos segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"Añadir\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar subidas\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Subir archivos\"] } } } } }, { locale: \"es_CL\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_CL\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Chile) (https://www.transifex.com/nextcloud/teams/64236/es_CL/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CL\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_CO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_CO\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Colombia) (https://www.transifex.com/nextcloud/teams/64236/es_CO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_CR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_CR\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Costa Rica) (https://www.transifex.com/nextcloud/teams/64236/es_CR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_CR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_DO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_DO\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Dominican Republic) (https://www.transifex.com/nextcloud/teams/64236/es_DO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_DO\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_EC\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_EC\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Ecuador) (https://www.transifex.com/nextcloud/teams/64236/es_EC/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_EC\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_GT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_GT\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Guatemala) (https://www.transifex.com/nextcloud/teams/64236/es_GT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_GT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_HN\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_HN\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Honduras) (https://www.transifex.com/nextcloud/teams/64236/es_HN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_HN\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_MX\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"ALEJANDRO CASTRO, 2022\", \"Language-Team\": \"Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_MX\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nLuis Francisco Castro, 2022\nALEJANDRO CASTRO, 2022\n` }, msgstr: [`Last-Translator: ALEJANDRO CASTRO, 2022\nLanguage-Team: Spanish (Mexico) (https://www.transifex.com/nextcloud/teams/64236/es_MX/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_MX\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{tiempo} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quedan pocos segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"agregar\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"cancelar las cargas\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tiempo restante\"] }, paused: { msgid: \"paused\", msgstr: [\"en pausa\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"cargar archivos\"] } } } } }, { locale: \"es_NI\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_NI\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Nicaragua) (https://www.transifex.com/nextcloud/teams/64236/es_NI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_NI\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PA\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PA\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Panama) (https://www.transifex.com/nextcloud/teams/64236/es_PA/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PA\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PE\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Peru) (https://www.transifex.com/nextcloud/teams/64236/es_PE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PE\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PR\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Puerto Rico) (https://www.transifex.com/nextcloud/teams/64236/es_PR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PR\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_PY\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_PY\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Paraguay) (https://www.transifex.com/nextcloud/teams/64236/es_PY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_PY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_SV\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_SV\", \"Plural-Forms\": \"nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (El Salvador) (https://www.transifex.com/nextcloud/teams/64236/es_SV/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_SV\nPlural-Forms: nplurals=2; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"es_UY\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"es_UY\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Spanish (Uruguay) (https://www.transifex.com/nextcloud/teams/64236/es_UY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: es_UY\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"et_EE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Taavo Roos, 2023\", \"Language-Team\": \"Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"et_EE\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMait R, 2022\nTaavo Roos, 2023\n` }, msgstr: [`Last-Translator: Taavo Roos, 2023\nLanguage-Team: Estonian (Estonia) (https://app.transifex.com/nextcloud/teams/64236/et_EE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: et_EE\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} jäänud sekundid\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} aega jäänud\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"jäänud mõni sekund\"] }, Add: { msgid: \"Add\", msgstr: [\"Lisa\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Tühista üleslaadimine\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"hinnanguline järelejäänud aeg\"] }, paused: { msgid: \"paused\", msgstr: [\"pausil\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Lae failid üles\"] } } } } }, { locale: \"eu\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022\", \"Language-Team\": \"Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"eu\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nUnai Tolosa Pontesta <utolosa002@gmail.com>, 2022\n` }, msgstr: [`Last-Translator: Unai Tolosa Pontesta <utolosa002@gmail.com>, 2022\nLanguage-Team: Basque (https://www.transifex.com/nextcloud/teams/64236/eu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: eu\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundo geratzen dira\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} geratzen da\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"segundo batzuk geratzen dira\"] }, Add: { msgid: \"Add\", msgstr: [\"Gehitu\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Ezeztatu igoerak\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"kalkulatutako geratzen den denbora\"] }, paused: { msgid: \"paused\", msgstr: [\"geldituta\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Igo fitxategiak\"] } } } } }, { locale: \"fa\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Fatemeh Komeily, 2023\", \"Language-Team\": \"Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fa\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nFatemeh Komeily, 2023\n` }, msgstr: [`Last-Translator: Fatemeh Komeily, 2023\nLanguage-Team: Persian (https://app.transifex.com/nextcloud/teams/64236/fa/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fa\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"ثانیه های باقی مانده\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"باقی مانده\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"چند ثانیه مانده\"] }, Add: { msgid: \"Add\", msgstr: [\"اضافه کردن\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"کنسل کردن فایل های اپلود شده\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"تخمین زمان باقی مانده\"] }, paused: { msgid: \"paused\", msgstr: [\"مکث کردن\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"بارگذاری فایل ها\"] } } } } }, { locale: \"fi_FI\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Jiri Grönroos <jiri.gronroos@iki.fi>, 2022\", \"Language-Team\": \"Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fi_FI\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJiri Grönroos <jiri.gronroos@iki.fi>, 2022\n` }, msgstr: [`Last-Translator: Jiri Grönroos <jiri.gronroos@iki.fi>, 2022\nLanguage-Team: Finnish (Finland) (https://www.transifex.com/nextcloud/teams/64236/fi_FI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fi_FI\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekuntia jäljellä\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} jäljellä\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"muutama sekunti jäljellä\"] }, Add: { msgid: \"Add\", msgstr: [\"Lisää\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Peruuta lähetykset\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"arvioidaan jäljellä olevaa aikaa\"] }, paused: { msgid: \"paused\", msgstr: [\"keskeytetty\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Lähetä tiedostoja\"] } } } } }, { locale: \"fo\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fo\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Faroese (https://www.transifex.com/nextcloud/teams/64236/fo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fo\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"fr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"jed boulahya, 2024\", \"Language-Team\": \"French (https://app.transifex.com/nextcloud/teams/64236/fr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"fr\", \"Plural-Forms\": \"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nBenoit Pruneau, 2024\njed boulahya, 2024\n` }, msgstr: [`Last-Translator: jed boulahya, 2024\nLanguage-Team: French (https://app.transifex.com/nextcloud/teams/64236/fr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: fr\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} fichier en conflit\", \"{count} fichiers en conflit\", \"{count} fichiers en conflit\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} fichier en conflit dans {dirname}\", \"{count} fichiers en conflit dans {dirname}\", \"{count} fichiers en conflit dans {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} secondes restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} restant\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"quelques secondes restantes\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Annuler\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Annuler l'opération entière\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Annuler les envois\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuer\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimation du temps restant\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Version existante\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Si vous sélectionnez les deux versions, le fichier copié aura un numéro ajouté àname.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Date de la dernière modification est inconnue\"] }, New: { msgid: \"New\", msgstr: [\"Nouveau\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nouvelle version\"] }, paused: { msgid: \"paused\", msgstr: [\"en pause\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Aperçu de l'image\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Sélectionner toutes les cases à cocher\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Sélectionner tous les fichiers existants\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Sélectionner tous les nouveaux fichiers\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Ignorer ce fichier\", \"Ignorer {count} fichiers\", \"Ignorer {count} fichiers\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Taille inconnue\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\" annulé\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Téléchargement des fichiers\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Progression du téléchargement\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Lorsqu'un dossier entrant est sélectionné, tous les fichiers en conflit qu'il contient seront également écrasés.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Quels fichiers souhaitez-vous conserver ?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Vous devez sélectionner au moins une version de chaque fichier pour continuer.\"] } } } } }, { locale: \"gd\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"gd\", \"Plural-Forms\": \"nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Gaelic, Scottish (https://www.transifex.com/nextcloud/teams/64236/gd/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gd\nPlural-Forms: nplurals=4; plural=(n==1 || n==11) ? 0 : (n==2 || n==12) ? 1 : (n > 2 && n < 20) ? 2 : 3;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"gl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023\", \"Language-Team\": \"Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"gl\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nNacho <nacho.vfranco@gmail.com>, 2023\nMiguel Anxo Bouzada <mbouzada@gmail.com>, 2023\n` }, msgstr: [`Last-Translator: Miguel Anxo Bouzada <mbouzada@gmail.com>, 2023\nLanguage-Team: Galician (https://app.transifex.com/nextcloud/teams/64236/gl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: gl\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} conflito de ficheiros\", \"{count} conflitos de ficheiros\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} conflito de ficheiros en {dirname}\", \"{count} conflitos de ficheiros en {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"faltan {seconds} segundos\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"falta {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"faltan uns segundos\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar envíos\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuar\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"calculando canto tempo falta\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versión existente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Se selecciona ambas as versións, o ficheiro copiado terá un número engadido ao seu nome.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Data da última modificación descoñecida\"] }, New: { msgid: \"New\", msgstr: [\"Nova\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nova versión\"] }, paused: { msgid: \"paused\", msgstr: [\"detido\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Vista previa da imaxe\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Marcar todas as caixas de selección\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleccionar todos os ficheiros existentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleccionar todos os ficheiros novos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Omita este ficheiro\", \"Omitir {count} ficheiros\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamaño descoñecido\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Envío cancelado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Enviar ficheiros\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Progreso do envío\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Que ficheiros quere conservar?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Debe seleccionar polo menos unha versión de cada ficheiro para continuar.\"] } } } } }, { locale: \"he\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"he\", \"Plural-Forms\": \"nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hebrew (https://www.transifex.com/nextcloud/teams/64236/he/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: he\nPlural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hi_IN\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hi_IN\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hindi (India) (https://www.transifex.com/nextcloud/teams/64236/hi_IN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hi_IN\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hr\", \"Plural-Forms\": \"nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Croatian (https://www.transifex.com/nextcloud/teams/64236/hr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hr\nPlural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hsb\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hsb\", \"Plural-Forms\": \"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Upper Sorbian (https://www.transifex.com/nextcloud/teams/64236/hsb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hsb\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hu\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hu\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Hungarian (https://www.transifex.com/nextcloud/teams/64236/hu/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"hu_HU\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Balázs Úr, 2022\", \"Language-Team\": \"Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hu_HU\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nBalázs Meskó <meskobalazs@mailbox.org>, 2022\nBalázs Úr, 2022\n` }, msgstr: [`Last-Translator: Balázs Úr, 2022\nLanguage-Team: Hungarian (Hungary) (https://www.transifex.com/nextcloud/teams/64236/hu_HU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hu_HU\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{} másodperc van hátra\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} van hátra\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"pár másodperc van hátra\"] }, Add: { msgid: \"Add\", msgstr: [\"Hozzáadás\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Feltöltések megszakítása\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"hátralévő idő becslése\"] }, paused: { msgid: \"paused\", msgstr: [\"szüneteltetve\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Fájlok feltöltése\"] } } } } }, { locale: \"hy\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"hy\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Armenian (https://www.transifex.com/nextcloud/teams/64236/hy/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: hy\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ia\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ia\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Interlingua (https://www.transifex.com/nextcloud/teams/64236/ia/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ia\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"id\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Linerly <linerly@proton.me>, 2023\", \"Language-Team\": \"Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"id\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nEmpty Slot Filler, 2023\nLinerly <linerly@proton.me>, 2023\n` }, msgstr: [`Last-Translator: Linerly <linerly@proton.me>, 2023\nLanguage-Team: Indonesian (https://app.transifex.com/nextcloud/teams/64236/id/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: id\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} berkas berkonflik\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} berkas berkonflik dalam {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} detik tersisa\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} tersisa\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"tinggal sebentar lagi\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Batalkan unggahan\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Lanjutkan\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"memperkirakan waktu yang tersisa\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versi yang ada\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Jika Anda memilih kedua versi, nama berkas yang disalin akan ditambahi angka.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Tanggal perubahan terakhir tidak diketahui\"] }, New: { msgid: \"New\", msgstr: [\"Baru\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Versi baru\"] }, paused: { msgid: \"paused\", msgstr: [\"dijeda\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Gambar pratinjau\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Pilih semua kotak centang\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Pilih semua berkas yang ada\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Pilih semua berkas baru\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Lewati {count} berkas\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Ukuran tidak diketahui\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Unggahan dibatalkan\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Unggah berkas\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Berkas mana yang Anda ingin tetap simpan?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Anda harus memilih setidaknya satu versi dari masing-masing berkas untuk melanjutkan.\"] } } } } }, { locale: \"ig\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ig\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Igbo (https://www.transifex.com/nextcloud/teams/64236/ig/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ig\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"is\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Sveinn í Felli <sv1@fellsnet.is>, 2023\", \"Language-Team\": \"Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"is\", \"Plural-Forms\": \"nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nSveinn í Felli <sv1@fellsnet.is>, 2023\n` }, msgstr: [`Last-Translator: Sveinn í Felli <sv1@fellsnet.is>, 2023\nLanguage-Team: Icelandic (https://app.transifex.com/nextcloud/teams/64236/is/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: is\nPlural-Forms: nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} árekstur skráa\", \"{count} árekstrar skráa\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} árekstur skráa í {dirname}\", \"{count} árekstrar skráa í {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekúndur eftir\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} eftir\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"nokkrar sekúndur eftir\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Hætta við innsendingar\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Halda áfram\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"áætla tíma sem eftir er\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Fyrirliggjandi útgáfa\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Ef þú velur báðar útgáfur, þá mun verða bætt tölustaf aftan við heiti afrituðu skrárinnar.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Síðasta breytingadagsetning er óþekkt\"] }, New: { msgid: \"New\", msgstr: [\"Nýtt\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ný útgáfa\"] }, paused: { msgid: \"paused\", msgstr: [\"í bið\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Forskoðun myndar\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Velja gátreiti\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Velja allar fyrirliggjandi skrár\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Velja allar nýjar skrár\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Sleppa þessari skrá\", \"Sleppa {count} skrám\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Óþekkt stærð\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Hætt við innsendingu\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Senda inn skrár\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hvaða skrám vilt þú vilt halda eftir?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Þú verður að velja að minnsta kosti eina útgáfu af hverri skrá til að halda áfram.\"] } } } } }, { locale: \"it\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Random_R, 2023\", \"Language-Team\": \"Italian (https://app.transifex.com/nextcloud/teams/64236/it/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"it\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nLep Lep, 2023\nRandom_R, 2023\n` }, msgstr: [`Last-Translator: Random_R, 2023\nLanguage-Team: Italian (https://app.transifex.com/nextcloud/teams/64236/it/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} file in conflitto\", \"{count} file in conflitto\", \"{count} file in conflitto\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} file in conflitto in {dirname}\", \"{count} file in conflitto in {dirname}\", \"{count} file in conflitto in {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} secondi rimanenti \"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} rimanente\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"alcuni secondi rimanenti\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Annulla i caricamenti\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continua\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"calcolo il tempo rimanente\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versione esistente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Se selezioni entrambe le versioni, nel nome del file copiato verrà aggiunto un numero \"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Ultima modifica sconosciuta\"] }, New: { msgid: \"New\", msgstr: [\"Nuovo\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nuova versione\"] }, paused: { msgid: \"paused\", msgstr: [\"pausa\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Anteprima immagine\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Seleziona tutte le caselle\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Seleziona tutti i file esistenti\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Seleziona tutti i nuovi file\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Salta questo file\", \"Salta {count} file\", \"Salta {count} file\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Dimensione sconosciuta\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Caricamento cancellato\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Carica i file\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Quali file vuoi mantenere?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Devi selezionare almeno una versione di ogni file per continuare\"] } } } } }, { locale: \"it_IT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"it_IT\", \"Plural-Forms\": \"nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Italian (Italy) (https://www.transifex.com/nextcloud/teams/64236/it_IT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: it_IT\nPlural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ja_JP\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"かたかめ, 2022\", \"Language-Team\": \"Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ja_JP\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nT.S, 2022\nかたかめ, 2022\n` }, msgstr: [`Last-Translator: かたかめ, 2022\nLanguage-Team: Japanese (Japan) (https://www.transifex.com/nextcloud/teams/64236/ja_JP/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ja_JP\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"残り {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"残り {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"残り数秒\"] }, Add: { msgid: \"Add\", msgstr: [\"追加\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"アップロードをキャンセル\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"概算残り時間\"] }, paused: { msgid: \"paused\", msgstr: [\"一時停止中\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"ファイルをアップデート\"] } } } } }, { locale: \"ka\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ka\", \"Plural-Forms\": \"nplurals=2; plural=(n!=1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (https://www.transifex.com/nextcloud/teams/64236/ka/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka\nPlural-Forms: nplurals=2; plural=(n!=1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ka_GE\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ka_GE\", \"Plural-Forms\": \"nplurals=2; plural=(n!=1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Georgian (Georgia) (https://www.transifex.com/nextcloud/teams/64236/ka_GE/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ka_GE\nPlural-Forms: nplurals=2; plural=(n!=1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"kab\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"ZiriSut, 2023\", \"Language-Team\": \"Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"kab\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nZiriSut, 2023\n` }, msgstr: [`Last-Translator: ZiriSut, 2023\nLanguage-Team: Kabyle (https://app.transifex.com/nextcloud/teams/64236/kab/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kab\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} tesdatin i d-yeqqimen\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} i d-yeqqimen\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"qqiment-d kra n tesdatin kan\"] }, Add: { msgid: \"Add\", msgstr: [\"Rnu\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Sefsex asali\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"asizel n wakud i d-yeqqimen\"] }, paused: { msgid: \"paused\", msgstr: [\"yeḥbes\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Sali-d ifuyla\"] } } } } }, { locale: \"kk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"kk\", \"Plural-Forms\": \"nplurals=2; plural=(n!=1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kazakh (https://www.transifex.com/nextcloud/teams/64236/kk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kk\nPlural-Forms: nplurals=2; plural=(n!=1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"km\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"km\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Khmer (https://www.transifex.com/nextcloud/teams/64236/km/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: km\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"kn\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"kn\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Kannada (https://www.transifex.com/nextcloud/teams/64236/kn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: kn\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ko\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Brandon Han, 2024\", \"Language-Team\": \"Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ko\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nhosun Lee, 2023\nBrandon Han, 2024\n` }, msgstr: [`Last-Translator: Brandon Han, 2024\nLanguage-Team: Korean (https://app.transifex.com/nextcloud/teams/64236/ko/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ko\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count}개의 파일이 충돌함\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname}에서 {count}개의 파일이 충돌함\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} 남음\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} 남음\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"곧 완료\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"업로드 취소\"] }, Continue: { msgid: \"Continue\", msgstr: [\"확인\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"남은 시간 계산\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"현재 버전\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"두 버전을 모두 선택할 경우, 복제된 파일 이름에 숫자가 추가됩니다.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"최근 수정일 알 수 없음\"] }, New: { msgid: \"New\", msgstr: [\"새로 만들기\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"새 버전\"] }, paused: { msgid: \"paused\", msgstr: [\"일시정지됨\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"미리보기 이미지\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"모든 체크박스 선택\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"모든 파일 선택\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"모든 새 파일 선택\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"{count}개의 파일 넘기기\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"크기를 알 수 없음\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"업로드 취소됨\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"파일 업로드\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"업로드 진행도\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"어떤 파일을 보존하시겠습니까?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"계속하기 위해서는 한 파일에 최소 하나의 버전을 선택해야 합니다.\"] } } } } }, { locale: \"la\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Latin (https://www.transifex.com/nextcloud/teams/64236/la/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"la\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latin (https://www.transifex.com/nextcloud/teams/64236/la/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: la\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lb\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lb\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Luxembourgish (https://www.transifex.com/nextcloud/teams/64236/lb/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lb\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lo\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lo\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lao (https://www.transifex.com/nextcloud/teams/64236/lo/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lo\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lt_LT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lt_LT\", \"Plural-Forms\": \"nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Lithuanian (Lithuania) (https://www.transifex.com/nextcloud/teams/64236/lt_LT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lt_LT\nPlural-Forms: nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"lv\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"lv\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Latvian (https://www.transifex.com/nextcloud/teams/64236/lv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: lv\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"mk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Сашко Тодоров <sasetodorov@gmail.com>, 2022\", \"Language-Team\": \"Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"mk\", \"Plural-Forms\": \"nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nСашко Тодоров <sasetodorov@gmail.com>, 2022\n` }, msgstr: [`Last-Translator: Сашко Тодоров <sasetodorov@gmail.com>, 2022\nLanguage-Team: Macedonian (https://www.transifex.com/nextcloud/teams/64236/mk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mk\nPlural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"преостануваат {seconds} секунди\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"преостанува {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"уште неколку секунди\"] }, Add: { msgid: \"Add\", msgstr: [\"Додади\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Прекини прикачување\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"приближно преостанато време\"] }, paused: { msgid: \"paused\", msgstr: [\"паузирано\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Прикачување датотеки\"] } } } } }, { locale: \"mn\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"BATKHUYAG Ganbold, 2023\", \"Language-Team\": \"Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"mn\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nBATKHUYAG Ganbold, 2023\n` }, msgstr: [`Last-Translator: BATKHUYAG Ganbold, 2023\nLanguage-Team: Mongolian (https://app.transifex.com/nextcloud/teams/64236/mn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mn\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} секунд үлдсэн\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} үлдсэн\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"хэдхэн секунд үлдсэн\"] }, Add: { msgid: \"Add\", msgstr: [\"Нэмэх\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Илгээлтийг цуцлах\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Үлдсэн хугацааг тооцоолж байна\"] }, paused: { msgid: \"paused\", msgstr: [\"түр зогсоосон\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Файл илгээх\"] } } } } }, { locale: \"mr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"mr\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Marathi (https://www.transifex.com/nextcloud/teams/64236/mr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: mr\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ms_MY\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ms_MY\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Malay (Malaysia) (https://www.transifex.com/nextcloud/teams/64236/ms_MY/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ms_MY\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"my\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"my\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Burmese (https://www.transifex.com/nextcloud/teams/64236/my/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: my\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"nb_NO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Syvert Fossdal, 2024\", \"Language-Team\": \"Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nb_NO\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nSyvert Fossdal, 2024\n` }, msgstr: [`Last-Translator: Syvert Fossdal, 2024\nLanguage-Team: Norwegian Bokmål (Norway) (https://app.transifex.com/nextcloud/teams/64236/nb_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nb_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} file conflict\", \"{count} filkonflikter\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} file conflict in {dirname}\", \"{count} filkonflikter i {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekunder igjen\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} igjen\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"noen få sekunder igjen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Avbryt opplastninger\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsett\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Estimerer tid igjen\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Gjeldende versjon\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Hvis du velger begge versjoner, vil den kopierte filen få et tall lagt til navnet.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Siste gang redigert ukjent\"] }, New: { msgid: \"New\", msgstr: [\"Ny\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ny versjon\"] }, paused: { msgid: \"paused\", msgstr: [\"pauset\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Forhåndsvis bilde\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Velg alle\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Velg alle eksisterende filer\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Velg alle nye filer\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Skip this file\", \"Hopp over {count} filer\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Ukjent størrelse\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Opplasting avbrutt\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Last opp filer\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Fremdrift, opplasting\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hvilke filer vil du beholde?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du må velge minst en versjon av hver fil for å fortsette.\"] } } } } }, { locale: \"ne\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ne\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Nepali (https://www.transifex.com/nextcloud/teams/64236/ne/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ne\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"nl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Rico <rico-schwab@hotmail.com>, 2023\", \"Language-Team\": \"Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nl\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nRico <rico-schwab@hotmail.com>, 2023\n` }, msgstr: [`Last-Translator: Rico <rico-schwab@hotmail.com>, 2023\nLanguage-Team: Dutch (https://app.transifex.com/nextcloud/teams/64236/nl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nl\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Nog {seconds} seconden\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{seconds} over\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Nog een paar seconden\"] }, Add: { msgid: \"Add\", msgstr: [\"Voeg toe\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Uploads annuleren\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Schatting van de resterende tijd\"] }, paused: { msgid: \"paused\", msgstr: [\"Gepauzeerd\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Upload bestanden\"] } } } } }, { locale: \"nn\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nn\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (https://www.transifex.com/nextcloud/teams/64236/nn/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"nn_NO\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"nn_NO\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Norwegian Nynorsk (Norway) (https://www.transifex.com/nextcloud/teams/64236/nn_NO/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: nn_NO\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"oc\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"oc\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Occitan (post 1500) (https://www.transifex.com/nextcloud/teams/64236/oc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: oc\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"pl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Valdnet, 2024\", \"Language-Team\": \"Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"pl\", \"Plural-Forms\": \"nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nM H <haincu@o2.pl>, 2023\nValdnet, 2024\n` }, msgstr: [`Last-Translator: Valdnet, 2024\nLanguage-Team: Polish (https://app.transifex.com/nextcloud/teams/64236/pl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pl\nPlural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"konflikt 1 pliku\", \"{count} konfliktów plików\", \"{count} konfliktów plików\", \"{count} konfliktów plików\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} konfliktowy plik w {dirname}\", \"{count} konfliktowych plików w {dirname}\", \"{count} konfliktowych plików w {dirname}\", \"{count} konfliktowych plików w {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Pozostało {seconds} sekund\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Pozostało {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Pozostało kilka sekund\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Anuluj wysyłanie\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Kontynuuj\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Szacowanie pozostałego czasu\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Istniejąca wersja\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Jeżeli wybierzesz obie wersje to do nazw skopiowanych plików zostanie dodany numer\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Nieznana data ostatniej modyfikacji\"] }, New: { msgid: \"New\", msgstr: [\"Nowy\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nowa wersja\"] }, paused: { msgid: \"paused\", msgstr: [\"Wstrzymane\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Podgląd obrazu\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Zaznacz wszystkie boxy\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Zaznacz wszystkie istniejące pliki\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Zaznacz wszystkie nowe pliki\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Pomiń 1 plik\", \"Pomiń {count} plików\", \"Pomiń {count} plików\", \"Pomiń {count} plików\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Nieznany rozmiar\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Anulowano wysyłanie\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Wyślij pliki\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Postęp wysyłania\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Które pliki chcesz zachować\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Aby kontynuować, musisz wybrać co najmniej jedną wersję każdego pliku.\"] } } } } }, { locale: \"ps\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ps\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Pashto (https://www.transifex.com/nextcloud/teams/64236/ps/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ps\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"pt_BR\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\", \"Language-Team\": \"Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"pt_BR\", \"Plural-Forms\": \"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nLeonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\n` }, msgstr: [`Last-Translator: Leonardo Colman Lopes <leonardo.dev@colman.com.br>, 2024\nLanguage-Team: Portuguese (Brazil) (https://app.transifex.com/nextcloud/teams/64236/pt_BR/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_BR\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} arquivos em conflito\", \"{count} arquivos em conflito\", \"{count} arquivos em conflito\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} conflitos de arquivo em {dirname}\", \"{count} conflitos de arquivo em {dirname}\", \"{count} conflitos de arquivo em {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} segundos restantes\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} restante\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"alguns segundos restantes\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Cancelar\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Cancelar a operação inteira\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar uploads\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Continuar\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimando tempo restante\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Versão existente\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Se você selecionar ambas as versões, o arquivo copiado terá um número adicionado ao seu nome.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Data da última modificação desconhecida\"] }, New: { msgid: \"New\", msgstr: [\"Novo\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Nova versão\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Visualizar imagem\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Marque todas as caixas de seleção\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Selecione todos os arquivos existentes\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Selecione todos os novos arquivos\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Ignorar {count} arquivos\", \"Ignorar {count} arquivos\", \"Ignorar {count} arquivos\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Tamanho desconhecido\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Envio cancelado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Enviar arquivos\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Envio em progresso\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Quando uma pasta é selecionada, quaisquer arquivos dentro dela também serão sobrescritos.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Quais arquivos você deseja manter?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Você precisa selecionar pelo menos uma versão de cada arquivo para continuar.\"] } } } } }, { locale: \"pt_PT\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Manuela Silva <mmsrs@sky.com>, 2022\", \"Language-Team\": \"Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"pt_PT\", \"Plural-Forms\": \"nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nManuela Silva <mmsrs@sky.com>, 2022\n` }, msgstr: [`Last-Translator: Manuela Silva <mmsrs@sky.com>, 2022\nLanguage-Team: Portuguese (Portugal) (https://www.transifex.com/nextcloud/teams/64236/pt_PT/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: pt_PT\nPlural-Forms: nplurals=3; plural=(n == 0 || n == 1) ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"faltam {seconds} segundo(s)\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"faltam {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"faltam uns segundos\"] }, Add: { msgid: \"Add\", msgstr: [\"Adicionar\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Cancelar envios\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"tempo em falta estimado\"] }, paused: { msgid: \"paused\", msgstr: [\"pausado\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Enviar ficheiros\"] } } } } }, { locale: \"ro\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022\", \"Language-Team\": \"Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ro\", \"Plural-Forms\": \"nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMădălin Vasiliu <contact@madalinvasiliu.com>, 2022\n` }, msgstr: [`Last-Translator: Mădălin Vasiliu <contact@madalinvasiliu.com>, 2022\nLanguage-Team: Romanian (https://www.transifex.com/nextcloud/teams/64236/ro/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ro\nPlural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} secunde rămase\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"{time} rămas\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"câteva secunde rămase\"] }, Add: { msgid: \"Add\", msgstr: [\"Adaugă\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Anulați încărcările\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"estimarea timpului rămas\"] }, paused: { msgid: \"paused\", msgstr: [\"pus pe pauză\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Încarcă fișiere\"] } } } } }, { locale: \"ru\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Александр, 2023\", \"Language-Team\": \"Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ru\", \"Plural-Forms\": \"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nMax Smith <sevinfolds@gmail.com>, 2023\nАлександр, 2023\n` }, msgstr: [`Last-Translator: Александр, 2023\nLanguage-Team: Russian (https://app.transifex.com/nextcloud/teams/64236/ru/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"конфликт {count} файла\", \"конфликт {count} файлов\", \"конфликт {count} файлов\", \"конфликт {count} файлов\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"конфликт {count} файла в {dirname}\", \"конфликт {count} файлов в {dirname}\", \"конфликт {count} файлов в {dirname}\", \"конфликт {count} файлов в {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"осталось {seconds} секунд\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"осталось {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"осталось несколько секунд\"] }, Add: { msgid: \"Add\", msgstr: [\"Добавить\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Отменить загрузки\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Продолжить\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"оценка оставшегося времени\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Текущая версия\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Если вы выберете обе версии, к имени скопированного файла будет добавлен номер.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Дата последнего изменения неизвестна\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Новая версия\"] }, paused: { msgid: \"paused\", msgstr: [\"приостановлено\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Предварительный просмотр\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Установить все флажки\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Выбрать все существующие файлы\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Выбрать все новые файлы\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Пропустить файл\", \"Пропустить {count} файла\", \"Пропустить {count} файлов\", \"Пропустить {count} файлов\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Неизвестный размер\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Загрузка отменена\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Загрузка файлов\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Какие файлы вы хотите сохранить?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Для продолжения вам нужно выбрать по крайней мере одну версию каждого файла.\"] } } } } }, { locale: \"ru_RU\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ru_RU\", \"Plural-Forms\": \"nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Russian (Russia) (https://www.transifex.com/nextcloud/teams/64236/ru_RU/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ru_RU\nPlural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sc\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sc\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sardinian (https://www.transifex.com/nextcloud/teams/64236/sc/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sc\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"si\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"si\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (https://www.transifex.com/nextcloud/teams/64236/si/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"si_LK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"si_LK\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Sinhala (Sri Lanka) (https://www.transifex.com/nextcloud/teams/64236/si_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: si_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sk_SK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sk_SK\", \"Plural-Forms\": \"nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovak (Slovakia) (https://www.transifex.com/nextcloud/teams/64236/sk_SK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sk_SK\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sl\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Matej Urbančič <>, 2022\", \"Language-Team\": \"Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sl\", \"Plural-Forms\": \"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nMatej Urbančič <>, 2022\n` }, msgstr: [`Last-Translator: Matej Urbančič <>, 2022\nLanguage-Team: Slovenian (https://www.transifex.com/nextcloud/teams/64236/sl/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"še {seconds} sekund\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"še {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"še nekaj sekund\"] }, Add: { msgid: \"Add\", msgstr: [\"Dodaj\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Prekliči pošiljanje\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"ocenjen čas do konca\"] }, paused: { msgid: \"paused\", msgstr: [\"v premoru\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Pošlji datoteke\"] } } } } }, { locale: \"sl_SI\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sl_SI\", \"Plural-Forms\": \"nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Slovenian (Slovenia) (https://www.transifex.com/nextcloud/teams/64236/sl_SI/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sl_SI\nPlural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sq\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sq\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Albanian (https://www.transifex.com/nextcloud/teams/64236/sq/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sq\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Иван Пешић, 2023\", \"Language-Team\": \"Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sr\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nИван Пешић, 2023\n` }, msgstr: [`Last-Translator: Иван Пешић, 2023\nLanguage-Team: Serbian (https://app.transifex.com/nextcloud/teams/64236/sr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} фајл конфликт\", \"{count} фајл конфликта\", \"{count} фајл конфликта\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} фајл конфликт у {dirname}\", \"{count} фајл конфликта у {dirname}\", \"{count} фајл конфликта у {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"преостало је {seconds} секунди\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} преостало\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"преостало је неколико секунди\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Обустави отпремања\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Настави\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"процена преосталог времена\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Постојећа верзија\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Ако изаберете обе верзије, на име копираног фајла ће се додати број.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Није познат датум последње измене\"] }, New: { msgid: \"New\", msgstr: [\"Ново\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Нова верзија\"] }, paused: { msgid: \"paused\", msgstr: [\"паузирано\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Слика прегледа\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Штиклирај сва поља за штиклирање\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Изабери све постојеће фајлове\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Изабери све нове фајлове\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Прескочи овај фајл\", \"Прескочи {count} фајла\", \"Прескочи {count} фајлова\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Непозната величина\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Отпремање је отказано\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Отпреми фајлове\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Напредак отпремања\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Које фајлове желите да задржите?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Морате да изаберете барем једну верзију сваког фајла да наставите.\"] } } } } }, { locale: \"sr@latin\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sr@latin\", \"Plural-Forms\": \"nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Serbian (Latin) (https://www.transifex.com/nextcloud/teams/64236/sr@latin/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sr@latin\nPlural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"sv\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Magnus Höglund, 2024\", \"Language-Team\": \"Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sv\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nMagnus Höglund, 2024\n` }, msgstr: [`Last-Translator: Magnus Höglund, 2024\nLanguage-Team: Swedish (https://app.transifex.com/nextcloud/teams/64236/sv/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sv\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} filkonflikt\", \"{count} filkonflikter\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} filkonflikt i {dirname}\", \"{count} filkonflikter i {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} sekunder kvarstår\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} kvarstår\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"några sekunder kvar\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Avbryt\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Avbryt hela operationen\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Avbryt uppladdningar\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Fortsätt\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"uppskattar kvarstående tid\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Nuvarande version\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Om du väljer båda versionerna kommer den kopierade filen att få ett nummer tillagt i namnet.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Senaste ändringsdatum okänt\"] }, New: { msgid: \"New\", msgstr: [\"Ny\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Ny version\"] }, paused: { msgid: \"paused\", msgstr: [\"pausad\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Förhandsgranska bild\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Markera alla kryssrutor\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Välj alla befintliga filer\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Välj alla nya filer\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Hoppa över denna fil\", \"Hoppa över {count} filer\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Okänd storlek\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Uppladdningen avbröts\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Ladda upp filer\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Uppladdningsförlopp\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"När en inkommande mapp väljs skrivs även alla konfliktande filer i den över.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Vilka filer vill du behålla?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Du måste välja minst en version av varje fil för att fortsätta.\"] } } } } }, { locale: \"sw\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"sw\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Swahili (https://www.transifex.com/nextcloud/teams/64236/sw/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: sw\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ta\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ta\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (https://www.transifex.com/nextcloud/teams/64236/ta/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"ta_LK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ta_LK\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Tamil (Sri-Lanka) (https://www.transifex.com/nextcloud/teams/64236/ta_LK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ta_LK\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"th\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Thai (https://www.transifex.com/nextcloud/teams/64236/th/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"th\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Thai (https://www.transifex.com/nextcloud/teams/64236/th/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"th_TH\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Phongpanot Phairat <ppnplus@protonmail.com>, 2022\", \"Language-Team\": \"Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"th_TH\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nPhongpanot Phairat <ppnplus@protonmail.com>, 2022\n` }, msgstr: [`Last-Translator: Phongpanot Phairat <ppnplus@protonmail.com>, 2022\nLanguage-Team: Thai (Thailand) (https://www.transifex.com/nextcloud/teams/64236/th_TH/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: th_TH\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"เหลืออีก {seconds} วินาที\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"time has the format 00:00:00\" }, msgstr: [\"เหลืออีก {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"เหลืออีกไม่กี่วินาที\"] }, Add: { msgid: \"Add\", msgstr: [\"เพิ่ม\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"ยกเลิกการอัปโหลด\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"กำลังคำนวณเวลาที่เหลือ\"] }, paused: { msgid: \"paused\", msgstr: [\"หยุดชั่วคราว\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"อัปโหลดไฟล์\"] } } } } }, { locale: \"tk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"tk\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Turkmen (https://www.transifex.com/nextcloud/teams/64236/tk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tk\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"tr\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Kaya Zeren <kayazeren@gmail.com>, 2024\", \"Language-Team\": \"Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"tr\", \"Plural-Forms\": \"nplurals=2; plural=(n > 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nKaya Zeren <kayazeren@gmail.com>, 2024\n` }, msgstr: [`Last-Translator: Kaya Zeren <kayazeren@gmail.com>, 2024\nLanguage-Team: Turkish (https://app.transifex.com/nextcloud/teams/64236/tr/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: tr\nPlural-Forms: nplurals=2; plural=(n > 1);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} dosya çakışması var\", \"{count} dosya çakışması var\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname} klasöründe {count} dosya çakışması var\", \"{dirname} klasöründe {count} dosya çakışması var\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"{seconds} saniye kaldı\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"{time} kaldı\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"bir kaç saniye kaldı\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"İptal\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Tüm işlemi iptal et\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Yüklemeleri iptal et\"] }, Continue: { msgid: \"Continue\", msgstr: [\"İlerle\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"öngörülen kalan süre\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Var olan sürüm\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"İki sürümü de seçerseniz, kopyalanan dosyanın adına bir sayı eklenir.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Son değiştirilme tarihi bilinmiyor\"] }, New: { msgid: \"New\", msgstr: [\"Yeni\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Yeni sürüm\"] }, paused: { msgid: \"paused\", msgstr: [\"duraklatıldı\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Görsel ön izlemesi\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Tüm kutuları işaretle\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Tüm var olan dosyaları seç\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Tüm yeni dosyaları seç\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Bu dosyayı atla\", \"{count} dosyayı atla\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Boyut bilinmiyor\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Yükleme iptal edildi\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Dosyaları yükle\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Yükleme ilerlemesi\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Bir gelen klasör seçildiğinde, içindeki çakışan dosyaların da üzerine yazılır.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Hangi dosyaları tutmak istiyorsunuz?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"İlerlemek için her dosyanın en az bir sürümünü seçmelisiniz.\"] } } } } }, { locale: \"ug\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ug\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uyghur (https://www.transifex.com/nextcloud/teams/64236/ug/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ug\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"uk\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"O St <oleksiy.stasevych@gmail.com>, 2024\", \"Language-Team\": \"Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"uk\", \"Plural-Forms\": \"nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\nO St <oleksiy.stasevych@gmail.com>, 2024\n` }, msgstr: [`Last-Translator: O St <oleksiy.stasevych@gmail.com>, 2024\nLanguage-Team: Ukrainian (https://app.transifex.com/nextcloud/teams/64236/uk/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uk\nPlural-Forms: nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} конфліктний файл\", \"{count} конфліктних файли\", \"{count} конфліктних файлів\", \"{count} конфліктних файлів\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} конфліктний файл у каталозі {dirname}\", \"{count} конфліктних файли у каталозі {dirname}\", \"{count} конфліктних файлів у каталозі {dirname}\", \"{count} конфліктних файлів у каталозі {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Залишилося {seconds} секунд\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Залишилося {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"залишилося кілька секунд\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"Скасувати\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"Скасувати операцію повністю\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Скасувати завантаження\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Продовжити\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"оцінка часу, що залишився\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Присутня версія\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Якщо ви виберете обидві версії, то буде створено копію файлу, до назви якої буде додано цифру.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Дата останньої зміни невідома\"] }, New: { msgid: \"New\", msgstr: [\"Нове\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Нова версія\"] }, paused: { msgid: \"paused\", msgstr: [\"призупинено\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Попередній перегляд\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Вибрати все\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Вибрати усі присутні файли\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Вибрати усі нові файли\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Пропустити файл\", \"Пропустити {count} файли\", \"Пропустити {count} файлів\", \"Пропустити {count} файлів\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Невідомий розмір\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Завантаження скасовано\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Завантажити файли\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Поступ завантаження\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"Усі конфліктні файли у вибраному каталозі призначення буде перезаписано поверх.\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Які файли залишити?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Для продовження потрібно вибрати принаймні одну версію для кожного файлу.\"] } } } } }, { locale: \"ur_PK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"ur_PK\", \"Plural-Forms\": \"nplurals=2; plural=(n != 1);\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Urdu (Pakistan) (https://www.transifex.com/nextcloud/teams/64236/ur_PK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: ur_PK\nPlural-Forms: nplurals=2; plural=(n != 1);\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"uz\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Transifex Bot <>, 2022\", \"Language-Team\": \"Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"uz\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nTransifex Bot <>, 2022\n` }, msgstr: [`Last-Translator: Transifex Bot <>, 2022\nLanguage-Team: Uzbek (https://www.transifex.com/nextcloud/teams/64236/uz/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: uz\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{estimate} seconds left\": { msgid: \"{estimate} seconds left\", msgstr: [\"\"] }, \"{hours} hours and {minutes} minutes left\": { msgid: \"{hours} hours and {minutes} minutes left\", msgstr: [\"\"] }, \"{minutes} minutes left\": { msgid: \"{minutes} minutes left\", msgstr: [\"\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"\"] }, Add: { msgid: \"Add\", msgstr: [\"\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"\"] }, paused: { msgid: \"paused\", msgstr: [\"\"] } } } } }, { locale: \"vi\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Tung DangQuang, 2023\", \"Language-Team\": \"Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"vi\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nTung DangQuang, 2023\n` }, msgstr: [`Last-Translator: Tung DangQuang, 2023\nLanguage-Team: Vietnamese (https://app.transifex.com/nextcloud/teams/64236/vi/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: vi\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} Tập tin xung đột\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{count} tập tin lỗi trong {dirname}\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"Còn {second} giây\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"Còn lại {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"Còn lại một vài giây\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"Huỷ tải lên\"] }, Continue: { msgid: \"Continue\", msgstr: [\"Tiếp Tục\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"Thời gian còn lại dự kiến\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"Phiên Bản Hiện Tại\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"Nếu bạn chọn cả hai phiên bản, tệp được sao chép sẽ có thêm một số vào tên của nó.\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"Ngày sửa dổi lần cuối không xác định\"] }, New: { msgid: \"New\", msgstr: [\"Tạo Mới\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"Phiên Bản Mới\"] }, paused: { msgid: \"paused\", msgstr: [\"đã tạm dừng\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"Xem Trước Ảnh\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"Chọn tất cả hộp checkbox\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"Chọn tất cả các tập tin có sẵn\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"Chọn tất cả các tập tin mới\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"Bỏ Qua {count} tập tin\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"Không rõ dung lượng\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"Dừng Tải Lên\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"Tập tin tải lên\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"Đang Tải Lên\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"Bạn muốn giữ tập tin nào?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"Bạn cần chọn ít nhất một phiên bản tập tin mới có thể tiếp tục\"] } } } } }, { locale: \"zh_CN\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Hongbo Chen, 2023\", \"Language-Team\": \"Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"zh_CN\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nHongbo Chen, 2023\n` }, msgstr: [`Last-Translator: Hongbo Chen, 2023\nLanguage-Team: Chinese (China) (https://app.transifex.com/nextcloud/teams/64236/zh_CN/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_CN\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count}文件冲突\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"在{dirname}目录下有{count}个文件冲突\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"剩余 {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"剩余 {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"还剩几秒\"] }, Add: { msgid: \"Add\", msgstr: [\"添加\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"取消上传\"] }, Continue: { msgid: \"Continue\", msgstr: [\"继续\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"估计剩余时间\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"版本已存在\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"如果选择所有的版本,新增版本的文件名为原文件名加数字\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"文件最后修改日期未知\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"新版本\"] }, paused: { msgid: \"paused\", msgstr: [\"已暂停\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"图片预览\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"选择所有的选择框\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"选择所有存在的文件\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"选择所有的新文件\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"跳过{count}个文件\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"文件大小未知\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"取消上传\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"上传文件\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"你要保留哪些文件?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"每个文件至少选择一个版本\"] } } } } }, { locale: \"zh_HK\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"Café Tango, 2023\", \"Language-Team\": \"Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"zh_HK\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJohn Molakvoæ <skjnldsv@protonmail.com>, 2023\nCafé Tango, 2023\n` }, msgstr: [`Last-Translator: Café Tango, 2023\nLanguage-Team: Chinese (Hong Kong) (https://app.transifex.com/nextcloud/teams/64236/zh_HK/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_HK\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} 個檔案衝突\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname} 中有 {count} 個檔案衝突\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"剩餘 {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"剩餘 {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"還剩幾秒\"] }, Add: { msgid: \"Add\", msgstr: [\"添加\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"取消上傳\"] }, Continue: { msgid: \"Continue\", msgstr: [\"繼續\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"估計剩餘時間\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"既有版本\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"若您選取兩個版本,複製的檔案的名稱將會新增編號。\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"最後修改日期不詳\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"新版本 \"] }, paused: { msgid: \"paused\", msgstr: [\"已暫停\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"預覽圖片\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"選取所有核取方塊\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"選取所有既有檔案\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"選取所有新檔案\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"略過 {count} 個檔案\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"大小不詳\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"已取消上傳\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"上傳檔案\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"您想保留哪些檔案?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"您必須為每個檔案都至少選取一個版本以繼續。\"] } } } } }, { locale: \"zh_TW\", json: { charset: \"utf-8\", headers: { \"Last-Translator\": \"黃柏諺 <s8321414@gmail.com>, 2024\", \"Language-Team\": \"Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)\", \"Content-Type\": \"text/plain; charset=UTF-8\", Language: \"zh_TW\", \"Plural-Forms\": \"nplurals=1; plural=0;\" }, translations: { \"\": { \"\": { msgid: \"\", comments: { translator: `\nTranslators:\nJoas Schilling, 2024\n黃柏諺 <s8321414@gmail.com>, 2024\n` }, msgstr: [`Last-Translator: 黃柏諺 <s8321414@gmail.com>, 2024\nLanguage-Team: Chinese (Taiwan) (https://app.transifex.com/nextcloud/teams/64236/zh_TW/)\nContent-Type: text/plain; charset=UTF-8\nLanguage: zh_TW\nPlural-Forms: nplurals=1; plural=0;\n`] }, \"{count} file conflict\": { msgid: \"{count} file conflict\", msgid_plural: \"{count} files conflict\", msgstr: [\"{count} 個檔案衝突\"] }, \"{count} file conflict in {dirname}\": { msgid: \"{count} file conflict in {dirname}\", msgid_plural: \"{count} file conflicts in {dirname}\", msgstr: [\"{dirname} 中有 {count} 個檔案衝突\"] }, \"{seconds} seconds left\": { msgid: \"{seconds} seconds left\", msgstr: [\"剩餘 {seconds} 秒\"] }, \"{time} left\": { msgid: \"{time} left\", comments: { extracted: \"TRANSLATORS time has the format 00:00:00\" }, msgstr: [\"剩餘 {time}\"] }, \"a few seconds left\": { msgid: \"a few seconds left\", msgstr: [\"還剩幾秒\"] }, Cancel: { msgid: \"Cancel\", msgstr: [\"取消\"] }, \"Cancel the entire operation\": { msgid: \"Cancel the entire operation\", msgstr: [\"取消整個操作\"] }, \"Cancel uploads\": { msgid: \"Cancel uploads\", msgstr: [\"取消上傳\"] }, Continue: { msgid: \"Continue\", msgstr: [\"繼續\"] }, \"estimating time left\": { msgid: \"estimating time left\", msgstr: [\"估計剩餘時間\"] }, \"Existing version\": { msgid: \"Existing version\", msgstr: [\"既有版本\"] }, \"If you select both versions, the copied file will have a number added to its name.\": { msgid: \"If you select both versions, the copied file will have a number added to its name.\", msgstr: [\"若您選取兩個版本,複製的檔案的名稱將會新增編號。\"] }, \"Last modified date unknown\": { msgid: \"Last modified date unknown\", msgstr: [\"最後修改日期未知\"] }, New: { msgid: \"New\", msgstr: [\"新增\"] }, \"New version\": { msgid: \"New version\", msgstr: [\"新版本\"] }, paused: { msgid: \"paused\", msgstr: [\"已暫停\"] }, \"Preview image\": { msgid: \"Preview image\", msgstr: [\"預覽圖片\"] }, \"Select all checkboxes\": { msgid: \"Select all checkboxes\", msgstr: [\"選取所有核取方塊\"] }, \"Select all existing files\": { msgid: \"Select all existing files\", msgstr: [\"選取所有既有檔案\"] }, \"Select all new files\": { msgid: \"Select all new files\", msgstr: [\"選取所有新檔案\"] }, \"Skip this file\": { msgid: \"Skip this file\", msgid_plural: \"Skip {count} files\", msgstr: [\"略過 {count} 檔案\"] }, \"Unknown size\": { msgid: \"Unknown size\", msgstr: [\"未知大小\"] }, \"Upload cancelled\": { msgid: \"Upload cancelled\", msgstr: [\"已取消上傳\"] }, \"Upload files\": { msgid: \"Upload files\", msgstr: [\"上傳檔案\"] }, \"Upload progress\": { msgid: \"Upload progress\", msgstr: [\"上傳進度\"] }, \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\": { msgid: \"When an incoming folder is selected, any conflicting files within it will also be overwritten.\", msgstr: [\"選取傳入資料夾後,其中任何的衝突檔案都會被覆寫。\"] }, \"Which files do you want to keep?\": { msgid: \"Which files do you want to keep?\", msgstr: [\"您想保留哪些檔案?\"] }, \"You need to select at least one version of each file to continue.\": { msgid: \"You need to select at least one version of each file to continue.\", msgstr: [\"您必須為每個檔案都至少選取一個版本以繼續。\"] } } } } }].map((e) => R.addTranslation(e.locale, e.json));\nconst C = R.build(), Gs = C.ngettext.bind(C), u = C.gettext.bind(C), Ls = E.extend({\n name: \"UploadPicker\",\n components: {\n Cancel: ms,\n NcActionButton: J,\n NcActions: Q,\n NcButton: Z,\n NcIconSvgWrapper: X,\n NcProgressBar: ss,\n Plus: fs,\n Upload: xs\n },\n props: {\n accept: {\n type: Array,\n default: null\n },\n disabled: {\n type: Boolean,\n default: !1\n },\n multiple: {\n type: Boolean,\n default: !1\n },\n destination: {\n type: z,\n default: void 0\n },\n /**\n * List of file present in the destination folder\n */\n content: {\n type: Array,\n default: () => []\n },\n forbiddenCharacters: {\n type: Array,\n default: () => []\n }\n },\n data() {\n return {\n addLabel: u(\"New\"),\n cancelLabel: u(\"Cancel uploads\"),\n uploadLabel: u(\"Upload files\"),\n progressLabel: u(\"Upload progress\"),\n progressTimeId: `nc-uploader-progress-${Math.random().toString(36).slice(7)}`,\n eta: null,\n timeLeft: \"\",\n newFileMenuEntries: [],\n uploadManager: M()\n };\n },\n computed: {\n totalQueueSize() {\n return this.uploadManager.info?.size || 0;\n },\n uploadedQueueSize() {\n return this.uploadManager.info?.progress || 0;\n },\n progress() {\n return Math.round(this.uploadedQueueSize / this.totalQueueSize * 100) || 0;\n },\n queue() {\n return this.uploadManager.queue;\n },\n hasFailure() {\n return this.queue?.filter((e) => e.status === c.FAILED).length !== 0;\n },\n isUploading() {\n return this.queue?.length > 0;\n },\n isAssembling() {\n return this.queue?.filter((e) => e.status === c.ASSEMBLING).length !== 0;\n },\n isPaused() {\n return this.uploadManager.info?.status === I.PAUSED;\n },\n // Hide the button text if we're uploading\n buttonName() {\n if (!this.isUploading)\n return this.addLabel;\n }\n },\n watch: {\n destination(e) {\n this.setDestination(e);\n },\n totalQueueSize(e) {\n this.eta = K({ min: 0, max: e }), this.updateStatus();\n },\n uploadedQueueSize(e) {\n this.eta?.report?.(e), this.updateStatus();\n },\n isPaused(e) {\n e ? this.$emit(\"paused\", this.queue) : this.$emit(\"resumed\", this.queue);\n }\n },\n beforeMount() {\n this.destination && this.setDestination(this.destination), this.uploadManager.addNotifier(this.onUploadCompletion), g.debug(\"UploadPicker initialised\");\n },\n methods: {\n /**\n * Trigger file picker\n */\n onClick() {\n this.$refs.input.click();\n },\n /**\n * Start uploading\n */\n async onPick() {\n let e = [...this.$refs.input.files];\n if (Us(e, this.content)) {\n const s = e.filter((n) => this.content.find((i) => i.basename === n.name)).filter(Boolean), t = e.filter((n) => !s.includes(n));\n try {\n const { selected: n, renamed: i } = await ys(this.destination.basename, s, this.content);\n e = [...t, ...n, ...i];\n } catch {\n P(u(\"Upload cancelled\"));\n return;\n }\n }\n e.forEach((s) => {\n const n = (this.forbiddenCharacters || []).find((i) => s.name.includes(i));\n n ? P(u(`\"${n}\" is not allowed inside a file name.`)) : this.uploadManager.upload(s.name, s).catch(() => {\n });\n }), this.$refs.form.reset();\n },\n /**\n * Cancel ongoing queue\n */\n onCancel() {\n this.uploadManager.queue.forEach((e) => {\n e.cancel();\n }), this.$refs.form.reset();\n },\n updateStatus() {\n if (this.isPaused) {\n this.timeLeft = u(\"paused\");\n return;\n }\n const e = Math.round(this.eta.estimate());\n if (e === 1 / 0) {\n this.timeLeft = u(\"estimating time left\");\n return;\n }\n if (e < 10) {\n this.timeLeft = u(\"a few seconds left\");\n return;\n }\n if (e > 60) {\n const s = /* @__PURE__ */ new Date(0);\n s.setSeconds(e);\n const t = s.toISOString().slice(11, 19);\n this.timeLeft = u(\"{time} left\", { time: t });\n return;\n }\n this.timeLeft = u(\"{seconds} seconds left\", { seconds: e });\n },\n setDestination(e) {\n if (!this.destination) {\n g.debug(\"Invalid destination\");\n return;\n }\n this.uploadManager.destination = e, this.newFileMenuEntries = G(e);\n },\n onUploadCompletion(e) {\n e.status === c.FAILED ? this.$emit(\"failed\", e) : this.$emit(\"uploaded\", e);\n }\n }\n});\nvar ks = function() {\n var s = this, t = s._self._c;\n return s._self._setupProxy, s.destination ? t(\"form\", { ref: \"form\", staticClass: \"upload-picker\", class: { \"upload-picker--uploading\": s.isUploading, \"upload-picker--paused\": s.isPaused }, attrs: { \"data-cy-upload-picker\": \"\" } }, [s.newFileMenuEntries && s.newFileMenuEntries.length === 0 ? t(\"NcButton\", { attrs: { disabled: s.disabled, \"data-cy-upload-picker-add\": \"\", type: \"secondary\" }, on: { click: s.onClick }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Plus\", { attrs: { title: \"\", size: 20, decorative: \"\" } })];\n }, proxy: !0 }], null, !1, 2954875042) }, [s._v(\" \" + s._s(s.buttonName) + \" \")]) : t(\"NcActions\", { attrs: { \"menu-name\": s.buttonName, \"menu-title\": s.addLabel, type: \"secondary\" }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Plus\", { attrs: { title: \"\", size: 20, decorative: \"\" } })];\n }, proxy: !0 }], null, !1, 2954875042) }, [t(\"NcActionButton\", { attrs: { \"data-cy-upload-picker-add\": \"\", \"close-after-click\": !0 }, on: { click: s.onClick }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Upload\", { attrs: { title: \"\", size: 20, decorative: \"\" } })];\n }, proxy: !0 }], null, !1, 3606034491) }, [s._v(\" \" + s._s(s.uploadLabel) + \" \")]), s._l(s.newFileMenuEntries, function(n) {\n return t(\"NcActionButton\", { key: n.id, staticClass: \"upload-picker__menu-entry\", attrs: { icon: n.iconClass, \"close-after-click\": !0 }, on: { click: function(i) {\n return n.handler(s.destination, s.content);\n } }, scopedSlots: s._u([n.iconSvgInline ? { key: \"icon\", fn: function() {\n return [t(\"NcIconSvgWrapper\", { attrs: { svg: n.iconSvgInline } })];\n }, proxy: !0 } : null], null, !0) }, [s._v(\" \" + s._s(n.displayName) + \" \")]);\n })], 2), t(\"div\", { directives: [{ name: \"show\", rawName: \"v-show\", value: s.isUploading, expression: \"isUploading\" }], staticClass: \"upload-picker__progress\" }, [t(\"NcProgressBar\", { attrs: { \"aria-label\": s.progressLabel, \"aria-describedby\": s.progressTimeId, error: s.hasFailure, value: s.progress, size: \"medium\" } }), t(\"p\", { attrs: { id: s.progressTimeId } }, [s._v(\" \" + s._s(s.timeLeft) + \" \")])], 1), s.isUploading ? t(\"NcButton\", { staticClass: \"upload-picker__cancel\", attrs: { type: \"tertiary\", \"aria-label\": s.cancelLabel, \"data-cy-upload-picker-cancel\": \"\" }, on: { click: s.onCancel }, scopedSlots: s._u([{ key: \"icon\", fn: function() {\n return [t(\"Cancel\", { attrs: { title: \"\", size: 20 } })];\n }, proxy: !0 }], null, !1, 4076886712) }) : s._e(), t(\"input\", { directives: [{ name: \"show\", rawName: \"v-show\", value: !1, expression: \"false\" }], ref: \"input\", attrs: { type: \"file\", accept: s.accept?.join?.(\", \"), multiple: s.multiple, \"data-cy-upload-picker-input\": \"\" }, on: { change: s.onPick } })], 1) : s._e();\n}, vs = [], Cs = /* @__PURE__ */ y(\n Ls,\n ks,\n vs,\n !1,\n null,\n \"eca9500a\",\n null,\n null\n);\nconst Ys = Cs.exports;\nlet k = null;\nfunction M() {\n const e = document.querySelector('input[name=\"isPublic\"][value=\"1\"]') !== null;\n return k instanceof N || (k = new N(e)), k;\n}\nfunction Vs(e, s) {\n const t = M();\n return t.upload(e, s), t;\n}\nasync function ys(e, s, t) {\n const n = $(() => import(\"./ConflictPicker-Bif6rCp6.mjs\"));\n return new Promise((i, o) => {\n const l = new E({\n name: \"ConflictPickerRoot\",\n render: (f) => f(n, {\n props: {\n dirname: e,\n conflicts: s,\n content: t\n },\n on: {\n submit(r) {\n i(r), l.$destroy(), l.$el?.parentNode?.removeChild(l.$el);\n },\n cancel(r) {\n o(r ?? new Error(\"Canceled\")), l.$destroy(), l.$el?.parentNode?.removeChild(l.$el);\n }\n }\n })\n });\n l.$mount(), document.body.appendChild(l.$el);\n });\n}\nfunction Us(e, s) {\n const t = s.map((i) => i.basename);\n return e.filter((i) => {\n const o = i instanceof File ? i.name : i.basename;\n return t.indexOf(o) !== -1;\n }).length > 0;\n}\nexport {\n I as S,\n Ys as U,\n Gs as a,\n ns as b,\n c,\n M as g,\n Us as h,\n g as l,\n y as n,\n ys as o,\n u as t,\n Vs as u\n};\n","const R = (n, e) => u(n, \"\", e), g = (n) => \"/remote.php/\" + n, U = (n, e) => {\n var o;\n return ((o = e == null ? void 0 : e.baseURL) != null ? o : w()) + g(n);\n}, v = (n, e, o) => {\n var c;\n const i = Object.assign({\n ocsVersion: 2\n }, o || {}).ocsVersion === 1 ? 1 : 2;\n return ((c = o == null ? void 0 : o.baseURL) != null ? c : w()) + \"/ocs/v\" + i + \".php\" + d(n, e, o);\n}, d = (n, e, o) => {\n const c = Object.assign({\n escape: !0\n }, o || {}), s = function(i, r) {\n return r = r || {}, i.replace(\n /{([^{}]*)}/g,\n function(l, t) {\n const a = r[t];\n return c.escape ? encodeURIComponent(typeof a == \"string\" || typeof a == \"number\" ? a.toString() : l) : typeof a == \"string\" || typeof a == \"number\" ? a.toString() : l;\n }\n );\n };\n return n.charAt(0) !== \"/\" && (n = \"/\" + n), s(n, e || {});\n}, _ = (n, e, o) => {\n var c, s, i;\n const r = Object.assign({\n noRewrite: !1\n }, o || {}), l = (c = o == null ? void 0 : o.baseURL) != null ? c : f();\n return ((i = (s = window == null ? void 0 : window.OC) == null ? void 0 : s.config) == null ? void 0 : i.modRewriteWorking) === !0 && !r.noRewrite ? l + d(n, e, o) : l + \"/index.php\" + d(n, e, o);\n}, h = (n, e) => e.indexOf(\".\") === -1 ? u(n, \"img\", e + \".svg\") : u(n, \"img\", e), u = (n, e, o) => {\n var c, s, i;\n const r = (i = (s = (c = window == null ? void 0 : window.OC) == null ? void 0 : c.coreApps) == null ? void 0 : s.includes(n)) != null ? i : !1, l = o.slice(-3) === \"php\";\n let t = f();\n return l && !r ? (t += \"/index.php/apps/\".concat(n), e && (t += \"/\".concat(encodeURI(e))), o !== \"index.php\" && (t += \"/\".concat(o))) : !l && !r ? (t = b(n), e && (t += \"/\".concat(e, \"/\")), t.at(-1) !== \"/\" && (t += \"/\"), t += o) : ((n === \"settings\" || n === \"core\" || n === \"search\") && e === \"ajax\" && (t += \"/index.php\"), n && (t += \"/\".concat(n)), e && (t += \"/\".concat(e)), t += \"/\".concat(o)), t;\n}, w = () => window.location.protocol + \"//\" + window.location.host + f();\nfunction f() {\n let n = window._oc_webroot;\n if (typeof n > \"u\") {\n n = location.pathname;\n const e = n.indexOf(\"/index.php/\");\n if (e !== -1)\n n = n.slice(0, e);\n else {\n const o = n.indexOf(\"/\", 1);\n n = n.slice(0, o > 0 ? o : void 0);\n }\n }\n return n;\n}\nfunction b(n) {\n var e, o;\n return (o = ((e = window._oc_appswebroots) != null ? e : {})[n]) != null ? o : \"\";\n}\nexport {\n u as generateFilePath,\n v as generateOcsUrl,\n U as generateRemoteUrl,\n _ as generateUrl,\n b as getAppRootUrl,\n w as getBaseUrl,\n f as getRootUrl,\n h as imagePath,\n R as linkTo\n};\n","import axios from './lib/axios.js';\n\n// This module is intended to unwrap Axios default export as named.\n// Keep top-level export same with static properties\n// so that it can keep same with es module or cjs\nconst {\n Axios,\n AxiosError,\n CanceledError,\n isCancel,\n CancelToken,\n VERSION,\n all,\n Cancel,\n isAxiosError,\n spread,\n toFormData,\n AxiosHeaders,\n HttpStatusCode,\n formToJSON,\n getAdapter,\n mergeConfig\n} = axios;\n\nexport {\n axios as default,\n Axios,\n AxiosError,\n CanceledError,\n isCancel,\n CancelToken,\n VERSION,\n all,\n Cancel,\n isAxiosError,\n spread,\n toFormData,\n AxiosHeaders,\n HttpStatusCode,\n formToJSON,\n getAdapter,\n mergeConfig\n}\n","// The module cache\nvar __webpack_module_cache__ = {};\n\n// The require function\nfunction __webpack_require__(moduleId) {\n\t// Check if module is in cache\n\tvar cachedModule = __webpack_module_cache__[moduleId];\n\tif (cachedModule !== undefined) {\n\t\treturn cachedModule.exports;\n\t}\n\t// Create a new module (and put it into the cache)\n\tvar module = __webpack_module_cache__[moduleId] = {\n\t\tid: moduleId,\n\t\tloaded: false,\n\t\texports: {}\n\t};\n\n\t// Execute the module function\n\t__webpack_modules__[moduleId].call(module.exports, module, module.exports, __webpack_require__);\n\n\t// Flag the module as loaded\n\tmodule.loaded = true;\n\n\t// Return the exports of the module\n\treturn module.exports;\n}\n\n// expose the modules object (__webpack_modules__)\n__webpack_require__.m = __webpack_modules__;\n\n","// getDefaultExport function for compatibility with non-harmony modules\n__webpack_require__.n = (module) => {\n\tvar getter = module && module.__esModule ?\n\t\t() => (module['default']) :\n\t\t() => (module);\n\t__webpack_require__.d(getter, { a: getter });\n\treturn getter;\n};","// define getter functions for harmony exports\n__webpack_require__.d = (exports, definition) => {\n\tfor(var key in definition) {\n\t\tif(__webpack_require__.o(definition, key) && !__webpack_require__.o(exports, key)) {\n\t\t\tObject.defineProperty(exports, key, { enumerable: true, get: definition[key] });\n\t\t}\n\t}\n};","__webpack_require__.f = {};\n// This file contains only the entry chunk.\n// The chunk loading function for additional chunks\n__webpack_require__.e = (chunkId) => {\n\treturn Promise.all(Object.keys(__webpack_require__.f).reduce((promises, key) => {\n\t\t__webpack_require__.f[key](chunkId, promises);\n\t\treturn promises;\n\t}, []));\n};","// This function allow to reference async chunks\n__webpack_require__.u = (chunkId) => {\n\t// return url for filenames based on template\n\treturn \"\" + chunkId + \"-\" + chunkId + \".js?v=\" + {\"1359\":\"0bf1b6d6403ca20a8e30\",\"6075\":\"f8e1d39004c19c13e598\",\"8618\":\"1e8f15db3b14455fef8f\"}[chunkId] + \"\";\n};","__webpack_require__.g = (function() {\n\tif (typeof globalThis === 'object') return globalThis;\n\ttry {\n\t\treturn this || new Function('return this')();\n\t} catch (e) {\n\t\tif (typeof window === 'object') return window;\n\t}\n})();","__webpack_require__.o = (obj, prop) => (Object.prototype.hasOwnProperty.call(obj, prop))","// define __esModule on exports\n__webpack_require__.r = (exports) => {\n\tif(typeof Symbol !== 'undefined' && Symbol.toStringTag) {\n\t\tObject.defineProperty(exports, Symbol.toStringTag, { value: 'Module' });\n\t}\n\tObject.defineProperty(exports, '__esModule', { value: true });\n};","__webpack_require__.nmd = (module) => {\n\tmodule.paths = [];\n\tif (!module.children) module.children = [];\n\treturn module;\n};","__webpack_require__.j = 2882;","var scriptUrl;\nif (__webpack_require__.g.importScripts) scriptUrl = __webpack_require__.g.location + \"\";\nvar document = __webpack_require__.g.document;\nif (!scriptUrl && document) {\n\tif (document.currentScript)\n\t\tscriptUrl = document.currentScript.src;\n\tif (!scriptUrl) {\n\t\tvar scripts = document.getElementsByTagName(\"script\");\n\t\tif(scripts.length) {\n\t\t\tvar i = scripts.length - 1;\n\t\t\twhile (i > -1 && (!scriptUrl || !/^http(s?):/.test(scriptUrl))) scriptUrl = scripts[i--].src;\n\t\t}\n\t}\n}\n// When supporting browsers where an automatic publicPath is not supported you must specify an output.publicPath manually via configuration\n// or pass an empty string (\"\") and set the __webpack_public_path__ variable from your code to use your own logic.\nif (!scriptUrl) throw new Error(\"Automatic publicPath is not supported in this browser\");\nscriptUrl = scriptUrl.replace(/#.*$/, \"\").replace(/\\?.*$/, \"\").replace(/\\/[^\\/]+$/, \"/\");\n__webpack_require__.p = scriptUrl;","__webpack_require__.b = document.baseURI || self.location.href;\n\n// object to store loaded and loading chunks\n// undefined = chunk not loaded, null = chunk preloaded/prefetched\n// [resolve, reject, Promise] = chunk loading, 0 = chunk loaded\nvar installedChunks = {\n\t2882: 0\n};\n\n__webpack_require__.f.j = (chunkId, promises) => {\n\t\t// JSONP chunk loading for javascript\n\t\tvar installedChunkData = __webpack_require__.o(installedChunks, chunkId) ? installedChunks[chunkId] : undefined;\n\t\tif(installedChunkData !== 0) { // 0 means \"already installed\".\n\n\t\t\t// a Promise means \"currently loading\".\n\t\t\tif(installedChunkData) {\n\t\t\t\tpromises.push(installedChunkData[2]);\n\t\t\t} else {\n\t\t\t\tif(true) { // all chunks have JS\n\t\t\t\t\t// setup Promise in chunk cache\n\t\t\t\t\tvar promise = new Promise((resolve, reject) => (installedChunkData = installedChunks[chunkId] = [resolve, reject]));\n\t\t\t\t\tpromises.push(installedChunkData[2] = promise);\n\n\t\t\t\t\t// start chunk loading\n\t\t\t\t\tvar url = __webpack_require__.p + __webpack_require__.u(chunkId);\n\t\t\t\t\t// create error before stack unwound to get useful stacktrace later\n\t\t\t\t\tvar error = new Error();\n\t\t\t\t\tvar loadingEnded = (event) => {\n\t\t\t\t\t\tif(__webpack_require__.o(installedChunks, chunkId)) {\n\t\t\t\t\t\t\tinstalledChunkData = installedChunks[chunkId];\n\t\t\t\t\t\t\tif(installedChunkData !== 0) installedChunks[chunkId] = undefined;\n\t\t\t\t\t\t\tif(installedChunkData) {\n\t\t\t\t\t\t\t\tvar errorType = event && (event.type === 'load' ? 'missing' : event.type);\n\t\t\t\t\t\t\t\tvar realSrc = event && event.target && event.target.src;\n\t\t\t\t\t\t\t\terror.message = 'Loading chunk ' + chunkId + ' failed.\\n(' + errorType + ': ' + realSrc + ')';\n\t\t\t\t\t\t\t\terror.name = 'ChunkLoadError';\n\t\t\t\t\t\t\t\terror.type = errorType;\n\t\t\t\t\t\t\t\terror.request = realSrc;\n\t\t\t\t\t\t\t\tinstalledChunkData[1](error);\n\t\t\t\t\t\t\t}\n\t\t\t\t\t\t}\n\t\t\t\t\t};\n\t\t\t\t\t__webpack_require__.l(url, loadingEnded, \"chunk-\" + chunkId, chunkId);\n\t\t\t\t}\n\t\t\t}\n\t\t}\n};\n\n// no prefetching\n\n// no preloaded\n\n// no HMR\n\n// no HMR manifest\n\n__webpack_require__.O.j = (chunkId) => (installedChunks[chunkId] === 0);\n\n// install a JSONP callback for chunk loading\nvar webpackJsonpCallback = (parentChunkLoadingFunction, data) => {\n\tvar chunkIds = data[0];\n\tvar moreModules = data[1];\n\tvar runtime = data[2];\n\t// add \"moreModules\" to the modules object,\n\t// then flag all \"chunkIds\" as loaded and fire callback\n\tvar moduleId, chunkId, i = 0;\n\tif(chunkIds.some((id) => (installedChunks[id] !== 0))) {\n\t\tfor(moduleId in moreModules) {\n\t\t\tif(__webpack_require__.o(moreModules, moduleId)) {\n\t\t\t\t__webpack_require__.m[moduleId] = moreModules[moduleId];\n\t\t\t}\n\t\t}\n\t\tif(runtime) var result = runtime(__webpack_require__);\n\t}\n\tif(parentChunkLoadingFunction) parentChunkLoadingFunction(data);\n\tfor(;i < chunkIds.length; i++) {\n\t\tchunkId = chunkIds[i];\n\t\tif(__webpack_require__.o(installedChunks, chunkId) && installedChunks[chunkId]) {\n\t\t\tinstalledChunks[chunkId][0]();\n\t\t}\n\t\tinstalledChunks[chunkId] = 0;\n\t}\n\treturn __webpack_require__.O(result);\n}\n\nvar chunkLoadingGlobal = self[\"webpackChunknextcloud\"] = self[\"webpackChunknextcloud\"] || [];\nchunkLoadingGlobal.forEach(webpackJsonpCallback.bind(null, 0));\nchunkLoadingGlobal.push = webpackJsonpCallback.bind(null, chunkLoadingGlobal.push.bind(chunkLoadingGlobal));","__webpack_require__.nc = undefined;","// startup\n// Load entry module and return exports\n// This entry module depends on other loaded chunks and execution need to be delayed\nvar __webpack_exports__ = __webpack_require__.O(undefined, [4208], () => (__webpack_require__(4737)))\n__webpack_exports__ = __webpack_require__.O(__webpack_exports__);\n"],"names":["deferred","inProgress","dataWebpackPrefix","has","Object","prototype","hasOwnProperty","prefix","Events","EE","fn","context","once","this","addListener","emitter","event","TypeError","listener","evt","_events","push","_eventsCount","clearEvent","EventEmitter","create","__proto__","eventNames","events","name","names","call","slice","getOwnPropertySymbols","concat","listeners","handlers","i","l","length","ee","Array","listenerCount","emit","a1","a2","a3","a4","a5","args","len","arguments","removeListener","undefined","apply","j","on","removeAllListeners","off","prefixed","module","exports","activePinia","setActivePinia","pinia","piniaSymbol","Symbol","isPlainObject","o","toString","toJSON","MutationType","IS_CLIENT","window","USE_DEVTOOLS","__VUE_PROD_DEVTOOLS__","_global","self","global","globalThis","HTMLElement","download","url","opts","xhr","XMLHttpRequest","open","responseType","onload","saveAs","response","onerror","console","error","send","corsEnabled","e","status","click","node","dispatchEvent","MouseEvent","document","createEvent","initMouseEvent","_navigator","navigator","userAgent","isMacOSWebView","test","HTMLAnchorElement","blob","a","createElement","rel","href","origin","location","target","URL","createObjectURL","setTimeout","revokeObjectURL","msSaveOrOpenBlob","autoBom","type","Blob","String","fromCharCode","bom","popup","title","body","innerText","force","isSafari","isChromeIOS","FileReader","reader","onloadend","result","Error","replace","assign","readAsDataURL","toastMessage","message","piniaMessage","__VUE_DEVTOOLS_TOAST__","warn","log","isPinia","checkClipboardAccess","checkNotFocusedError","toLowerCase","includes","fileInput","loadStoresState","state","key","storeState","value","formatDisplay","display","_custom","PINIA_ROOT_LABEL","PINIA_ROOT_ID","formatStoreForInspectorTree","store","id","label","$id","formatEventData","isArray","reduce","data","keys","operations","oldValue","newValue","operation","formatMutationType","direct","patchFunction","patchObject","isTimelineActive","componentStateTypes","MUTATIONS_LAYER_ID","INSPECTOR_ID","assign$1","getStoreType","registerPiniaDevtools","app","logo","packageName","homepage","api","now","addTimelineLayer","color","addInspector","icon","treeFilterPlaceholder","actions","action","async","clipboard","writeText","JSON","stringify","actionGlobalCopyState","tooltip","parse","readText","actionGlobalPasteState","sendInspectorTree","sendInspectorState","actionGlobalSaveState","accept","Promise","resolve","reject","onchange","files","file","item","text","oncancel","actionGlobalOpenStateFile","nodeActions","nodeId","_s","get","$reset","inspectComponent","payload","ctx","proxy","componentInstance","_pStores","piniaStores","values","forEach","instanceData","editable","_isOptionsAPI","$state","_getters","getters","getInspectorTree","inspectorId","stores","from","rootNodes","filter","map","getInspectorState","inspectedStore","storeNames","storeMap","storeId","getterName","_customProperties","size","customProperties","formatStoreForInspectorState","editInspectorState","path","unshift","set","editComponentState","startsWith","activeAction","runningActionId","patchActionForGrouping","actionNames","wrapWithProxy","storeActions","actionName","_actionId","trackedStore","Proxy","Reflect","retValue","devtoolsPlugin","options","originalHotUpdate","_hotUpdate","newStore","_hmrPayload","settings","logStoreChanges","defaultValue","bind","Date","$onAction","after","onError","groupId","addTimelineEvent","layerId","time","subtitle","logType","notifyComponentUpdate","deep","$subscribe","eventData","detached","flush","hotUpdate","info","$dispose","getSettings","addStoreToDevtools","noop","addSubscription","subscriptions","callback","onCleanup","removeSubscription","idx","indexOf","splice","triggerSubscriptions","fallbackRunWithContext","mergeReactiveObjects","patchToApply","Map","Set","add","subPatch","targetValue","skipHydrateSymbol","skipHydrateMap","WeakMap","createSetupStore","setup","hot","isOptionsStore","scope","optionsForPlugin","$subscribeOptions","isListening","isSyncListening","debuggerEvents","actionSubscriptions","initialState","hotState","activeListener","$patch","partialStateOrMutator","subscriptionMutation","myListenerId","then","newState","wrapAction","afterCallbackList","onErrorCallbackList","ret","catch","partialStore","_p","stopWatcher","run","stop","delete","_r","setupStore","_a","runWithContext","_e","prop","effect","obj","actionValue","defineProperty","nonEnumerable","writable","configurable","enumerable","p","extender","extensions","hydrate","defineStore","idOrOptions","setupOptions","isSetupStore","useStore","hasContext","localState","computedGetters","createOptionsStore","toBeInstalled","install","provide","config","globalProperties","$pinia","plugin","use","createPinia","token","singleMatcher","RegExp","multiMatcher","decodeComponents","components","split","decodeURIComponent","join","left","right","decode","input","tokens","match","splitOnFirst","string","separator","separatorIndex","includeKeys","object","predicate","descriptor","getOwnPropertyDescriptor","ownKeys","isNullOrUndefined","strictUriEncode","encodeURIComponent","x","charCodeAt","toUpperCase","encodeFragmentIdentifier","validateArrayFormatSeparator","encode","strict","encodedURI","replaceMap","exec","entries","customDecodeURIComponent","keysSorter","sort","b","Number","removeHash","hashStart","parseValue","parseNumbers","isNaN","trim","parseBooleans","extract","queryStart","query","arrayFormat","arrayFormatSeparator","formatter","accumulator","isEncodedArray","arrayValue","flat","parserForArrayFormat","returnValue","parameter","parameter_","key2","value2","Boolean","shouldFilter","skipNull","skipEmptyString","index","keyValueSep","encoderForArrayFormat","objectCopy","parseUrl","url_","hash","parseFragmentIdentifier","fragmentIdentifier","stringifyUrl","queryString","getHash","urlObjectForFragmentEncode","pick","exclude","extend","encodeReserveRE","encodeReserveReplacer","c","commaRE","str","err","castQueryParamValue","parseQuery","res","param","parts","shift","val","stringifyQuery","val2","trailingSlashRE","createRoute","record","redirectedFrom","router","clone","route","meta","params","fullPath","getFullPath","matched","formatMatch","freeze","START","parent","ref","_stringifyQuery","isSameRoute","onlyPath","isObjectEqual","aKeys","bKeys","every","aVal","bVal","handleRouteEntered","instances","instance","cbs","enteredCbs","i$1","_isBeingDestroyed","View","functional","props","default","render","_","children","routerView","h","$createElement","$route","cache","_routerViewCache","depth","inactive","_routerRoot","vnodeData","$vnode","keepAlive","_directInactive","_inactive","$parent","routerViewDepth","cachedData","cachedComponent","component","configProps","fillPropsinData","registerRouteInstance","vm","current","hook","prepatch","vnode","init","propsToPass","resolveProps","attrs","resolvePath","relative","base","append","firstChar","charAt","stack","pop","segments","segment","cleanPath","isarray","arr","pathToRegexp_1","pathToRegexp","groups","source","delimiter","optional","repeat","partial","asterisk","pattern","attachKeys","regexpToRegexp","flags","arrayToRegexp","tokensToRegExp","stringToRegexp","parse_1","tokensToFunction_1","tokensToFunction","tokensToRegExp_1","PATH_REGEXP","defaultDelimiter","m","escaped","offset","next","capture","group","modifier","escapeGroup","escapeString","substr","encodeURIComponentPretty","encodeURI","matches","pretty","re","sensitive","end","endsWithDelimiter","compile","regexpCompileCache","fillParams","routeMsg","filler","pathMatch","normalizeLocation","raw","_normalized","params$1","rawPath","parsedPath","hashIndex","queryIndex","parsePath","basePath","extraQuery","_parseQuery","parsedQuery","resolveQuery","_Vue","Link","to","required","tag","custom","exact","exactPath","activeClass","exactActiveClass","ariaCurrentValue","this$1$1","$router","classes","globalActiveClass","linkActiveClass","globalExactActiveClass","linkExactActiveClass","activeClassFallback","exactActiveClassFallback","compareTarget","queryIncludes","isIncludedRoute","handler","guardEvent","class","scopedSlot","$scopedSlots","$hasNormal","navigate","isActive","isExactActive","findAnchor","$slots","isStatic","aData","handler$1","event$1","aAttrs","metaKey","altKey","ctrlKey","shiftKey","defaultPrevented","button","currentTarget","getAttribute","preventDefault","child","inBrowser","createRouteMap","routes","oldPathList","oldPathMap","oldNameMap","parentRoute","pathList","pathMap","nameMap","addRouteRecord","matchAs","pathToRegexpOptions","normalizedPath","normalizePath","caseSensitive","regex","compileRouteRegex","alias","redirect","beforeEnter","childMatchAs","aliases","aliasRoute","createMatcher","currentRoute","_createRoute","paramNames","record$1","matchRoute","originalRedirect","resolveRecordPath","aliasedMatch","aliasedRecord","addRoute","parentOrRoute","getRoutes","addRoutes","Time","performance","genStateKey","toFixed","_key","getStateKey","setStateKey","positionStore","setupScroll","history","scrollRestoration","protocolAndPath","protocol","host","absolutePath","stateCopy","replaceState","addEventListener","handlePopState","removeEventListener","handleScroll","isPop","behavior","scrollBehavior","$nextTick","position","getScrollPosition","shouldScroll","scrollToPosition","saveScrollPosition","pageXOffset","y","pageYOffset","isValidPosition","isNumber","normalizePosition","v","hashStartsWithNumberRE","isObject","selector","el","getElementById","querySelector","docRect","documentElement","getBoundingClientRect","elRect","top","getElementPosition","style","scrollTo","ua","supportsPushState","pushState","NavigationFailureType","redirected","aborted","cancelled","duplicated","createNavigationCancelledError","createRouterError","_isRouter","propertiesToLog","isError","isNavigationFailure","errorType","runQueue","queue","cb","step","flatMapComponents","flatten","hasSymbol","toStringTag","called","History","baseEl","normalizeBase","pending","ready","readyCbs","readyErrorCbs","errorCbs","extractGuards","records","reverse","guards","def","guard","extractGuard","bindGuard","listen","onReady","errorCb","transitionTo","onComplete","onAbort","prev","confirmTransition","updateRoute","ensureURL","afterHooks","abort","lastRouteIndex","lastCurrentIndex","max","Math","updated","activated","deactivated","resolveQueue","extractLeaveGuards","beforeHooks","extractUpdateHooks","hasAsync","cid","resolvedDef","__esModule","resolved","reason","msg","comp","iterator","createNavigationAbortedError","createNavigationRedirectedError","enterGuards","bindEnterGuard","extractEnterGuards","resolveHooks","setupListeners","teardown","cleanupListener","HTML5History","_startLocation","getLocation","constructor","expectScroll","supportsScroll","handleRoutingEvent","go","n","fromRoute","getCurrentLocation","pathname","pathLowerCase","baseLowerCase","search","HashHistory","fallback","checkFallback","ensureSlash","replaceHash","eventType","pushHash","getUrl","AbstractHistory","targetIndex","VueRouter","apps","matcher","mode","prototypeAccessors","$once","routeOrError","handleInitialScroll","_route","beforeEach","registerHook","beforeResolve","afterEach","back","forward","getMatchedComponents","createHref","normalizedTo","defineProperties","VueRouter$1","list","Vue","installed","isDef","registerInstance","callVal","$options","_parentVnode","mixin","beforeCreate","_router","util","defineReactive","destroyed","strats","optionMergeStrategies","beforeRouteEnter","beforeRouteLeave","beforeRouteUpdate","created","version","START_LOCATION","Router","originalPush","generateUrl","view","emits","fillColor","_vm","_c","_self","_b","staticClass","$event","$emit","$attrs","_v","viewConfig","loadState","useViewConfigStore","getConfig","onUpdate","update","axios","put","setSortingBy","toggleSortingDirection","newDirection","sorting_direction","viewConfigStore","_initialized","subscribe","_ref","getLoggerBuilder","setApp","detectUser","build","throttle","delay","timeoutID","_ref$noTrailing","noTrailing","_ref$noLeading","noLeading","_ref$debounceMode","debounceMode","lastExec","clearExistingTimeout","clearTimeout","wrapper","_len","arguments_","elapsed","clear","cancel","_ref2$upcomingOnly","upcomingOnly","ChartPie","NcAppNavigationItem","NcProgressBar","loadingStorageStats","storageStats","computed","storageStatsTitle","_this$storageStats","_this$storageStats2","_this$storageStats3","usedQuotaByte","formatFileSize","used","quotaByte","quota","t","storageStatsTooltip","beforeMount","setInterval","throttleUpdateStorageStats","mounted","_this$storageStats4","_this$storageStats5","free","showStorageFullWarning","methods","debounceUpdateStorageStats","_ref$atBegin","atBegin","updateStorageStats","_response$data","_this$storageStats6","_response$data$data","_response$data$data2","logger","showError","translate","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","stopPropagation","slot","min","Function","$el","appendChild","userConfig","show_hidden","crop_image_previews","sort_favorites_first","sort_folders_first","grid_view","useUserConfigStore","userConfigStore","Clipboard","NcAppSettingsDialog","NcAppSettingsSection","NcCheckboxRadioSwitch","NcInputField","Setting","_window$OCA","_getCurrentUser","_loadState$enable_non","OCA","Files","Settings","webdavUrl","generateRemoteUrl","getCurrentUser","uid","webdavDocs","appPasswordUrl","webdavUrlCopied","enableGridView","setting","beforeDestroy","close","onClose","setConfig","copyCloudId","select","showSuccess","_l","scopedSlots","_u","Cog","NavigationQuota","NcAppNavigation","NcIconSvgWrapper","SettingsModal","settingsOpened","currentViewId","_this$$route","currentView","views","find","$navigation","parentViews","order","childViews","watch","oldView","setActive","debug","showView","useExactRouteMatching","_this$childViews$view","_window","_window$close","Sidebar","onToggleExpand","isExpanded","expanded","_this$viewConfigStore","generateToNavigation","dir","openSettings","onSettingsClose","iconClass","sticky","FileAction","displayName","iconSvgInline","InformationSvg","enabled","nodes","_nodes$0$root","root","permissions","Permission","NONE","OCP","goToRoute","fileid","useFilesStore","fileStore","roots","getNode","getNodes","ids","getRoot","service","updateNodes","acc","deleteNodes","setRoot","onDeletedNode","onCreatedNode","onUpdatedNode","usePathsStore","pathsStore","paths","getPath","addPath","_getNavigation","getNavigation","active","FileType","Folder","dirname","_children","parentId","parentFolder","useSelectionStore","selected","lastSelection","lastSelectedIndex","selection","setLastIndex","reset","uploader","useUploaderStore","getUploader","toISOString","Directory","File","contents","super","_contents","_computeDirectorySize","lastModified","_computeDirectoryMtime","directory","entry","traverseTree","isFile","readDirectory","all","dirReader","createReader","getEntries","readEntries","results","createDirectoryIfNotExists","davClient","davGetClient","exists","createDirectory","recursive","stat","details","davGetDefaultPropfind","davResultToNode","resolveConflict","destination","conflicts","basename","uploads","renamed","openConflictPicker","showInfo","getQueue","PQueue","concurrency","MoveCopyAction","canMove","ALL","UPDATE","canCopy","_node$attributes$shar","_node$attributes","attributes","some","attribute","canDownload","rootPath","defaultRootUrl","hashCode","client","rootUrl","createClient","headers","requesttoken","getRequestToken","getPatcher","patch","_options$headers","method","request","getClient","resultToNode","userId","davParsePermissions","owner","filename","nodeData","mtime","lastmod","mime","hasPreview","failed","getContents","controller","AbortController","propfindPayload","CancelablePromise","onCancel","contentsResponse","getDirectoryContents","includeSelf","signal","folder","getSummaryFor","fileCount","folderCount","getActionForNodes","MOVE_OR_COPY","MOVE","COPY","handleCopyMoveNodeTo","overwrite","NodeStatus","LOADING","copySuffix","currentPath","davRootPath","destinationPath","otherNodes","otherNames","suffix","ignoreFileExtension","newName","ext","extname","getUniqueName","copyFile","hasConflict","deleteFile","moveFile","AxiosError","_error$response","_error$response2","_error$response3","openFilePickerForAction","fileIDs","filePicker","getFilePickerBuilder","allowDirectories","setFilter","CREATE","setMimeTypeFilter","setMultiSelect","startAt","setButtonFactory","_selection","buttons","dirnames","escape","sanitize","CopyIconSvg","FolderMoveSvg","FilePickerClosed","_node$root","execBatch","promises","dataTransferToFileTree","items","kind","_item$getAsEntry","_item$getAsEntry2","_item$webkitGetAsEntr","getAsEntry","webkitGetAsEntry","warned","fileTree","DataTransferItem","getAsFile","showWarning","onDropExternalFiles","uploadDirectoryContents","relativePath","joinPaths","upload","pause","start","errors","allSettled","onDropInternalFiles","isCopy","useDragAndDropStore","dragging","filesListWidth","_fileListEl$clientWid","fileListEl","clientWidth","$resizeObserver","ResizeObserver","contentRect","width","observe","disconnect","defineComponent","NcBreadcrumbs","NcBreadcrumb","mixins","filesListWidthMixin","draggingStore","filesStore","selectionStore","uploaderStore","dirs","sections","getFileIdFromPath","getDirDisplayName","disableDrop","isUploadInProgress","wrapUploadProgressBar","viewIcon","_this$currentView$ico","_this$currentView","selectedFiles","draggingFiles","getNodeFromId","_this$$navigation","fileId","onClick","_to$query","onDragOver","dataTransfer","dropEffect","onDrop","_event$dataTransfer","_event$dataTransfer2","_this$currentView2","canDrop","titleForSection","section","_section$to","ariaForSection","_section$to2","_setupProxy","_t","nativeOn","useActionsMenuStore","opened","useRenamingStore","renamingStore","renamingNode","FileMultipleIcon","FolderIcon","isSingleNode","isSingleFolder","summary","totalSize","total","parseInt","$refs","previewImg","replaceChildren","preview","parentNode","cloneNode","Preview","DragAndDropPreview","directive","vOnClickOutside","NcFile","Node","loading","dragover","gridMode","currentDir","currentFileId","_this$$route$params","_this$$route$query","_this$source","uniqueId","isLoading","extension","_this$source$attribut","isSelected","isRenaming","isRenamingSmallScreen","_this$fileid","_this$fileid$toString","_this$currentFileId","_this$currentFileId$t","canDrag","openedMenu","actionsMenuStore","_this$$el","closest","removeProperty","resetState","_this$$refs","_this$$refs$reset","onRightClick","_this$$el2","setProperty","clientX","clientY","isMoreThanOneSelected","execDefaultAction","openDetailsIfAvailable","_sidebarAction$enable","sidebarAction","onDragLeave","contains","relatedTarget","onDragStart","_event$dataTransfer$c","clearData","image","$mount","$on","$off","getDragAndDropPreview","setDragImage","onDragEnd","_event$dataTransfer3","_event$dataTransfer4","updateRootElement","element","getFileActions","ArrowLeftIcon","CustomElementRender","NcActionButton","NcActions","NcActionSeparator","NcLoadingIcon","openedSubmenu","enabledActions","enabledInlineActions","_action$inline","inline","enabledRenderActions","renderInline","enabledDefaultActions","enabledMenuActions","DefaultType","HIDDEN","findIndex","topActionsIds","enabledSubmenuActions","getBoundariesElement","mountType","_attributes","actionDisplayName","onActionClick","isSubmenu","success","isMenu","_this$enabledSubmenuA","onBackToMenuClick","menuAction","_menuAction$$el$query","focus","_vm$openedSubmenu","_vm$openedSubmenu2","_action$title","refInFor","_action$title2","keyboardStore","onEvent","useKeyboardStore","ariaLabel","onSelectionChange","_this$keyboardStore","newSelectedIndex","isAlreadySelected","filesToSelect","resetSelection","_k","keyCode","forbiddenCharacters","NcTextField","renameLabel","linkTo","_this$$parent","is","role","tabindex","READ","immediate","renaming","startRenaming","checkInputValidity","_this$newName$trim","_this$newName","isFileNameValid","setCustomValidity","reportValidity","trimmedName","OC","blacklist_files_regex","checkIfNodeExists","char","_this$$refs$renameInp","extLength","renameInput","inputField","setSelectionRange","Event","stopRenaming","onRename","_this$newName$trim2","_this$newName2","oldName","oldEncodedSource","encodedSource","rename","Destination","Overwrite","directives","rawName","expression","domProps","StarSvg","_el$setAttribute","setAttribute","AccountGroupIcon","AccountPlusIcon","CollectivesIcon","FavoriteIcon","FileIcon","FolderOpenIcon","KeyIcon","LinkIcon","NetworkIcon","TagIcon","backgroundFailed","_this$source$toString","isFavorite","favorite","cropPreviews","previewUrl","searchParams","fileOverlay","PlayCircleIcon","folderOverlay","_this$source2","_this$source3","_this$source4","_this$source5","shareTypes","ShareType","SHARE_TYPE_LINK","SHARE_TYPE_EMAIL","src","onBackgroundError","_event$target","_m","FileEntryActions","FileEntryCheckbox","FileEntryName","FileEntryPreview","NcDateTime","FileEntryMixin","isMtimeAvailable","isSizeAvailable","compact","rowListeners","dragstart","contextmenu","dragleave","dragend","drop","columns","sizeOpacity","ratio","round","pow","mtimeOpacity","_this$source$mtime","_this$source$mtime$ge","maxOpacityTime","getTime","mtimeTitle","moment","format","_g","column","_vm$currentView","inheritAttrs","header","currentFolder","mount","_this$currentFolder","classForColumn","_column$summary","keysOrMapper","reduced","storeKey","sortingMode","_this$getConfig","sorting_mode","defaultSortKey","isAscSorting","_this$getConfig2","toggleSortBy","MenuDown","MenuUp","NcButton","filesSortingMixin","FilesListTableHeaderButton","selectAllBind","checked","isAllSelected","indeterminate","isSomeSelected","selectedNodes","isNoneSelected","ariaSortForMode","onToggleAll","dataComponent","dataKey","dataSources","extraProps","scrollToIndex","caption","beforeHeight","headerHeight","tableHeight","resizeObserver","isReady","bufferItems","columnCount","itemHeight","itemWidth","rowCount","ceil","floor","startIndex","shownItems","renderedItems","oldItemsKeys","$_recycledPool","unusedKeys","random","tbodyStyle","isOverScrolled","lastIndex","hiddenAfterItems","paddingTop","paddingBottom","oldColumnCount","_this$$refs2","before","thead","debounce","_before$clientHeight","_thead$clientHeight","_root$clientHeight","clientHeight","onScroll","passive","targetRow","scrollTop","_this$_onScrollHandle","_onScrollHandle","requestAnimationFrame","topScroll","areSomeNodesLoading","inlineActions","selectionIds","failedIds","FilesListHeader","FilesListTableFooter","FilesListTableHeader","VirtualList","FilesListTableHeaderActions","FileEntry","FileEntryGrid","getFileListHeaders","openFileId","openFile","openfile","sortedHeaders","defaultCaption","viewCaption","sortableCaption","virtualListNote","scrollToFile","handleOpenFile","openSidebarForFile","getFileId","types","tableTop","table","tableBottom","height","TrayArrowDownIcon","canUpload","isQuotaExceeded","cantUploadLabel","mainContent","onContentDrop","_event$relatedTarget","_this$$el$querySelect","lastUpload","findLast","_upload$response","UploadStatus","FAILED","webkitRelativePath","_this$$route$params$v","isSharingEnabled","_getCapabilities","getCapabilities","files_sharing","BreadCrumbs","DragAndDropNotice","FilesListVirtual","ListViewIcon","NcAppContent","NcEmptyContent","PlusIcon","UploadPicker","ViewGridIcon","filterText","promise","Type","_unsubscribeStore","pageHeading","_this$currentView$nam","sortingParameters","_v$attributes","_v$attributes2","dirContentsSorted","_this$currentView3","filteredDirContent","dirContents","customColumn","collection","identifiers","orders","_identifiers","_orders","sorting","_orders$index","collator","Intl","Collator","getLanguage","getCanonicalLocale","numeric","usage","identifier","compare","orderBy","_this$userConfigStore","showHidden","_file$attributes","hidden","isEmptyDir","isRefreshing","toPreviousDir","shareAttributes","_this$currentFolder2","_this$currentFolder3","shareButtonLabel","shareButtonType","SHARE_TYPE_USER","gridViewButtonLabel","_this$currentFolder4","canShare","SHARE","newView","resetSearch","fetchContent","newDir","oldDir","filesListVirtual","onSearch","unmounted","unsubscribe","_this$promise","$set","onUpload","_this$currentFolder5","onUploadFail","_upload$response2","parser","Parser","explicitRoot","parseStringPromise","_this$currentFolder6","searchEvent","openSharingSidebar","setActiveTab","toggleGridView","translatePlural","_vm$currentView2","emptyTitle","emptyCaption","NcContent","FilesList","Navigation","__webpack_nonce__","btoa","_window$OCA$Files","_window$OCP$Files","goTo","_provided","provideCache","observable","_settings","register","_defineProperty","_name","_el","_open","_close","FilesApp","_typeof","_exports","_setPrototypeOf","setPrototypeOf","_createSuper","Derived","hasNativeReflectConstruct","construct","sham","valueOf","_isNativeReflectConstruct","Super","_getPrototypeOf","NewTarget","ReferenceError","_assertThisInitialized","_possibleConstructorReturn","getPrototypeOf","_createForOfIteratorHelper","allowArrayLike","it","minLen","_arrayLikeToArray","_unsupportedIterableToArray","F","s","done","f","normalCompletion","didErr","_e2","return","arr2","_classCallCheck","Constructor","_defineProperties","_createClass","protoProps","staticProps","_classPrivateFieldInitSpec","privateMap","privateCollection","_checkPrivateRedeclaration","_classPrivateFieldGet","receiver","_classApplyDescriptorGet","_classExtractFieldDescriptor","_classPrivateFieldSet","_classApplyDescriptorSet","cancelable","isCancelablePromise","_internals","_promise","CancelablePromiseInternal","_ref$executor","executor","_ref$internals","internals","isCanceled","onCancelList","_ref$promise","onfulfilled","onrejected","makeCancelable","createCallback","onfinally","runWhenCanceled","_this","finally","callbacks","_step","_iterator","_CancelablePromiseInt","subClass","superClass","_inherits","_super","iterable","makeAllCancelable","any","race","_default","onResult","arg","_step2","_iterator2","resolvable","___CSS_LOADER_URL_IMPORT_0___","___CSS_LOADER_URL_IMPORT_1___","___CSS_LOADER_EXPORT___","___CSS_LOADER_URL_REPLACEMENT_0___","___CSS_LOADER_URL_REPLACEMENT_1___","sax","opt","SAXParser","SAXStream","createStream","MAX_BUFFER_LENGTH","Stream","buffers","clearBuffers","q","bufferCheckPosition","lowercase","lowercasetags","looseCase","tags","closed","closedRoot","sawRoot","noscript","S","BEGIN","strictEntities","ENTITIES","XML_ENTITIES","attribList","xmlns","ns","rootNS","trackPosition","line","EVENTS","write","chunk","BEGIN_WHITESPACE","beginWhiteSpace","TEXT","starti","textNode","substring","isWhitespace","strictFail","TEXT_ENTITY","OPEN_WAKA","startTagPosition","SCRIPT","SCRIPT_ENDING","script","CLOSE_TAG","SGML_DECL","sgmlDecl","isMatch","nameStart","OPEN_TAG","tagName","PROC_INST","procInstName","procInstBody","pad","CDATA","emitNode","cdata","COMMENT","comment","DOCTYPE","doctype","isQuote","SGML_DECL_QUOTED","DOCTYPE_DTD","DOCTYPE_QUOTED","DOCTYPE_DTD_QUOTED","COMMENT_ENDING","COMMENT_ENDED","textopts","CDATA_ENDING","CDATA_ENDING_2","PROC_INST_ENDING","PROC_INST_BODY","nameBody","newTag","openTag","OPEN_TAG_SLASH","ATTRIB","closeTag","attribName","attribValue","ATTRIB_NAME","ATTRIB_VALUE","attrib","ATTRIB_NAME_SAW_WHITE","ATTRIB_VALUE_QUOTED","ATTRIB_VALUE_UNQUOTED","ATTRIB_VALUE_ENTITY_Q","ATTRIB_VALUE_CLOSED","isAttribEnd","ATTRIB_VALUE_ENTITY_U","CLOSE_TAG_SAW_WHITE","notMatch","returnState","buffer","unparsedEntities","parsedEntity","parseEntity","entity","entityBody","entityStart","maxAllowed","maxActual","closeText","checkBufferLength","resume","ex","streamWraps","ev","_parser","readable","me","onend","er","_decoder","Buffer","isBuffer","SD","XML_NAMESPACE","XMLNS_NAMESPACE","xml","stringFromCharCode","fromCodePoint","STATE","COMMENT_STARTING","nodeType","normalize","qname","qualName","local","qn","selfClosing","uri","nv","isSelfClosing","closeTo","num","entityLC","numStr","highSurrogate","lowSurrogate","codeUnits","codePoint","isFinite","RangeError","setImmediate","registerImmediate","html","channel","messagePrefix","onGlobalMessage","nextHandle","tasksByHandle","currentlyRunningATask","doc","attachTo","process","handle","nextTick","runIfPresent","postMessage","importScripts","postMessageIsAsynchronous","oldOnMessage","onmessage","canUsePostMessage","attachEvent","MessageChannel","port1","port2","onreadystatechange","removeChild","task","clearImmediate","g","d","RC","autostart","ignoreSameProgress","rate","lastTimestamp","lastProgress","historyTimeConstant","previousOutput","dt","report","progress","timestamp","deltaTimestamp","currentRate","estimate","Infinity","estimatedTime","Timeout","clearFn","_id","_clearFn","clearInterval","timeout","unref","enroll","msecs","_idleTimeoutId","_idleTimeout","unenroll","_unrefActive","_onTimeout","stripBOM","builder","defaults","escapeCDATA","requiresCDATA","wrapCDATA","hasProp","Builder","buildObject","rootObj","attrkey","charkey","rootElement","rootName","attr","txt","ele","up","att","xmldec","headless","allowSurrogateChars","renderOpts","explicitCharkey","normalizeTags","explicitArray","ignoreAttrs","mergeAttrs","validator","explicitChildren","childkey","charsAsChildren","includeWhiteChars","attrNameProcessors","attrValueProcessors","tagNameProcessors","valueProcessors","emptyTag","preserveChildrenOrder","chunkSize","isEmpty","processItem","processors","thing","parseString","assignOrPush","processAsync","xmlnskey","ctor","__super__","remaining","saxParser","error1","errThrown","ontext","ended","resultObject","EXPLICIT_CHARKEY","onopentag","processedKey","onclosetag","emptyStr","nodeName","objClone","old","xpath","getOwnPropertyNames","charChild","oncdata","prefixMatch","firstCharLowerCase","stripPrefix","parseFloat","ValidationError","Disconnected","Preceding","Following","Contains","ContainedBy","ImplementationSpecific","Element","Attribute","Text","CData","EntityReference","EntityDeclaration","ProcessingInstruction","Comment","Document","DocType","DocumentFragment","NotationDeclaration","Declaration","Raw","AttributeDeclaration","ElementDeclaration","Dummy","getValue","isFunction","sources","proto","None","OpenTag","InsideTag","CloseTag","NodeType","XMLAttribute","debugInfo","attValue","isId","schemaTypeInfo","writer","filterOptions","isEqualNode","namespaceURI","localName","XMLCharacterData","XMLCData","XMLNode","substringData","count","appendData","insertData","deleteData","replaceData","XMLComment","XMLDOMErrorHandler","XMLDOMStringList","XMLDOMConfiguration","defaultParams","getParameter","canSetParameter","setParameter","handleError","XMLDOMImplementation","hasFeature","feature","createDocumentType","qualifiedName","publicId","systemId","createDocument","createHTMLDocument","getFeature","XMLDTDAttList","elementName","attributeName","attributeType","defaultValueType","dtdAttType","dtdAttDefault","dtdAttList","XMLDTDElement","dtdElementValue","dtdElement","XMLDTDEntity","pe","pubID","sysID","internal","dtdPubID","dtdSysID","nData","dtdNData","dtdEntityValue","dtdEntity","XMLDTDNotation","dtdNotation","XMLDeclaration","encoding","standalone","xmlVersion","xmlEncoding","xmlStandalone","declaration","XMLNamedNodeMap","XMLDocType","ref1","ref2","documentObject","attList","pEntity","notation","docType","ent","pent","not","XMLStringWriter","XMLStringifier","XMLDocument","documentURI","domConfig","rootObject","writerOptions","createDocumentFragment","createTextNode","createComment","createCDATASection","createProcessingInstruction","createAttribute","createEntityReference","getElementsByTagName","tagname","importNode","importedNode","createElementNS","createAttributeNS","getElementsByTagNameNS","elementId","adoptNode","normalizeDocument","renameNode","getElementsByClassName","classNames","eventInterface","createRange","createNodeIterator","whatToShow","createTreeWalker","WriterState","XMLElement","XMLProcessingInstruction","XMLRaw","XMLText","XMLDocumentCB","onData","onEnd","onDataCallback","onEndCallback","currentNode","currentLevel","openTags","documentStarted","documentCompleted","createChildNode","attName","attribs","dummy","instruction","openCurrent","oldValidationFlag","noValidation","keepNullAttributes","insTarget","insValue","processingInstruction","rootNodeName","closeNode","openNode","isOpen","indent","endline","isClosed","level","nod","dat","com","ins","dec","dtd","r","XMLDummy","isRoot","attributeMap","clonedSelf","clonedChild","removeAttribute","getAttributeNode","setAttributeNode","newAttr","removeAttributeNode","oldAttr","getAttributeNS","setAttributeNS","removeAttributeNS","getAttributeNodeNS","setAttributeNodeNS","hasAttribute","hasAttributeNS","setIdAttribute","setIdAttributeNS","setIdAttributeNode","idAttr","getNamedItem","setNamedItem","oldNode","removeNamedItem","getNamedItemNS","setNamedItemNS","removeNamedItemNS","DocumentPosition","XMLNodeList","parent1","baseURI","childNodeList","textContent","setParent","childNode","k","lastChild","len1","ref3","ignoreDecorators","convertAttKey","separateArrayItems","keepNullNodes","convertTextKey","convertCDataKey","convertCommentKey","convertRawKey","convertPIKey","insertBefore","newChild","refChild","removed","insertAfter","remove","commentBefore","commentAfter","instructionBefore","instructionAfter","importDocument","clonedRoot","u","importXMLBuilder","replaceChild","oldChild","hasChildNodes","isSupported","hasAttributes","compareDocumentPosition","other","isAncestor","isDescendant","isPreceding","isSameNode","lookupPrefix","isDefaultNamespace","lookupNamespaceURI","setUserData","getUserData","nodePos","thisPos","treePosition","isFollowing","found","pos","foreachTreeNode","func","XMLWriterBase","XMLStreamWriter","stream","isLastRootNode","writeChildNode","spaceBeforeSlash","childNodeCount","firstChildNode","allowEmpty","suppressPrettyCount","newline","assertLegalName","assertLegalChar","textEscape","attEscape","ampregex","noDoubleEncoding","previousSibling","nextSibling","splitText","replaceWholeText","content","filteredOptions","ref4","ref5","ref6","dontPrettyTextNodes","dontprettytextnodes","spacebeforeslash","user","indentLevel","openAttribute","closeAttribute","prettySuppressed","begin","stringWriter","streamWriter","implementation","writerState","setUid","Ne","_entries","registerEntry","validateEntry","unregisterEntry","getEntryIndex","C","P","Yt","toLocaleString","W","DEFAULT","Qt","_action","validateAction","_nc_fileactions","nr","_nc_filelistheader","N","DELETE","Z","nc","oc","ocs","V","_nc_dav_properties","L","_nc_dav_namespaces","sr","or","be","Y","crtime","J","NEW","LOCKED","Q","_data","_knownDavService","updateMtime","deleteProperty","isDavRessource","move","ye","D","ur","setHeaders","fetch","dr","ve","getcontentlength","Te","_views","_currentView","ar","_nc_navigation","Ie","_column","Ae","R","O","isExist","isEmptyObject","merge","isName","getAllMatches","nameRegexp","M","Oe","allowBooleanAttributes","unpairedTags","X","U","w","G","validate","Se","xe","z","code","tagClosed","tagStartPos","col","Ve","Ce","Pe","$e","Le","Fe","te","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","attributeValueProcessor","stopNodes","alwaysCreateTextNode","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","buildOptions","defaultOptions","Be","Xe","Ue","Ge","ze","He","Ke","We","je","Ye","Je","decimalPoint","T","addChild","tt","entityName","regx","entities","rt","skipLike","De","lastEntities","st","replaceEntitiesValue","$","ot","ut","resolveNameSpace","at","saveTextToParentTag","lastIndexOf","tagsNodeStack","tagExp","attrExpPresent","buildAttributesMap","closeIndex","docTypeEntities","parseTextData","rawTagName","isItStopNode","E","readStopNodeData","tagContent","lt","ft","ampEntity","ct","ht","pt","trimStart","gt","ne","ie","Nt","bt","Et","prettify","yt","apos","quot","space","cent","pound","yen","euro","copyright","reg","inr","addExternalEntities","parseXml","vt","Tt","se","Pt","xt","oe","H","indentBy","suppressUnpairedNode","suppressEmptyNode","endsWith","suppressBooleanAttributes","Ft","Vt","oneListGroup","isAttribute","attrPrefixLen","Rt","processTextOrObjNode","Lt","indentate","St","tagEndChar","newLine","j2x","buildTextValNode","attrStr","buildObjectNode","arrayNodeName","buildAttrPairStr","K","XMLParser","externalEntities","addEntity","XMLValidator","XMLBuilder","cr","_view","Ut","emptyView","Xt","gr","_nc_newfilemenu","localeCompare","sensitivity","CancelError","promiseState","canceled","rejected","PCancelable","userFunction","description","shouldReject","boolean","onFulfilled","onRejected","onFinally","TimeoutError","AbortError","getDOMException","errorMessage","DOMException","getAbortedReason","PriorityQueue","enqueue","priority","array","comparator","first","trunc","lowerBound","dequeue","carryoverConcurrencyCount","intervalCap","POSITIVE_INFINITY","interval","autoStart","queueClass","throwOnTimeout","canInitializeInterval","job","newConcurrency","_resolve","function_","throwIfAborted","milliseconds","customTimers","timer","cancelablePromise","sign","timeoutError","pTimeout","addAll","functions","onEmpty","onSizeLessThan","limit","onIdle","sizeBy","isPaused","A","onUploadProgress","B","appConfig","max_chunk_size","INITIALIZED","UPLOADING","ASSEMBLING","FINISHED","CANCELLED","_source","_file","_isChunked","_chunks","_size","_uploaded","_startTime","_status","_controller","_response","isChunked","chunks","startTime","uploaded","I","IDLE","PAUSED","_destinationFolder","_isPublic","_uploadQueue","_jobQueue","_queueSize","_queueProgress","_queueStatus","_notifiers","isPublic","maxChunksSize","updateStats","addNotifier","bytes","ts","staticRenderFns","_compiled","_scopeId","ssrContext","__VUE_SSR_CONTEXT__","_registeredComponents","_ssrRegister","$root","shadowRoot","_injectStyles","ms","fill","viewBox","fs","xs","detectLocale","locale","json","charset","Language","translations","msgid","comments","translator","msgstr","Add","paused","msgid_plural","extracted","Cancel","Continue","New","addTranslation","Gs","ngettext","gettext","Ls","Plus","Upload","disabled","multiple","addLabel","cancelLabel","uploadLabel","progressLabel","progressTimeId","eta","timeLeft","newFileMenuEntries","uploadManager","totalQueueSize","uploadedQueueSize","hasFailure","isUploading","isAssembling","buttonName","setDestination","updateStatus","onUploadCompletion","onPick","Us","ys","form","setSeconds","seconds","Ys","decorative","svg","change","submit","$destroy","baseURL","noRewrite","modRewriteWorking","_oc_webroot","Axios","CanceledError","isCancel","CancelToken","VERSION","isAxiosError","spread","toFormData","AxiosHeaders","HttpStatusCode","formToJSON","getAdapter","mergeConfig","__webpack_module_cache__","__webpack_require__","moduleId","cachedModule","loaded","__webpack_modules__","chunkIds","notFulfilled","fulfilled","getter","definition","chunkId","needAttach","scripts","onScriptComplete","doneFns","head","nmd","scriptUrl","currentScript","installedChunks","installedChunkData","realSrc","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""} \ No newline at end of file
diff --git a/package-lock.json b/package-lock.json
index d70e18c841f..ddee0096c3c 100644
--- a/package-lock.json
+++ b/package-lock.json
@@ -59,7 +59,6 @@
"marked": "^9.1.5",
"moment": "^2.30.1",
"moment-timezone": "^0.5.45",
- "natural-orderby": "^3.0.2",
"nextcloud-vue-collections": "^0.12.0",
"node-vibrant": "^3.1.6",
"p-limit": "^4.0.0",
@@ -20784,14 +20783,6 @@
"integrity": "sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==",
"dev": true
},
- "node_modules/natural-orderby": {
- "version": "3.0.2",
- "resolved": "https://registry.npmjs.org/natural-orderby/-/natural-orderby-3.0.2.tgz",
- "integrity": "sha512-x7ZdOwBxZCEm9MM7+eQCjkrNLrW3rkBKNHVr78zbtqnMGVNlnDi6C/eUEYgxHNrcbu0ymvjzcwIL/6H1iHri9g==",
- "engines": {
- "node": ">=18"
- }
- },
"node_modules/negotiator": {
"version": "0.6.3",
"resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz",
diff --git a/package.json b/package.json
index e9d7479d0f8..a8be739527a 100644
--- a/package.json
+++ b/package.json
@@ -86,7 +86,6 @@
"marked": "^9.1.5",
"moment": "^2.30.1",
"moment-timezone": "^0.5.45",
- "natural-orderby": "^3.0.2",
"nextcloud-vue-collections": "^0.12.0",
"node-vibrant": "^3.1.6",
"p-limit": "^4.0.0",