diff --git a/apps/files/src/components/BreadCrumbs.vue b/apps/files/src/components/BreadCrumbs.vue index 0727c8d3ad892..9f77b7502ba14 100644 --- a/apps/files/src/components/BreadCrumbs.vue +++ b/apps/files/src/components/BreadCrumbs.vue @@ -71,6 +71,7 @@ import { useSelectionStore } from '../store/selection.ts' import { useUploaderStore } from '../store/uploader.ts' import filesListWidthMixin from '../mixins/filesListWidth.ts' import logger from '../logger' +import type { FileSource } from '../types.ts' export default defineComponent({ name: 'BreadCrumbs', @@ -123,8 +124,9 @@ export default defineComponent({ sections() { return this.dirs.map((dir: string, index: number) => { - const fileid = this.getFileIdFromPath(dir) - const to = { ...this.$route, params: { fileid }, query: { dir } } + const source = this.getFileSourceFromPath(dir) + const node: Node | undefined = source ? this.getNodeFromSource(source) : undefined + const to = { ...this.$route, params: { node: node?.fileid }, query: { dir } } return { dir, exact: true, @@ -153,19 +155,19 @@ export default defineComponent({ }, selectedFiles() { - return this.selectionStore.selected + return this.selectionStore.selected as FileSource[] }, draggingFiles() { - return this.draggingStore.dragging + return this.draggingStore.dragging as FileSource[] }, }, methods: { - getNodeFromId(id: number): Node | undefined { - return this.filesStore.getNode(id) + getNodeFromSource(source: FileSource): Node | undefined { + return this.filesStore.getNode(source) }, - getFileIdFromPath(path: string): number | undefined { + getFileSourceFromPath(path: string): FileSource | undefined { return this.pathsStore.getPath(this.currentView!.id, path) }, getDirDisplayName(path: string): string { @@ -173,8 +175,8 @@ export default defineComponent({ return this.$navigation?.active?.name || t('files', 'Home') } - const fileId: number | undefined = this.getFileIdFromPath(path) - const node: Node | undefined = (fileId) ? this.getNodeFromId(fileId) : undefined + const source: FileSource | undefined = this.getFileSourceFromPath(path) + const node: Node | undefined = source ? this.getNodeFromSource(source) : undefined return node?.attributes?.displayName || basename(path) }, @@ -244,12 +246,12 @@ export default defineComponent({ } // Else we're moving/copying files - const nodes = selection.map(fileid => this.filesStore.getNode(fileid)) as Node[] + const nodes = selection.map(source => this.filesStore.getNode(source)) as Node[] await onDropInternalFiles(nodes, folder, contents.contents, isCopy) // Reset selection after we dropped the files // if the dropped files are within the selection - if (selection.some(fileid => this.selectedFiles.includes(fileid))) { + if (selection.some(source => this.selectedFiles.includes(source))) { logger.debug('Dropped selection, resetting select store...') this.selectionStore.reset() } diff --git a/apps/files/src/components/FileEntry/FileEntryCheckbox.vue b/apps/files/src/components/FileEntry/FileEntryCheckbox.vue index 747ff8d6cc9e0..26161df628ada 100644 --- a/apps/files/src/components/FileEntry/FileEntryCheckbox.vue +++ b/apps/files/src/components/FileEntry/FileEntryCheckbox.vue @@ -41,6 +41,7 @@ import NcLoadingIcon from '@nextcloud/vue/dist/Components/NcLoadingIcon.js' import { useKeyboardStore } from '../../store/keyboard.ts' import { useSelectionStore } from '../../store/selection.ts' import logger from '../../logger.js' +import type { FileSource } from '../../types.ts' export default defineComponent({ name: 'FileEntryCheckbox', @@ -83,10 +84,10 @@ export default defineComponent({ return this.selectionStore.selected }, isSelected() { - return this.selectedFiles.includes(this.fileid) + return this.selectedFiles.includes(this.source.source) }, index() { - return this.nodes.findIndex((node: Node) => node.fileid === this.fileid) + return this.nodes.findIndex((node: Node) => node.source === this.source.source) }, isFile() { return this.source.type === FileType.File @@ -105,20 +106,20 @@ export default defineComponent({ // Get the last selected and select all files in between if (this.keyboardStore?.shiftKey && lastSelectedIndex !== null) { - const isAlreadySelected = this.selectedFiles.includes(this.fileid) + const isAlreadySelected = this.selectedFiles.includes(this.source.source) const start = Math.min(newSelectedIndex, lastSelectedIndex) const end = Math.max(lastSelectedIndex, newSelectedIndex) const lastSelection = this.selectionStore.lastSelection const filesToSelect = this.nodes - .map(file => file.fileid) + .map(file => file.source) .slice(start, end + 1) - .filter(Boolean) as number[] + .filter(Boolean) as FileSource[] // If already selected, update the new selection _without_ the current file const selection = [...lastSelection, ...filesToSelect] - .filter(fileid => !isAlreadySelected || fileid !== this.fileid) + .filter(source => !isAlreadySelected || source !== this.source.source) logger.debug('Shift key pressed, selecting all files in between', { start, end, filesToSelect, isAlreadySelected }) // Keep previous lastSelectedIndex to be use for further shift selections @@ -127,8 +128,8 @@ export default defineComponent({ } const selection = selected - ? [...this.selectedFiles, this.fileid] - : this.selectedFiles.filter(fileid => fileid !== this.fileid) + ? [...this.selectedFiles, this.source.source] + : this.selectedFiles.filter(source => source !== this.source.source) logger.debug('Updating selection', { selection }) this.selectionStore.set(selection) diff --git a/apps/files/src/components/FileEntryMixin.ts b/apps/files/src/components/FileEntryMixin.ts index bfdd016d1655f..03fefe80f7ba2 100644 --- a/apps/files/src/components/FileEntryMixin.ts +++ b/apps/files/src/components/FileEntryMixin.ts @@ -21,6 +21,7 @@ */ import type { ComponentPublicInstance, PropType } from 'vue' +import type { FileSource } from '../types.ts' import { showError } from '@nextcloud/dialogs' import { FileType, Permission, Folder, File as NcFile, NodeStatus, Node, View } from '@nextcloud/files' @@ -102,13 +103,13 @@ export default defineComponent({ }, draggingFiles() { - return this.draggingStore.dragging + return this.draggingStore.dragging as FileSource[] }, selectedFiles() { - return this.selectionStore.selected + return this.selectionStore.selected as FileSource[] }, isSelected() { - return this.fileid && this.selectedFiles.includes(this.fileid) + return this.selectedFiles.includes(this.source.source) }, isRenaming() { @@ -133,7 +134,7 @@ export default defineComponent({ // If we're dragging a selection, we need to check all files if (this.selectedFiles.length > 0) { - const nodes = this.selectedFiles.map(fileid => this.filesStore.getNode(fileid)) as Node[] + const nodes = this.selectedFiles.map(source => this.filesStore.getNode(source)) as Node[] return nodes.every(canDrag) } return canDrag(this.source) @@ -145,7 +146,7 @@ export default defineComponent({ } // If the current folder is also being dragged, we can't drop it on itself - if (this.fileid && this.draggingFiles.includes(this.fileid)) { + if (this.draggingFiles.includes(this.source.source)) { return false } @@ -286,14 +287,14 @@ export default defineComponent({ // Dragging set of files, if we're dragging a file // that is already selected, we use the entire selection - if (this.selectedFiles.includes(this.fileid)) { + if (this.selectedFiles.includes(this.source.source)) { this.draggingStore.set(this.selectedFiles) } else { - this.draggingStore.set([this.fileid]) + this.draggingStore.set([this.source.source]) } const nodes = this.draggingStore.dragging - .map(fileid => this.filesStore.getNode(fileid)) as Node[] + .map(source => this.filesStore.getNode(source)) as Node[] const image = await getDragAndDropPreview(nodes) event.dataTransfer?.setDragImage(image, -10, -10) @@ -347,12 +348,12 @@ export default defineComponent({ } // Else we're moving/copying files - const nodes = selection.map(fileid => this.filesStore.getNode(fileid)) as Node[] + const nodes = selection.map(source => this.filesStore.getNode(source)) as Node[] await onDropInternalFiles(nodes, folder, contents.contents, isCopy) // Reset selection after we dropped the files // if the dropped files are within the selection - if (selection.some(fileid => this.selectedFiles.includes(fileid))) { + if (selection.some(source => this.selectedFiles.includes(source))) { logger.debug('Dropped selection, resetting select store...') this.selectionStore.reset() } diff --git a/apps/files/src/components/FilesListTableHeader.vue b/apps/files/src/components/FilesListTableHeader.vue index c45090ca37dcf..caa549fa9ba7e 100644 --- a/apps/files/src/components/FilesListTableHeader.vue +++ b/apps/files/src/components/FilesListTableHeader.vue @@ -81,6 +81,7 @@ import FilesListTableHeaderButton from './FilesListTableHeaderButton.vue' import filesSortingMixin from '../mixins/filesSorting.ts' import logger from '../logger.js' import type { Node } from '@nextcloud/files' +import type { FileSource } from '../types.ts' export default defineComponent({ name: 'FilesListTableHeader', @@ -186,7 +187,7 @@ export default defineComponent({ onToggleAll(selected) { if (selected) { - const selection = this.nodes.map(node => node.fileid).filter(Boolean) as number[] + const selection = this.nodes.map(node => node.source).filter(Boolean) as FileSource[] logger.debug('Added all nodes to selection', { selection }) this.selectionStore.setLastIndex(null) this.selectionStore.set(selection) diff --git a/apps/files/src/components/FilesListTableHeaderActions.vue b/apps/files/src/components/FilesListTableHeaderActions.vue index ff9c0ee9bc5c0..c10b567313044 100644 --- a/apps/files/src/components/FilesListTableHeaderActions.vue +++ b/apps/files/src/components/FilesListTableHeaderActions.vue @@ -56,7 +56,7 @@ import { useFilesStore } from '../store/files.ts' import { useSelectionStore } from '../store/selection.ts' import filesListWidthMixin from '../mixins/filesListWidth.ts' import logger from '../logger.js' -import type { FileId } from '../types' +import type { FileSource } from '../types' // The registered actions list const actions = getFileActions() @@ -81,7 +81,7 @@ export default defineComponent({ required: true, }, selectedNodes: { - type: Array as PropType, + type: Array as PropType, default: () => ([]), }, }, @@ -117,7 +117,7 @@ export default defineComponent({ nodes() { return this.selectedNodes - .map(fileid => this.getNode(fileid)) + .map(source => this.getNode(source)) .filter(Boolean) as Node[] }, @@ -161,7 +161,7 @@ export default defineComponent({ async onActionClick(action) { const displayName = action.displayName(this.nodes, this.currentView) - const selectionIds = this.selectedNodes + const selectionSources = this.selectedNodes try { // Set loading markers this.loading = action.id @@ -182,9 +182,9 @@ export default defineComponent({ // Handle potential failures if (results.some(result => result === false)) { // Remove the failed ids from the selection - const failedIds = selectionIds - .filter((fileid, index) => results[index] === false) - this.selectionStore.set(failedIds) + const failedSources = selectionSources + .filter((source, index) => results[index] === false) + this.selectionStore.set(failedSources) if (results.some(result => result === null)) { // If some actions returned null, we assume that the dev diff --git a/apps/files/src/store/dragging.ts b/apps/files/src/store/dragging.ts index e189d55204645..8ec9d6d1fdb00 100644 --- a/apps/files/src/store/dragging.ts +++ b/apps/files/src/store/dragging.ts @@ -21,7 +21,7 @@ */ import { defineStore } from 'pinia' import Vue from 'vue' -import type { FileId, DragAndDropStore } from '../types' +import type { DragAndDropStore, FileSource } from '../types' export const useDragAndDropStore = defineStore('dragging', { state: () => ({ @@ -32,7 +32,7 @@ export const useDragAndDropStore = defineStore('dragging', { /** * Set the selection of fileIds */ - set(selection = [] as FileId[]) { + set(selection = [] as FileSource[]) { Vue.set(this, 'dragging', selection) }, diff --git a/apps/files/src/store/files.ts b/apps/files/src/store/files.ts index 56ae01192ef21..fb7a7d162ad34 100644 --- a/apps/files/src/store/files.ts +++ b/apps/files/src/store/files.ts @@ -19,14 +19,28 @@ * along with this program. If not, see . * */ + +import type { FilesStore, RootsStore, RootOptions, Service, FilesState, FileSource } from '../types' +import type { FileStat, ResponseDataDetailed } from 'webdav' import type { Folder, Node } from '@nextcloud/files' -import type { FilesStore, RootsStore, RootOptions, Service, FilesState, FileId } from '../types' +import { davGetDefaultPropfind, davResultToNode, davRootPath } from '@nextcloud/files' import { defineStore } from 'pinia' import { subscribe } from '@nextcloud/event-bus' import logger from '../logger' import Vue from 'vue' +import { client } from '../services/WebdavClient.ts' + +const fetchNode = async (node: Node): Promise => { + const propfindPayload = davGetDefaultPropfind() + const result = await client.stat(`${davRootPath}${node.path}`, { + details: true, + data: propfindPayload, + }) as ResponseDataDetailed + return davResultToNode(result.data) +} + export const useFilesStore = function(...args) { const store = defineStore('files', { state: (): FilesState => ({ @@ -36,19 +50,27 @@ export const useFilesStore = function(...args) { getters: { /** - * Get a file or folder by id + * Get a file or folder by its source */ - getNode: (state) => (id: FileId): Node|undefined => state.files[id], + getNode: (state) => (source: FileSource): Node|undefined => state.files[source], /** * Get a list of files or folders by their IDs - * Does not return undefined values + * Note: does not return undefined values */ - getNodes: (state) => (ids: FileId[]): Node[] => ids - .map(id => state.files[id]) + getNodes: (state) => (sources: FileSource[]): Node[] => sources + .map(source => state.files[source]) .filter(Boolean), + /** - * Get a file or folder by id + * Get files or folders by their file ID + * Multiple nodes can have the same file ID but different sources + * (e.g. in a shared context) + */ + getNodesById: (state) => (fileId: number): Node[] => Object.values(state.files).filter(node => node.fileid === fileId), + + /** + * Get the root folder of a service */ getRoot: (state) => (service: Service): Folder|undefined => state.roots[service], }, @@ -58,10 +80,11 @@ export const useFilesStore = function(...args) { // Update the store all at once const files = nodes.reduce((acc, node) => { if (!node.fileid) { - logger.error('Trying to update/set a node without fileid', node) + logger.error('Trying to update/set a node without fileid', { node }) return acc } - acc[node.fileid] = node + + acc[node.source] = node return acc }, {} as FilesStore) @@ -70,8 +93,8 @@ export const useFilesStore = function(...args) { deleteNodes(nodes: Node[]) { nodes.forEach(node => { - if (node.fileid) { - Vue.delete(this.files, node.fileid) + if (node.source) { + Vue.delete(this.files, node.source) } }) }, @@ -88,8 +111,28 @@ export const useFilesStore = function(...args) { this.updateNodes([node]) }, - onUpdatedNode(node: Node) { - this.updateNodes([node]) + async onUpdatedNode(node: Node) { + if (!node.fileid) { + logger.error('Trying to update/set a node without fileid', { node }) + return + } + + // If we have multiple nodes with the same file ID, we need to update all of them + const nodes = this.getNodesById(node.fileid) + if (nodes.length > 1) { + await Promise.all(nodes.map(fetchNode)).then(this.updateNodes) + logger.debug(nodes.length + ' nodes updated in store', { fileid: node.fileid }) + return + } + + // If we have only one node with the file ID, we can update it directly + if (node.source === nodes[0].source) { + this.updateNodes([node]) + return + } + + // Otherwise, it means we receive an event for a node that is not in the store + fetchNode(node).then(n => this.updateNodes([n])) }, }, }) diff --git a/apps/files/src/store/paths.ts b/apps/files/src/store/paths.ts index 15d16b1760b52..816014feb56e1 100644 --- a/apps/files/src/store/paths.ts +++ b/apps/files/src/store/paths.ts @@ -19,7 +19,7 @@ * along with this program. If not, see . * */ -import type { FileId, PathsStore, PathOptions, ServicesState } from '../types' +import type { FileSource, PathsStore, PathOptions, ServicesState } from '../types' import { defineStore } from 'pinia' import { FileType, Folder, Node, getNavigation } from '@nextcloud/files' import { subscribe } from '@nextcloud/event-bus' @@ -38,7 +38,7 @@ export const usePathsStore = function(...args) { getters: { getPath: (state) => { - return (service: string, path: string): FileId|undefined => { + return (service: string, path: string): FileSource|undefined => { if (!state.paths[service]) { return undefined } @@ -55,7 +55,7 @@ export const usePathsStore = function(...args) { } // Now we can set the provided path - Vue.set(this.paths[payload.service], payload.path, payload.fileid) + Vue.set(this.paths[payload.service], payload.path, payload.source) }, onCreatedNode(node: Node) { @@ -70,7 +70,7 @@ export const usePathsStore = function(...args) { this.addPath({ service, path: node.path, - fileid: node.fileid, + source: node.source, }) } @@ -81,26 +81,26 @@ export const usePathsStore = function(...args) { if (!root._children) { Vue.set(root, '_children', []) } - root._children.push(node.fileid) + root._children.push(node.source) return } // If the folder doesn't exists yet, it will be // fetched later and its children updated anyway. if (this.paths[service][node.dirname]) { - const parentId = this.paths[service][node.dirname] - const parentFolder = files.getNode(parentId) as Folder + const parentSource = this.paths[service][node.dirname] + const parentFolder = files.getNode(parentSource) as Folder logger.debug('Path already exists, updating children', { parentFolder, node }) if (!parentFolder) { - logger.error('Parent folder not found', { parentId }) + logger.error('Parent folder not found', { parentSource }) return } if (!parentFolder._children) { Vue.set(parentFolder, '_children', []) } - parentFolder._children.push(node.fileid) + parentFolder._children.push(node.source) return } diff --git a/apps/files/src/store/selection.ts b/apps/files/src/store/selection.ts index e304d27340e0e..d035f18d54b06 100644 --- a/apps/files/src/store/selection.ts +++ b/apps/files/src/store/selection.ts @@ -21,7 +21,7 @@ */ import { defineStore } from 'pinia' import Vue from 'vue' -import { FileId, SelectionStore } from '../types' +import { FileSource, SelectionStore } from '../types' export const useSelectionStore = defineStore('selection', { state: () => ({ @@ -34,14 +34,14 @@ export const useSelectionStore = defineStore('selection', { /** * Set the selection of fileIds */ - set(selection = [] as FileId[]) { + set(selection = [] as FileSource[]) { Vue.set(this, 'selected', [...new Set(selection)]) }, /** * Set the last selected index */ - setLastIndex(lastSelectedIndex = null as FileId | null) { + setLastIndex(lastSelectedIndex = null as number | null) { // Update the last selection if we provided a new selection starting point Vue.set(this, 'lastSelection', lastSelectedIndex ? this.selected : []) Vue.set(this, 'lastSelectedIndex', lastSelectedIndex) diff --git a/apps/files/src/types.ts b/apps/files/src/types.ts index 0e9dd6fb531bd..1ee0d31a33fdf 100644 --- a/apps/files/src/types.ts +++ b/apps/files/src/types.ts @@ -24,12 +24,12 @@ import type { Upload } from '@nextcloud/upload' // Global definitions export type Service = string -export type FileId = number +export type FileSource = string export type ViewId = string // Files store export type FilesStore = { - [fileid: FileId]: Node + [source: FileSource]: Node } export type RootsStore = { @@ -48,7 +48,7 @@ export interface RootOptions { // Paths store export type PathConfig = { - [path: string]: number + [path: string]: FileSource } export type ServicesState = { @@ -62,7 +62,7 @@ export type PathsStore = { export interface PathOptions { service: Service path: string - fileid: FileId + source: FileSource } // User config store @@ -74,8 +74,8 @@ export interface UserConfigStore { } export interface SelectionStore { - selected: FileId[] - lastSelection: FileId[] + selected: FileSource[] + lastSelection: FileSource[] lastSelectedIndex: number | null } @@ -109,7 +109,7 @@ export interface UploaderStore { // Drag and drop store export interface DragAndDropStore { - dragging: FileId[] + dragging: FileSource[] } export interface TemplateFile { diff --git a/apps/files/src/utils/hashUtils.ts b/apps/files/src/utils/hashUtils.ts index 55cf8b9f51af2..305a603b952c1 100644 --- a/apps/files/src/utils/hashUtils.ts +++ b/apps/files/src/utils/hashUtils.ts @@ -21,8 +21,9 @@ */ export const hashCode = function(str: string): number { - return str.split('').reduce(function(a, b) { - a = ((a << 5) - a) + b.charCodeAt(0) - return a & a - }, 0) + let hash = 0 + for (let i = 0; i < str.length; i++) { + hash = ((hash << 5) - hash + str.charCodeAt(i)) | 0 + } + return (hash >>> 0) } diff --git a/apps/files/src/views/FilesList.vue b/apps/files/src/views/FilesList.vue index 9c73947679324..a9c7dacc1ae0e 100644 --- a/apps/files/src/views/FilesList.vue +++ b/apps/files/src/views/FilesList.vue @@ -259,8 +259,13 @@ export default defineComponent({ if (this.dir === '/') { return this.filesStore.getRoot(this.currentView.id) } - const fileId = this.pathsStore.getPath(this.currentView.id, this.dir) - return this.filesStore.getNode(fileId) + + const source = this.pathsStore.getPath(this.currentView.id, this.dir) + if (source === undefined) { + return + } + + return this.filesStore.getNode(source) as Folder }, /** @@ -507,7 +512,7 @@ export default defineComponent({ // Define current directory children // TODO: make it more official - this.$set(folder, '_children', contents.map(node => node.fileid)) + this.$set(folder, '_children', contents.map(node => node.source)) // If we're in the root dir, define the root if (dir === '/') { @@ -516,7 +521,7 @@ export default defineComponent({ // Otherwise, add the folder to the store if (folder.fileid) { this.filesStore.updateNodes([folder]) - this.pathsStore.addPath({ service: currentView.id, fileid: folder.fileid, path: dir }) + this.pathsStore.addPath({ service: currentView.id, source: folder.source, path: dir }) } else { // If we're here, the view API messed up logger.error('Invalid root folder returned', { dir, folder, currentView }) diff --git a/dist/files-init.js b/dist/files-init.js index 06724e93a8ecb..ae540a8936434 100644 --- a/dist/files-init.js +++ b/dist/files-init.js @@ -1,3 +1,3 @@ /*! For license information please see files-init.js.LICENSE.txt */ -(()=>{var e,t,s,n={9052:e=>{"use strict";var t=Object.prototype.hasOwnProperty,s="~";function n(){}function a(e,t,s){this.fn=e,this.context=t,this.once=s||!1}function i(e,t,n,i,r){if("function"!=typeof n)throw new TypeError("The listener must be a function");var o=new a(n,i||e,r),l=s?s+t:t;return e._events[l]?e._events[l].fn?e._events[l]=[e._events[l],o]:e._events[l].push(o):(e._events[l]=o,e._eventsCount++),e}function r(e,t){0==--e._eventsCount?e._events=new n:delete e._events[t]}function o(){this._events=new n,this._eventsCount=0}Object.create&&(n.prototype=Object.create(null),(new n).__proto__||(s=!1)),o.prototype.eventNames=function(){var e,n,a=[];if(0===this._eventsCount)return a;for(n in e=this._events)t.call(e,n)&&a.push(s?n.slice(1):n);return Object.getOwnPropertySymbols?a.concat(Object.getOwnPropertySymbols(e)):a},o.prototype.listeners=function(e){var t=s?s+e:e,n=this._events[t];if(!n)return[];if(n.fn)return[n.fn];for(var a=0,i=n.length,r=new Array(i);a{"use strict";s.d(t,{A:()=>n});const n=(0,s(53529).YK)().setApp("files").detectUser().build()},40586:(e,t,s)=>{"use strict";var n=s(35810),a=s(61338),i=s(53334),r=s(26287),o=s(76150),l=s(49264);const d=e=>e.every((e=>!0===e.attributes["is-mount-root"]&&"shared"===e.attributes["mount-type"])),m=e=>e.every((e=>!0===e.attributes["is-mount-root"]&&"external"===e.attributes["mount-type"])),c=new l.A({concurrency:1}),u=new n.hY({id:"delete",displayName:(e,t)=>"trashbin"===t.id?(0,i.Tl)("files","Delete permanently"):(e=>{if(1===e.length)return!1;const t=e.some((e=>d([e]))),s=e.some((e=>!d([e])));return t&&s})(e)?(0,i.Tl)("files","Delete and unshare"):d(e)?1===e.length?(0,i.Tl)("files","Leave this share"):(0,i.Tl)("files","Leave these shares"):m(e)?1===e.length?(0,i.Tl)("files","Disconnect storage"):(0,i.Tl)("files","Disconnect storages"):(e=>!e.some((e=>e.type!==n.pt.File)))(e)?1===e.length?(0,i.Tl)("files","Delete file"):(0,i.Tl)("files","Delete files"):(e=>!e.some((e=>e.type!==n.pt.Folder)))(e)?1===e.length?(0,i.Tl)("files","Delete folder"):(0,i.Tl)("files","Delete folders"):(0,i.Tl)("files","Delete"),iconSvgInline:e=>d(e)?'':m(e)?'':'',enabled:e=>e.length>0&&e.map((e=>e.permissions)).every((e=>!!(e&n.aX.DELETE))),async exec(e,t,s){try{return await r.A.delete(e.encodedSource),(0,a.Ic)("files:node:deleted",e),!0}catch(t){return o.A.error("Error while deleting a file",{error:t,source:e.source,node:e}),!1}},async execBatch(e,t,s){const n=e.map((e=>new Promise((n=>{c.add((async()=>{const a=await this.exec(e,t,s);n(null!==a&&a)}))}))));return Promise.all(n)},order:100});var g=s(99498);const f=function(e){const t=document.createElement("a");t.download="",t.href=e,t.click()},p=function(e,t){const s=Math.random().toString(36).substring(2),n=(0,g.Jv)("/apps/files/ajax/download.php?dir={dir}&files={files}&downloadStartSecret={secret}",{dir:e,secret:s,files:JSON.stringify(t.map((e=>e.basename)))});f(n)},h=function(e){if(!(e.permissions&n.aX.READ))return!1;if("shared"===e.attributes["mount-type"]){var t,s;const n=JSON.parse(null!==(t=e.attributes["share-attributes"])&&void 0!==t?t:"null"),a=null==n||null===(s=n.find)||void 0===s?void 0:s.call(n,(e=>"permissions"===e.scope&&"download"===e.key));if(void 0!==a&&!1===a.enabled)return!1}return!0},w=new n.hY({id:"download",displayName:()=>(0,i.Tl)("files","Download"),iconSvgInline:()=>'',enabled:e=>0!==e.length&&(!e.some((e=>e.type===n.pt.Folder))||!e.some((e=>{var t;return!(null!==(t=e.root)&&void 0!==t&&t.startsWith("/files"))})))&&e.every(h),exec:async(e,t,s)=>e.type===n.pt.Folder?(p(s,[e]),null):(f(e.encodedSource),null),async execBatch(e,t,s){return 1===e.length?(this.exec(e[0],t,s),[null]):(p(s,e),new Array(e.length).fill(null))},order:30});var x=s(71089),v=s(21777),T=s(85168);const A=new n.hY({id:"edit-locally",displayName:()=>(0,i.Tl)("files","Edit locally"),iconSvgInline:()=>'',enabled:e=>1===e.length&&!!(e[0].permissions&n.aX.UPDATE),exec:async e=>(async function(e){const t=(0,g.KT)("apps/files/api/v1")+"/openlocaleditor?format=json";try{var s;const n=await r.A.post(t,{path:e}),a=null===(s=(0,v.HW)())||void 0===s?void 0:s.uid;let i="nc://open/".concat(a,"@")+window.location.host+(0,x.O0)(e);i+="?token="+n.data.ocs.data.token,window.location.href=i}catch(e){(0,T.Qg)((0,i.Tl)("files","Failed to redirect to client"))}}(e.path),null),order:25});var y=s(85471);const C='',b=e=>e.some((e=>1!==e.attributes.favorite)),k=async(e,t,s)=>{try{const n=(0,g.Jv)("/apps/files/api/v1/files")+(0,x.O0)(e.path);return await r.A.post(n,{tags:s?[window.OC.TAG_FAVORITE]:[]}),"favorites"!==t.id||s||"/"!==e.dirname||(0,a.Ic)("files:node:deleted",e),y.Ay.set(e.attributes,"favorite",s?1:0),s?(0,a.Ic)("files:favorites:added",e):(0,a.Ic)("files:favorites:removed",e),!0}catch(t){const n=s?"adding a file to favourites":"removing a file from favourites";return o.A.error("Error while "+n,{error:t,source:e.source,node:e}),!1}},L=new n.hY({id:"favorite",displayName:e=>b(e)?(0,i.Tl)("files","Add to favorites"):(0,i.Tl)("files","Remove from favorites"),iconSvgInline:e=>b(e)?'':C,enabled:e=>!e.some((e=>{var t,s;return!(null!==(t=e.root)&&void 0!==t&&null!==(s=t.startsWith)&&void 0!==s&&s.call(t,"/files"))}))&&e.every((e=>e.permissions!==n.aX.NONE)),async exec(e,t){const s=b([e]);return await k(e,t,s)},async execBatch(e,t){const s=b(e);return Promise.all(e.map((async e=>await k(e,t,s))))},order:-50});var _=s(85072),E=s.n(_),S=s(97825),B=s.n(S),F=s(77659),P=s.n(F),U=s(55056),N=s.n(U),I=s(10540),j=s.n(I),O=s(41113),z=s.n(O),R=s(14456),D={};D.styleTagTransform=z(),D.setAttributes=N(),D.insert=P().bind(null,"head"),D.domAPI=B(),D.insertStyleElement=j(),E()(R.A,D),R.A&&R.A.locals&&R.A.locals;var M=s(53110),V=s(43627),$=s(41261),H=s(36882),Y=s(39285);let W;var q;!function(e){e.MOVE="Move",e.COPY="Copy",e.MOVE_OR_COPY="move-or-copy"}(q||(q={}));const G=e=>!!(e.reduce(((e,t)=>Math.min(e,t.permissions)),n.aX.ALL)&n.aX.UPDATE),K=e=>(e=>e.every((e=>{var t,s;return!JSON.parse(null!==(t=null===(s=e.attributes)||void 0===s?void 0:s["share-attributes"])&&void 0!==t?t:"[]").some((e=>"permissions"===e.scope&&!1===e.enabled&&"download"===e.key))})))(e)&&!e.some((e=>e.permissions===n.aX.NONE));var J,Z=s(36117),X=s(44719);const Q="/files/".concat(null===(J=(0,v.HW)())||void 0===J?void 0:J.uid),ee=(0,g.dC)("dav"+Q),te=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:ee;const t=(0,X.UU)(e),s=e=>{null==t||t.setHeaders({"X-Requested-With":"XMLHttpRequest",requesttoken:null!=e?e:""})};return(0,v.zo)(s),s((0,v.do)()),(0,X.Gu)().patch("fetch",((e,t)=>{const s=t.headers;return null!=s&&s.method&&(t.method=s.method,delete s.method),fetch(e,t)})),t},se=function(e){return e.split("").reduce((function(e,t){return 0|(e<<5)-e+t.charCodeAt(0)}),0)},ne=te(),ae=function(e){var t;const s=null===(t=(0,v.HW)())||void 0===t?void 0:t.uid;if(!s)throw new Error("No user id found");const a=e.props,i=(0,n.vb)(null==a?void 0:a.permissions),r=String(a["owner-id"]||s),o=(0,g.dC)("dav"+Q+e.filename),l={id:(null==a?void 0:a.fileid)<0?se(o):(null==a?void 0:a.fileid)||0,source:o,mtime:new Date(e.lastmod),mime:e.mime||"application/octet-stream",size:(null==a?void 0:a.size)||0,permissions:i,owner:r,root:Q,attributes:{...e,...a,"owner-id":r,"owner-display-name":String(a["owner-display-name"]),hasPreview:!(null==a||!a["has-preview"]),failed:(null==a?void 0:a.fileid)<0}};return delete l.attributes.props,"file"===e.type?new n.ZH(l):new n.vd(l)},ie=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const t=new AbortController,s=(0,n.VL)();return new Z.CancelablePromise((async(n,a,i)=>{i((()=>t.abort()));try{const a=await ne.getDirectoryContents(e,{details:!0,data:s,includeSelf:!0,signal:t.signal}),i=a.data[0],r=a.data.slice(1);if(i.filename!==e)throw new Error("Root node does not match requested path");n({folder:ae(i),contents:r.map((e=>{try{return ae(e)}catch(t){return o.A.error("Invalid node detected '".concat(e.basename,"'"),{error:t}),null}})).filter(Boolean)})}catch(e){a(e)}}))};var re=s(80573);const oe=e=>G(e)?K(e)?q.MOVE_OR_COPY:q.MOVE:q.COPY,le=async function(e,t,s){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!t)return;if(t.type!==n.pt.Folder)throw new Error((0,i.Tl)("files","Destination is not a folder"));if(s===q.MOVE&&e.dirname===t.path)throw new Error((0,i.Tl)("files","This file/folder is already in that directory"));if("".concat(t.path,"/").startsWith("".concat(e.path,"/")))throw new Error((0,i.Tl)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));y.Ay.set(e,"status",n.zI.LOADING);const d=(W||(W=new l.A({concurrency:3})),W);return await d.add((async()=>{const l=e=>1===e?(0,i.Tl)("files","(copy)"):(0,i.Tl)("files","(copy %n)",void 0,e);try{const o=(0,n.H4)(),d=(0,V.join)(n.lJ,e.path),m=(0,V.join)(n.lJ,t.path);if(s===q.COPY){let s=e.basename;if(!r){const t=await o.getDirectoryContents(m);s=(0,re.lJ)(e.basename,t.map((e=>e.basename)),{suffix:l,ignoreFileExtension:e.type===n.pt.Folder})}if(await o.copyFile(d,(0,V.join)(m,s)),e.dirname===t.path){const{data:e}=await o.stat((0,V.join)(m,s),{details:!0,data:(0,n.VL)()});(0,a.Ic)("files:node:created",(0,n.Al)(e))}}else{const s=await ie(t.path);if((0,$.h)([e],s.contents))try{const{selected:n,renamed:i}=await(0,$.o)(t.path,[e],s.contents);if(!n.length&&!i.length)return await o.deleteFile(d),void(0,a.Ic)("files:node:deleted",e)}catch(e){return void(0,T.Qg)((0,i.Tl)("files","Move cancelled"))}await o.moveFile(d,(0,V.join)(m,e.basename)),(0,a.Ic)("files:node:deleted",e)}}catch(e){if(e instanceof M.pe){var d,m,c;if(412===(null==e||null===(d=e.response)||void 0===d?void 0:d.status))throw new Error((0,i.Tl)("files","A file or folder with that name already exists in this folder"));if(423===(null==e||null===(m=e.response)||void 0===m?void 0:m.status))throw new Error((0,i.Tl)("files","The files is locked"));if(404===(null==e||null===(c=e.response)||void 0===c?void 0:c.status))throw new Error((0,i.Tl)("files","The file does not exist anymore"));if(e.message)throw new Error(e.message)}throw o.A.debug(e),new Error}finally{y.Ay.set(e,"status",void 0)}}))},de=async function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"/",s=arguments.length>2?arguments[2]:void 0;const a=s.map((e=>e.fileid)).filter(Boolean),r=(0,T.a1)((0,i.Tl)("files","Choose destination")).allowDirectories(!0).setFilter((e=>!!(e.permissions&n.aX.CREATE)&&!a.includes(e.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(t);return new Promise(((t,n)=>{r.setButtonFactory(((n,a)=>{const r=[],o=(0,V.basename)(a),l=s.map((e=>e.dirname)),d=s.map((e=>e.path));return e!==q.COPY&&e!==q.MOVE_OR_COPY||r.push({label:o?(0,i.Tl)("files","Copy to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,i.Tl)("files","Copy"),type:"primary",icon:H,async callback(e){t({destination:e[0],action:q.COPY})}}),l.includes(a)||d.includes(a)||e!==q.MOVE&&e!==q.MOVE_OR_COPY||r.push({label:o?(0,i.Tl)("files","Move to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,i.Tl)("files","Move"),type:e===q.MOVE?"primary":"secondary",icon:Y,async callback(e){t({destination:e[0],action:q.MOVE})}}),r})),r.build().pick().catch((e=>{o.A.debug(e),e instanceof T.vT?n(new Error((0,i.Tl)("files","Cancelled move or copy operation"))):n(new Error((0,i.Tl)("files","Move or copy operation failed")))}))}))},me=new n.hY({id:"move-copy",displayName(e){switch(oe(e)){case q.MOVE:return(0,i.Tl)("files","Move");case q.COPY:return(0,i.Tl)("files","Copy");case q.MOVE_OR_COPY:return(0,i.Tl)("files","Move or copy")}},iconSvgInline:()=>Y,enabled:e=>!!e.every((e=>{var t;return null===(t=e.root)||void 0===t?void 0:t.startsWith("/files/")}))&&e.length>0&&(G(e)||K(e)),async exec(e,t,s){const n=oe([e]);let a;try{a=await de(n,s,[e])}catch(e){return o.A.error(e),!1}try{return await le(e,a.destination,a.action),!0}catch(e){return!!(e instanceof Error&&e.message)&&((0,T.Qg)(e.message),null)}},async execBatch(e,t,s){const n=oe(e),a=await de(n,s,e),i=e.map((async e=>{try{return await le(e,a.destination,a.action),!0}catch(t){return o.A.error("Failed to ".concat(a.action," node"),{node:e,error:t}),!1}}));return await Promise.all(i)},order:15}),ce='',ue=new n.hY({id:"open-folder",displayName(e){const t=e[0].attributes.displayName||e[0].basename;return(0,i.Tl)("files","Open folder {displayName}",{displayName:t})},iconSvgInline:()=>ce,enabled(e){if(1!==e.length)return!1;const t=e[0];return!!t.isDavRessource&&t.type===n.pt.Folder&&!!(t.permissions&n.aX.READ)},exec:async(e,t)=>!(!e||e.type!==n.pt.Folder)&&(window.OCP.Files.Router.goToRoute(null,{view:t.id,fileid:e.fileid},{dir:e.path}),null),default:n.m9.HIDDEN,order:-100}),ge=new n.hY({id:"open-in-files-recent",displayName:()=>(0,i.Tl)("files","Open in Files"),iconSvgInline:()=>"",enabled:(e,t)=>"recent"===t.id,async exec(e){let t=e.dirname;return e.type===n.pt.Folder&&(t=t+"/"+e.basename),window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:e.fileid},{dir:t,openfile:"true"}),null},order:-1e3,default:n.m9.HIDDEN}),fe=new n.hY({id:"rename",displayName:()=>(0,i.Tl)("files","Rename"),iconSvgInline:()=>'',enabled:e=>e.length>0&&e.map((e=>e.permissions)).every((e=>!!(e&n.aX.UPDATE))),exec:async e=>((0,a.Ic)("files:node:rename",e),null),order:10});var pe=s(49981);const he=new n.hY({id:"details",displayName:()=>(0,i.Tl)("files","Open details"),iconSvgInline:()=>pe,enabled:e=>{var t,s,a;return 1===e.length&&!!e[0]&&!(null===(t=window)||void 0===t||null===(t=t.OCA)||void 0===t||null===(t=t.Files)||void 0===t||!t.Sidebar)&&null!==(s=(null===(a=e[0].root)||void 0===a?void 0:a.startsWith("/files/"))&&e[0].permissions!==n.aX.NONE)&&void 0!==s&&s},async exec(e,t,s){try{return await window.OCA.Files.Sidebar.open(e.path),window.OCP.Files.Router.goToRoute(null,{view:t.id,fileid:e.fileid},{...window.OCP.Files.Router.query,dir:s},!0),null}catch(e){return o.A.error("Error while opening sidebar",{error:e}),!1}},order:-50}),we=new n.hY({id:"view-in-folder",displayName:()=>(0,i.Tl)("files","View in folder"),iconSvgInline:()=>Y,enabled(e,t){if("files"===t.id)return!1;if(1!==e.length)return!1;const s=e[0];return!!s.isDavRessource&&s.permissions!==n.aX.NONE&&s.type===n.pt.File},exec:async e=>!(!e||e.type!==n.pt.File)&&(window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:e.fileid},{dir:e.dirname}),null),order:80});var xe=s(9518),ve=s(94219),Te=s(82182);const Ae=(0,y.pM)({name:"NewNodeDialog",components:{NcButton:xe.A,NcDialog:ve.A,NcTextField:Te.A},props:{defaultName:{type:String,default:(0,i.Tl)("files","New folder")},otherNames:{type:Array,default:()=>[]},open:{type:Boolean,default:!0},name:{type:String,default:(0,i.Tl)("files","Create new folder")},label:{type:String,default:(0,i.Tl)("files","Folder name")}},emits:{close:e=>null===e||e},data(){return{localDefaultName:this.defaultName||(0,i.Tl)("files","New folder")}},computed:{errorMessage(){return this.isUniqueName?"":(0,i.Tl)("files","A file or folder with that name already exists.")},uniqueName(){return(0,re.lJ)(this.localDefaultName,this.otherNames)},isUniqueName(){return this.localDefaultName===this.uniqueName}},watch:{defaultName(){this.localDefaultName=this.defaultName||(0,i.Tl)("files","New folder")},open(){this.$nextTick((()=>this.focusInput()))}},mounted(){this.localDefaultName=this.uniqueName,this.$nextTick((()=>this.focusInput()))},methods:{t:i.Tl,focusInput(){this.open&&this.$nextTick((()=>{var e,t;return null===(e=this.$refs.input)||void 0===e||null===(t=e.focus)||void 0===t?void 0:t.call(e)}))},onCreate(){this.$emit("close",this.localDefaultName)},onClose(e){e||this.$emit("close",null)}}}),ye=(0,s(14486).A)(Ae,(function(){var e=this,t=e._self._c;return e._self._setupProxy,t("NcDialog",{attrs:{name:e.name,open:e.open,"close-on-click-outside":"","out-transition":""},on:{"update:open":e.onClose},scopedSlots:e._u([{key:"actions",fn:function(){return[t("NcButton",{attrs:{type:"primary",disabled:!e.isUniqueName},on:{click:e.onCreate}},[e._v("\n\t\t\t"+e._s(e.t("files","Create"))+"\n\t\t")])]},proxy:!0}])},[e._v(" "),t("form",{on:{submit:function(t){return t.preventDefault(),e.onCreate.apply(null,arguments)}}},[t("NcTextField",{ref:"input",attrs:{error:!e.isUniqueName,"helper-text":e.errorMessage,label:e.label,value:e.localDefaultName},on:{"update:value":function(t){e.localDefaultName=t}}})],1)])}),[],!1,null,null,null).exports;function Ce(e,t){let s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};const n=t.map((e=>e.basename));return new Promise((t=>{(0,T.Ss)(ye,{...s,defaultName:e,otherNames:n},(e=>{t(e)}))}))}const be={id:"newFolder",displayName:(0,i.Tl)("files","New folder"),enabled:e=>!!(e.permissions&n.aX.CREATE),iconSvgInline:'',order:0,async handler(e,t){const s=await Ce((0,i.Tl)("files","New folder"),t);if(null!==s){var l,d,m,c,u;const{fileid:t,source:g}=await(async(e,t)=>{const s=e.source+"/"+t,n=e.encodedSource+"/"+encodeURIComponent(t),a=await(0,r.A)({method:"MKCOL",url:n,headers:{Overwrite:"F"}});return{fileid:parseInt(a.headers["oc-fileid"]),source:s}})(e,s),f=new n.vd({source:g,id:t,mtime:new Date,owner:(null===(l=(0,v.HW)())||void 0===l?void 0:l.uid)||null,permissions:n.aX.ALL,root:(null==e?void 0:e.root)||"/files/"+(null===(d=(0,v.HW)())||void 0===d?void 0:d.uid),attributes:{"mount-type":null===(m=e.attributes)||void 0===m?void 0:m["mount-type"],"owner-id":null===(c=e.attributes)||void 0===c?void 0:c["owner-id"],"owner-display-name":null===(u=e.attributes)||void 0===u?void 0:u["owner-display-name"]}});(0,T.Te)((0,i.Tl)("files",'Created new folder "{name}"',{name:(0,V.basename)(g)})),o.A.debug("Created new folder",{folder:f,source:g}),(0,a.Ic)("files:node:created",f),window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:f.fileid},{dir:e.path})}}};var ke=s(38613);let Le=(0,ke.C)("files","templates_path",!1);o.A.debug("Initial templates folder",{templatesPath:Le});const _e={id:"template-picker",displayName:(0,i.Tl)("files","Create new templates folder"),iconSvgInline:'',order:10,enabled(e){var t;return!Le&&e.owner===(null===(t=(0,v.HW)())||void 0===t?void 0:t.uid)&&!!(e.permissions&n.aX.CREATE)},async handler(e,t){const s=await Ce((0,i.Tl)("files","Templates"),t,{name:(0,i.Tl)("files","New template folder")});null!==s&&(async function(e,t){const s=(0,V.join)(e.path,t);try{o.A.debug("Initializing the templates directory",{templatePath:s});const{data:e}=await r.A.post((0,g.KT)("apps/files/api/v1/templates/path"),{templatePath:s,copySystemTemplates:!0});window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:void 0},{dir:s}),o.A.info("Created new templates folder",{...e.ocs.data}),Le=e.ocs.data.templates_path}catch(e){o.A.error("Unable to initialize the templates directory"),(0,T.Qg)((0,i.Tl)("files","Unable to initialize the templates directory"))}}(e,s),(0,n.gj)("template-picker"))}},Ee=(0,y.$V)((()=>Promise.all([s.e(4208),s.e(5929)]).then(s.bind(s,75929))));let Se=null;const Be=async e=>{if(null===Se){const t=document.createElement("div");t.id="template-picker",document.body.appendChild(t),Se=new y.Ay({render:t=>t(Ee,{ref:"picker",props:{parent:e}}),methods:{open(){this.$refs.picker.open(...arguments)}},el:t})}return Se},Fe=te(),Pe=async function(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const s=(0,n.VL)(),a=(0,n.b2)();let i;"/"===t&&(i=await Fe.stat(t,{details:!0,data:s}));const r=await Fe.getDirectoryContents(t,{details:!0,data:"/"===t?a:s,headers:{method:"/"===t?"REPORT":"PROPFIND"},includeSelf:!0}),o=(null===(e=i)||void 0===e?void 0:e.data)||r.data[0],l=r.data.filter((e=>e.filename!==t));return{folder:ae(o),contents:l.map(ae)}},Ue=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;return new n.Ss({id:Ne(e.path),name:(0,V.basename)(e.path),icon:ce,order:t,params:{dir:e.path,fileid:e.fileid.toString(),view:"favorites"},parent:"favorites",columns:[],getContents:Pe})},Ne=function(e){return"favorite-".concat(se(e))};var Ie=s(19166),je=s(63757),Oe=s(96763);let ze;const Re=e=>ze=e,De=Symbol();function Me(e){return e&&"object"==typeof e&&"[object Object]"===Object.prototype.toString.call(e)&&"function"!=typeof e.toJSON}var Ve;!function(e){e.direct="direct",e.patchObject="patch object",e.patchFunction="patch function"}(Ve||(Ve={}));const $e="undefined"!=typeof window,He="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&$e,Ye=(()=>"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 We(e,t,s){const n=new XMLHttpRequest;n.open("GET",e),n.responseType="blob",n.onload=function(){Ze(n.response,t,s)},n.onerror=function(){Oe.error("could not download file")},n.send()}function qe(e){const t=new XMLHttpRequest;t.open("HEAD",e,!1);try{t.send()}catch(e){}return t.status>=200&&t.status<=299}function Ge(e){try{e.dispatchEvent(new MouseEvent("click"))}catch(t){const s=document.createEvent("MouseEvents");s.initMouseEvent("click",!0,!0,window,0,0,0,80,20,!1,!1,!1,!1,0,null),e.dispatchEvent(s)}}const Ke="object"==typeof navigator?navigator:{userAgent:""},Je=(()=>/Macintosh/.test(Ke.userAgent)&&/AppleWebKit/.test(Ke.userAgent)&&!/Safari/.test(Ke.userAgent))(),Ze=$e?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!Je?function(e,t="download",s){const n=document.createElement("a");n.download=t,n.rel="noopener","string"==typeof e?(n.href=e,n.origin!==location.origin?qe(n.href)?We(e,t,s):(n.target="_blank",Ge(n)):Ge(n)):(n.href=URL.createObjectURL(e),setTimeout((function(){URL.revokeObjectURL(n.href)}),4e4),setTimeout((function(){Ge(n)}),0))}:"msSaveOrOpenBlob"in Ke?function(e,t="download",s){if("string"==typeof e)if(qe(e))We(e,t,s);else{const t=document.createElement("a");t.href=e,t.target="_blank",setTimeout((function(){Ge(t)}))}else navigator.msSaveOrOpenBlob(function(e,{autoBom:t=!1}={}){return t&&/^\s*(?:text\/\S*|application\/xml|\S*\/\S*\+xml)\s*;.*charset\s*=\s*utf-8/i.test(e.type)?new Blob([String.fromCharCode(65279),e],{type:e.type}):e}(e,s),t)}:function(e,t,s,n){if((n=n||open("","_blank"))&&(n.document.title=n.document.body.innerText="downloading..."),"string"==typeof e)return We(e,t,s);const a="application/octet-stream"===e.type,i=/constructor/i.test(String(Ye.HTMLElement))||"safari"in Ye,r=/CriOS\/[\d]+/.test(navigator.userAgent);if((r||a&&i||Je)&&"undefined"!=typeof FileReader){const t=new FileReader;t.onloadend=function(){let e=t.result;if("string"!=typeof e)throw n=null,new Error("Wrong reader.result type");e=r?e:e.replace(/^data:[^;]*;/,"data:attachment/file;"),n?n.location.href=e:location.assign(e),n=null},t.readAsDataURL(e)}else{const t=URL.createObjectURL(e);n?n.location.assign(t):location.href=t,n=null,setTimeout((function(){URL.revokeObjectURL(t)}),4e4)}}:()=>{};function Xe(e,t){const s="🍍 "+e;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(s,t):"error"===t?Oe.error(s):"warn"===t?Oe.warn(s):Oe.log(s)}function Qe(e){return"_a"in e&&"install"in e}function et(){if(!("clipboard"in navigator))return Xe("Your browser doesn't support the Clipboard API","error"),!0}function tt(e){return!!(e instanceof Error&&e.message.toLowerCase().includes("document is not focused"))&&(Xe('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let st;function nt(e,t){for(const s in t){const n=e.state.value[s];n?Object.assign(n,t[s]):e.state.value[s]=t[s]}}function at(e){return{_custom:{display:e}}}const it="🍍 Pinia (root)",rt="_root";function ot(e){return Qe(e)?{id:rt,label:it}:{id:e.$id,label:e.$id}}function lt(e){return e?Array.isArray(e)?e.reduce(((e,t)=>(e.keys.push(t.key),e.operations.push(t.type),e.oldValue[t.key]=t.oldValue,e.newValue[t.key]=t.newValue,e)),{oldValue:{},keys:[],operations:[],newValue:{}}):{operation:at(e.type),key:at(e.key),oldValue:e.oldValue,newValue:e.newValue}:{}}function dt(e){switch(e){case Ve.direct:return"mutation";case Ve.patchFunction:case Ve.patchObject:return"$patch";default:return"unknown"}}let mt=!0;const ct=[],ut="pinia:mutations",gt="pinia",{assign:ft}=Object,pt=e=>"🍍 "+e;function ht(e,t){(0,je.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:ct,app:e},(s=>{"function"!=typeof s.now&&Xe("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."),s.addTimelineLayer({id:ut,label:"Pinia 🍍",color:15064968}),s.addInspector({id:gt,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(e){if(!et())try{await navigator.clipboard.writeText(JSON.stringify(e.state.value)),Xe("Global state copied to clipboard.")}catch(e){if(tt(e))return;Xe("Failed to serialize the state. Check the console for more details.","error"),Oe.error(e)}}(t)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(e){if(!et())try{nt(e,JSON.parse(await navigator.clipboard.readText())),Xe("Global state pasted from clipboard.")}catch(e){if(tt(e))return;Xe("Failed to deserialize the state from clipboard. Check the console for more details.","error"),Oe.error(e)}}(t),s.sendInspectorTree(gt),s.sendInspectorState(gt)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(e){try{Ze(new Blob([JSON.stringify(e.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(e){Xe("Failed to export the state as JSON. Check the console for more details.","error"),Oe.error(e)}}(t)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(e){try{const t=(st||(st=document.createElement("input"),st.type="file",st.accept=".json"),function(){return new Promise(((e,t)=>{st.onchange=async()=>{const t=st.files;if(!t)return e(null);const s=t.item(0);return e(s?{text:await s.text(),file:s}:null)},st.oncancel=()=>e(null),st.onerror=t,st.click()}))}),s=await t();if(!s)return;const{text:n,file:a}=s;nt(e,JSON.parse(n)),Xe(`Global state imported from "${a.name}".`)}catch(e){Xe("Failed to import the state from JSON. Check the console for more details.","error"),Oe.error(e)}}(t),s.sendInspectorTree(gt),s.sendInspectorState(gt)},tooltip:"Import the state from a JSON file"}],nodeActions:[{icon:"restore",tooltip:'Reset the state (with "$reset")',action:e=>{const s=t._s.get(e);s?"function"!=typeof s.$reset?Xe(`Cannot reset "${e}" store because it doesn't have a "$reset" method implemented.`,"warn"):(s.$reset(),Xe(`Store "${e}" reset.`)):Xe(`Cannot reset "${e}" store because it wasn't found.`,"warn")}}]}),s.on.inspectComponent(((e,t)=>{const s=e.componentInstance&&e.componentInstance.proxy;if(s&&s._pStores){const t=e.componentInstance.proxy._pStores;Object.values(t).forEach((t=>{e.instanceData.state.push({type:pt(t.$id),key:"state",editable:!0,value:t._isOptionsAPI?{_custom:{value:(0,Ie.ux)(t.$state),actions:[{icon:"restore",tooltip:"Reset the state of this store",action:()=>t.$reset()}]}}:Object.keys(t.$state).reduce(((e,s)=>(e[s]=t.$state[s],e)),{})}),t._getters&&t._getters.length&&e.instanceData.state.push({type:pt(t.$id),key:"getters",editable:!1,value:t._getters.reduce(((e,s)=>{try{e[s]=t[s]}catch(t){e[s]=t}return e}),{})})}))}})),s.on.getInspectorTree((s=>{if(s.app===e&&s.inspectorId===gt){let e=[t];e=e.concat(Array.from(t._s.values())),s.rootNodes=(s.filter?e.filter((e=>"$id"in e?e.$id.toLowerCase().includes(s.filter.toLowerCase()):it.toLowerCase().includes(s.filter.toLowerCase()))):e).map(ot)}})),s.on.getInspectorState((s=>{if(s.app===e&&s.inspectorId===gt){const e=s.nodeId===rt?t:t._s.get(s.nodeId);if(!e)return;e&&(s.state=function(e){if(Qe(e)){const t=Array.from(e._s.keys()),s=e._s,n={state:t.map((t=>({editable:!0,key:t,value:e.state.value[t]}))),getters:t.filter((e=>s.get(e)._getters)).map((e=>{const t=s.get(e);return{editable:!1,key:e,value:t._getters.reduce(((e,s)=>(e[s]=t[s],e)),{})}}))};return n}const t={state:Object.keys(e.$state).map((t=>({editable:!0,key:t,value:e.$state[t]})))};return e._getters&&e._getters.length&&(t.getters=e._getters.map((t=>({editable:!1,key:t,value:e[t]})))),e._customProperties.size&&(t.customProperties=Array.from(e._customProperties).map((t=>({editable:!0,key:t,value:e[t]})))),t}(e))}})),s.on.editInspectorState(((s,n)=>{if(s.app===e&&s.inspectorId===gt){const e=s.nodeId===rt?t:t._s.get(s.nodeId);if(!e)return Xe(`store "${s.nodeId}" not found`,"error");const{path:n}=s;Qe(e)?n.unshift("state"):1===n.length&&e._customProperties.has(n[0])&&!(n[0]in e.$state)||n.unshift("$state"),mt=!1,s.set(e,n,s.state.value),mt=!0}})),s.on.editComponentState((e=>{if(e.type.startsWith("🍍")){const s=e.type.replace(/^🍍\s*/,""),n=t._s.get(s);if(!n)return Xe(`store "${s}" not found`,"error");const{path:a}=e;if("state"!==a[0])return Xe(`Invalid path for store "${s}":\n${a}\nOnly state can be modified.`);a[0]="$state",mt=!1,e.set(n,a,e.state.value),mt=!0}}))}))}let wt,xt=0;function vt(e,t,s){const n=t.reduce(((t,s)=>(t[s]=(0,Ie.ux)(e)[s],t)),{});for(const t in n)e[t]=function(){const a=xt,i=s?new Proxy(e,{get:(...e)=>(wt=a,Reflect.get(...e)),set:(...e)=>(wt=a,Reflect.set(...e))}):e;wt=a;const r=n[t].apply(i,arguments);return wt=void 0,r}}function Tt({app:e,store:t,options:s}){if(t.$id.startsWith("__hot:"))return;t._isOptionsAPI=!!s.state,vt(t,Object.keys(s.actions),t._isOptionsAPI);const n=t._hotUpdate;(0,Ie.ux)(t)._hotUpdate=function(e){n.apply(this,arguments),vt(t,Object.keys(e._hmrPayload.actions),!!t._isOptionsAPI)},function(e,t){ct.includes(pt(t.$id))||ct.push(pt(t.$id)),(0,je.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:ct,app:e,settings:{logStoreChanges:{label:"Notify about new/deleted stores",type:"boolean",defaultValue:!0}}},(e=>{const s="function"==typeof e.now?e.now.bind(e):Date.now;t.$onAction((({after:n,onError:a,name:i,args:r})=>{const o=xt++;e.addTimelineEvent({layerId:ut,event:{time:s(),title:"🛫 "+i,subtitle:"start",data:{store:at(t.$id),action:at(i),args:r},groupId:o}}),n((n=>{wt=void 0,e.addTimelineEvent({layerId:ut,event:{time:s(),title:"🛬 "+i,subtitle:"end",data:{store:at(t.$id),action:at(i),args:r,result:n},groupId:o}})})),a((n=>{wt=void 0,e.addTimelineEvent({layerId:ut,event:{time:s(),logType:"error",title:"💥 "+i,subtitle:"end",data:{store:at(t.$id),action:at(i),args:r,error:n},groupId:o}})}))}),!0),t._customProperties.forEach((n=>{(0,Ie.wB)((()=>(0,Ie.R1)(t[n])),((t,a)=>{e.notifyComponentUpdate(),e.sendInspectorState(gt),mt&&e.addTimelineEvent({layerId:ut,event:{time:s(),title:"Change",subtitle:n,data:{newValue:t,oldValue:a},groupId:wt}})}),{deep:!0})})),t.$subscribe((({events:n,type:a},i)=>{if(e.notifyComponentUpdate(),e.sendInspectorState(gt),!mt)return;const r={time:s(),title:dt(a),data:ft({store:at(t.$id)},lt(n)),groupId:wt};a===Ve.patchFunction?r.subtitle="⤵️":a===Ve.patchObject?r.subtitle="🧩":n&&!Array.isArray(n)&&(r.subtitle=n.type),n&&(r.data["rawEvent(s)"]={_custom:{display:"DebuggerEvent",type:"object",tooltip:"raw DebuggerEvent[]",value:n}}),e.addTimelineEvent({layerId:ut,event:r})}),{detached:!0,flush:"sync"});const n=t._hotUpdate;t._hotUpdate=(0,Ie.IG)((a=>{n(a),e.addTimelineEvent({layerId:ut,event:{time:s(),title:"🔥 "+t.$id,subtitle:"HMR update",data:{store:at(t.$id),info:at("HMR update")}}}),e.notifyComponentUpdate(),e.sendInspectorTree(gt),e.sendInspectorState(gt)}));const{$dispose:a}=t;t.$dispose=()=>{a(),e.notifyComponentUpdate(),e.sendInspectorTree(gt),e.sendInspectorState(gt),e.getSettings().logStoreChanges&&Xe(`Disposed "${t.$id}" store 🗑`)},e.notifyComponentUpdate(),e.sendInspectorTree(gt),e.sendInspectorState(gt),e.getSettings().logStoreChanges&&Xe(`"${t.$id}" store installed 🆕`)}))}(e,t)}const At=()=>{};function yt(e,t,s,n=At){e.push(t);const a=()=>{const s=e.indexOf(t);s>-1&&(e.splice(s,1),n())};return!s&&(0,Ie.o5)()&&(0,Ie.jr)(a),a}function Ct(e,...t){e.slice().forEach((e=>{e(...t)}))}const bt=e=>e();function kt(e,t){e instanceof Map&&t instanceof Map&&t.forEach(((t,s)=>e.set(s,t))),e instanceof Set&&t instanceof Set&&t.forEach(e.add,e);for(const s in t){if(!t.hasOwnProperty(s))continue;const n=t[s],a=e[s];Me(a)&&Me(n)&&e.hasOwnProperty(s)&&!(0,Ie.i9)(n)&&!(0,Ie.g8)(n)?e[s]=kt(a,n):e[s]=n}return e}const Lt=Symbol(),_t=new WeakMap,{assign:Et}=Object;function St(e,t,s={},n,a,i){let r;const o=Et({actions:{}},s),l={deep:!0};let d,m,c,u=[],g=[];const f=n.state.value[e];i||f||(Ie.LE?(0,Ie.hZ)(n.state.value,e,{}):n.state.value[e]={});const p=(0,Ie.KR)({});let h;function w(t){let s;d=m=!1,"function"==typeof t?(t(n.state.value[e]),s={type:Ve.patchFunction,storeId:e,events:c}):(kt(n.state.value[e],t),s={type:Ve.patchObject,payload:t,storeId:e,events:c});const a=h=Symbol();(0,Ie.dY)().then((()=>{h===a&&(d=!0)})),m=!0,Ct(u,s,n.state.value[e])}const x=i?function(){const{state:e}=s,t=e?e():{};this.$patch((e=>{Et(e,t)}))}:At;function v(t,s){return function(){Re(n);const a=Array.from(arguments),i=[],r=[];let o;Ct(g,{args:a,name:t,store:y,after:function(e){i.push(e)},onError:function(e){r.push(e)}});try{o=s.apply(this&&this.$id===e?this:y,a)}catch(e){throw Ct(r,e),e}return o instanceof Promise?o.then((e=>(Ct(i,e),e))).catch((e=>(Ct(r,e),Promise.reject(e)))):(Ct(i,o),o)}}const T=(0,Ie.IG)({actions:{},getters:{},state:[],hotState:p}),A={_p:n,$id:e,$onAction:yt.bind(null,g),$patch:w,$reset:x,$subscribe(t,s={}){const a=yt(u,t,s.detached,(()=>i())),i=r.run((()=>(0,Ie.wB)((()=>n.state.value[e]),(n=>{("sync"===s.flush?m:d)&&t({storeId:e,type:Ve.direct,events:c},n)}),Et({},l,s))));return a},$dispose:function(){r.stop(),u=[],g=[],n._s.delete(e)}};Ie.LE&&(A._r=!1);const y=(0,Ie.Kh)(He?Et({_hmrPayload:T,_customProperties:(0,Ie.IG)(new Set)},A):A);n._s.set(e,y);const C=(n._a&&n._a.runWithContext||bt)((()=>n._e.run((()=>(r=(0,Ie.uY)()).run(t)))));for(const t in C){const s=C[t];if((0,Ie.i9)(s)&&(k=s,!(0,Ie.i9)(k)||!k.effect)||(0,Ie.g8)(s))i||(!f||(b=s,Ie.LE?_t.has(b):Me(b)&&b.hasOwnProperty(Lt))||((0,Ie.i9)(s)?s.value=f[t]:kt(s,f[t])),Ie.LE?(0,Ie.hZ)(n.state.value[e],t,s):n.state.value[e][t]=s);else if("function"==typeof s){const e=v(t,s);Ie.LE?(0,Ie.hZ)(C,t,e):C[t]=e,o.actions[t]=s}}var b,k;if(Ie.LE?Object.keys(C).forEach((e=>{(0,Ie.hZ)(y,e,C[e])})):(Et(y,C),Et((0,Ie.ux)(y),C)),Object.defineProperty(y,"$state",{get:()=>n.state.value[e],set:e=>{w((t=>{Et(t,e)}))}}),He){const e={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((t=>{Object.defineProperty(y,t,Et({value:y[t]},e))}))}return Ie.LE&&(y._r=!0),n._p.forEach((e=>{if(He){const t=r.run((()=>e({store:y,app:n._a,pinia:n,options:o})));Object.keys(t||{}).forEach((e=>y._customProperties.add(e))),Et(y,t)}else Et(y,r.run((()=>e({store:y,app:n._a,pinia:n,options:o}))))})),f&&i&&s.hydrate&&s.hydrate(y.$state,f),d=!0,m=!0,y}const Bt=(0,ke.C)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,sort_folders_first:!0,grid_view:!1}),Ft=function(){const e=(0,Ie.uY)(!0),t=e.run((()=>(0,Ie.KR)({})));let s=[],n=[];const a=(0,Ie.IG)({install(e){Re(a),Ie.LE||(a._a=e,e.provide(De,a),e.config.globalProperties.$pinia=a,He&&ht(e,a),n.forEach((e=>s.push(e))),n=[])},use(e){return this._a||Ie.LE?s.push(e):n.push(e),this},_p:s,_a:null,_e:e,_s:new Map,state:t});return He&&"undefined"!=typeof Proxy&&a.use(Tt),a}(),Pt=(0,n.H4)(),Ut=Math.round(Date.now()/1e3-1209600);(0,n.Gg)(u),(0,n.Gg)(w),(0,n.Gg)(A),(0,n.Gg)(L),(0,n.Gg)(me),(0,n.Gg)(ue),(0,n.Gg)(ge),(0,n.Gg)(fe),(0,n.Gg)(he),(0,n.Gg)(we),(0,n.zj)(be),(0,n.zj)(_e),(0,ke.C)("files","templates",[]).forEach(((e,t)=>{(0,n.zj)({id:"template-new-".concat(e.app,"-").concat(t),displayName:e.label,iconClass:e.iconClass||"icon-file",enabled:e=>!!(e.permissions&n.aX.CREATE),order:11,async handler(t,s){const n=Be(t),a=await Ce("".concat(e.label).concat(e.extension),s,{label:(0,i.Tl)("files","Filename"),name:e.label});null!==a&&(await n).open(a,e)}})})),(()=>{const e=(0,ke.C)("files","favoriteFolders",[]),t=e.map(((e,t)=>Ue(e,t)));o.A.debug("Generating favorites view",{favoriteFolders:e});const s=(0,n.bh)();s.register(new n.Ss({id:"favorites",name:(0,i.Tl)("files","Favorites"),caption:(0,i.Tl)("files","List of favorites files and folders."),emptyTitle:(0,i.Tl)("files","No favorites yet"),emptyCaption:(0,i.Tl)("files","Files and folders you mark as favorite will show up here"),icon:C,order:5,columns:[],getContents:Pe})),t.forEach((e=>s.register(e))),(0,a.B1)("files:favorites:added",(e=>{var t;e.type===n.pt.Folder&&(null!==e.path&&null!==(t=e.root)&&void 0!==t&&t.startsWith("/files")?l(e):o.A.error("Favorite folder is not within user files root",{node:e}))})),(0,a.B1)("files:favorites:removed",(e=>{var t;e.type===n.pt.Folder&&(null!==e.path&&null!==(t=e.root)&&void 0!==t&&t.startsWith("/files")?d(e.path):o.A.error("Favorite folder is not within user files root",{node:e}))}));const r=function(){e.sort(((e,t)=>e.path.localeCompare(t.path,(0,i.Z0)(),{ignorePunctuation:!0}))),e.forEach(((e,s)=>{const n=t.find((t=>t.id===Ne(e.path)));n&&(n.order=s)}))},l=function(n){const a={path:n.path,fileid:n.fileid},i=Ue(a);e.find((e=>e.path===n.path))||(e.push(a),t.push(i),r(),s.register(i))},d=function(n){const a=Ne(n),i=e.findIndex((e=>e.path===n));-1!==i&&(e.splice(i,1),t.splice(i,1),s.remove(a),r())}})(),(0,n.bh)().register(new n.Ss({id:"files",name:(0,i.Tl)("files","All files"),caption:(0,i.Tl)("files","List of your files and folders."),icon:ce,order:0,getContents:ie})),(0,n.bh)().register(new n.Ss({id:"recent",name:(0,i.Tl)("files","Recent"),caption:(0,i.Tl)("files","List of recently modified files and folders."),emptyTitle:(0,i.Tl)("files","No recently modified files"),emptyCaption:(0,i.Tl)("files","Files and folders you recently modified will show up here."),icon:'',order:2,defaultSortKey:"mtime",getContents:async function(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const s=function(){const e=function(e,t,s){let n,a;const i="function"==typeof t;function r(e,s){const r=(0,Ie.PS)();return(e=e||(r?(0,Ie.WQ)(De,null):null))&&Re(e),(e=ze)._s.has(n)||(i?St(n,t,a,e):function(e,t,s,n){const{state:a,actions:i,getters:r}=t,o=s.state.value[e];let l;l=St(e,(function(){o||(Ie.LE?(0,Ie.hZ)(s.state.value,e,a?a():{}):s.state.value[e]=a?a():{});const t=(0,Ie.QW)(s.state.value[e]);return Et(t,i,Object.keys(r||{}).reduce(((t,n)=>(t[n]=(0,Ie.IG)((0,Ie.EW)((()=>{Re(s);const t=s._s.get(e);if(!Ie.LE||t._r)return r[n].call(t,t)}))),t)),{}))}),t,s,0,!0)}(n,a,e)),e._s.get(n)}return"string"==typeof e?(n=e,a=i?s:t):(a=e,n=e.id),r.$id=n,r}("userconfig",{state:()=>({userConfig:Bt}),actions:{onUpdate(e,t){y.Ay.set(this.userConfig,e,t)},async update(e,t){await r.A.put((0,g.Jv)("/apps/files/api/v1/config/"+e),{value:t}),(0,a.Ic)("files:config:updated",{key:e,value:t})}}})(...arguments);return e._initialized||((0,a.B1)("files:config:updated",(function(t){let{key:s,value:n}=t;e.onUpdate(s,n)})),e._initialized=!0),e}(Ft),i=(await Pt.getDirectoryContents(t,{details:!0,data:(0,n.R3)(Ut),headers:{method:"SEARCH","Content-Type":"application/xml; charset=utf-8"},deep:!0})).data;return{folder:new n.vd({id:0,source:"".concat(n.PY).concat(n.lJ),root:n.lJ,owner:(null===(e=(0,v.HW)())||void 0===e?void 0:e.uid)||null,permissions:n.aX.READ}),contents:i.map((e=>(0,n.Al)(e))).filter((e=>"/"!==t||s.userConfig.show_hidden||!e.dirname.split("/").some((e=>e.startsWith(".")))))}}})),"serviceWorker"in navigator?window.addEventListener("load",(async()=>{try{const e=(0,g.Jv)("/apps/files/preview-service-worker.js",{},{noRewrite:!0}),t=await navigator.serviceWorker.register(e,{scope:"/"});o.A.debug("SW registered: ",{registration:t})}catch(e){o.A.error("SW registration failed: ",{error:e})}})):o.A.debug("Service Worker is not enabled on this browser."),(0,n.Yc)("nc:hidden",{nc:"http://nextcloud.org/ns"}),(0,n.Yc)("nc:is-mount-root",{nc:"http://nextcloud.org/ns"}),(0,n.Yc)("nc:metadata-files-live-photo",{nc:"http://nextcloud.org/ns"})},80573:(e,t,s)=>{"use strict";s.d(t,{lJ:()=>a,mF:()=>i}),s(35810),s(53334);var n=s(43627);const a=function(e,t){const s={suffix:e=>"(".concat(e,")"),ignoreFileExtension:!1,...arguments.length>2&&void 0!==arguments[2]?arguments[2]:{}};let a=e,i=1;for(;t.includes(a);){const t=s.ignoreFileExtension?"":(0,n.extname)(e),r=(0,n.basename)(e,t);a="".concat(r," ").concat(s.suffix(i++)).concat(t)}return a},i=function(e){const t=(e.startsWith("/")?e:"/".concat(e)).split("/");let s="";return t.forEach((e=>{""!==e&&(s+="/"+encodeURIComponent(e))})),s}},14456:(e,t,s)=>{"use strict";s.d(t,{A:()=>f});var n=s(71354),a=s.n(n),i=s(76314),r=s.n(i),o=s(4417),l=s.n(o),d=new URL(s(57273),s.b),m=new URL(s(63710),s.b),c=r()(a()),u=l()(d),g=l()(m);c.push([e.id,`@charset "UTF-8";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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(${u});\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(${g});\n}\n.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n"],sourceRoot:""}]);const f=c},30521:(e,t,s)=>{"use strict";s.d(t,{A:()=>o});var n=s(71354),a=s.n(n),i=s(76314),r=s.n(i)()(a());r.push([e.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 o=r},75270:e=>{function t(e,t){return null==e?t:e}e.exports=function(e){var s,n=t((e=e||{}).max,1),a=t(e.min,0),i=t(e.autostart,!0),r=t(e.ignoreSameProgress,!1),o=null,l=null,d=null,m=(s=t(e.historyTimeConstant,2.5),function(e,t,n){return e+n/(n+s)*(t-e)});function c(){u(a)}function u(e,t){if("number"!=typeof t&&(t=Date.now()),l!==t&&(!r||d!==e)){if(null===l||null===d)return d=e,void(l=t);var s=.001*(t-l),n=(e-d)/s;o=null===o?n:m(o,n,s),d=e,l=t}}return{start:c,reset:function(){o=null,l=null,d=null,i&&c()},report:u,estimate:function(e){if(null===d)return 1/0;if(d>=n)return 0;if(null===o)return 1/0;var t=(n-d)/o;return"number"==typeof e&&"number"==typeof l&&(t-=.001*(e-l)),Math.max(0,t)},rate:function(){return null===o?0:o}}}},63710:e=>{"use strict";e.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:e=>{"use strict";e.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"},35810:(e,t,s)=>{"use strict";s.d(t,{Al:()=>R,Gg:()=>w,H4:()=>O,PY:()=>j,Q$:()=>z,R3:()=>L,Ss:()=>lt,VL:()=>b,Yc:()=>A,ZH:()=>U,aX:()=>x,b2:()=>k,bh:()=>H,gj:()=>ct,hY:()=>h,lJ:()=>I,m1:()=>ut,m9:()=>p,pt:()=>E,v7:()=>V,vb:()=>_,vd:()=>N,zI:()=>F,zj:()=>mt});var n=s(21777),a=s(84697),i=s(43627),r=s(71089),o=s(66656),l=s(44719),d=s(36117),m=s(2568);const c=null===(u=(0,n.HW)())?(0,a.YK)().setApp("files").build():(0,a.YK)().setApp("files").setUid(u.uid).build();var u;class g{_entries=[];registerEntry(e){this.validateEntry(e),e.category=e.category??1,this._entries.push(e)}unregisterEntry(e){const t="string"==typeof e?this.getEntryIndex(e):this.getEntryIndex(e.id);-1!==t?this._entries.splice(t,1):c.warn("Entry not found, nothing removed",{entry:e,entries:this.getEntries()})}getEntries(e){return e?this._entries.filter((t=>"function"!=typeof t.enabled||t.enabled(e))):this._entries}getEntryIndex(e){return this._entries.findIndex((t=>t.id===e))}validateEntry(e){if(!e.id||!e.displayName||!e.iconSvgInline&&!e.iconClass||!e.handler)throw new Error("Invalid entry");if("string"!=typeof e.id||"string"!=typeof e.displayName)throw new Error("Invalid id or displayName property");if(e.iconClass&&"string"!=typeof e.iconClass||e.iconSvgInline&&"string"!=typeof e.iconSvgInline)throw new Error("Invalid icon provided");if(void 0!==e.enabled&&"function"!=typeof e.enabled)throw new Error("Invalid enabled property");if("function"!=typeof e.handler)throw new Error("Invalid handler property");if("order"in e&&"number"!=typeof e.order)throw new Error("Invalid order property");if(-1!==this.getEntryIndex(e.id))throw new Error("Duplicate entry")}}const f=function(){return void 0===window._nc_newfilemenu&&(window._nc_newfilemenu=new g,c.debug("NewFileMenu initialized")),window._nc_newfilemenu};var p=(e=>(e.DEFAULT="default",e.HIDDEN="hidden",e))(p||{});class h{_action;constructor(e){this.validateAction(e),this._action=e}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(e){if(!e.id||"string"!=typeof e.id)throw new Error("Invalid id");if(!e.displayName||"function"!=typeof e.displayName)throw new Error("Invalid displayName function");if("title"in e&&"function"!=typeof e.title)throw new Error("Invalid title function");if(!e.iconSvgInline||"function"!=typeof e.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!e.exec||"function"!=typeof e.exec)throw new Error("Invalid exec function");if("enabled"in e&&"function"!=typeof e.enabled)throw new Error("Invalid enabled function");if("execBatch"in e&&"function"!=typeof e.execBatch)throw new Error("Invalid execBatch function");if("order"in e&&"number"!=typeof e.order)throw new Error("Invalid order");if("parent"in e&&"string"!=typeof e.parent)throw new Error("Invalid parent");if(e.default&&!Object.values(p).includes(e.default))throw new Error("Invalid default");if("inline"in e&&"function"!=typeof e.inline)throw new Error("Invalid inline function");if("renderInline"in e&&"function"!=typeof e.renderInline)throw new Error("Invalid renderInline function")}}const w=function(e){void 0===window._nc_fileactions&&(window._nc_fileactions=[],c.debug("FileActions initialized")),window._nc_fileactions.find((t=>t.id===e.id))?c.error(`FileAction ${e.id} already registered`,{action:e}):window._nc_fileactions.push(e)};var x=(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))(x||{});const v=["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"],T={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},A=function(e,t={nc:"http://nextcloud.org/ns"}){void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...v],window._nc_dav_namespaces={...T});const s={...window._nc_dav_namespaces,...t};return window._nc_dav_properties.find((t=>t===e))?(c.warn(`${e} already registered`,{prop:e}),!1):e.startsWith("<")||2!==e.split(":").length?(c.error(`${e} is not valid. See example: 'oc:fileid'`,{prop:e}),!1):s[e.split(":")[0]]?(window._nc_dav_properties.push(e),window._nc_dav_namespaces=s,!0):(c.error(`${e} namespace unknown`,{prop:e,namespaces:s}),!1)},y=function(){return void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...v]),window._nc_dav_properties.map((e=>`<${e} />`)).join(" ")},C=function(){return void 0===window._nc_dav_namespaces&&(window._nc_dav_namespaces={...T}),Object.keys(window._nc_dav_namespaces).map((e=>`xmlns:${e}="${window._nc_dav_namespaces?.[e]}"`)).join(" ")},b=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${y()}\n\t\t\t\n\t\t`},k=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${y()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`},L=function(e){return`\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${y()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${(0,n.HW)()?.uid}/\n\t\t\t\tinfinity\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\thttpd/unix-directory\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t0\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t${e}\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t100\n\t\t\t0\n\t\t\n\t\n`},_=function(e=""){let t=x.NONE;return e?((e.includes("C")||e.includes("K"))&&(t|=x.CREATE),e.includes("G")&&(t|=x.READ),(e.includes("W")||e.includes("N")||e.includes("V"))&&(t|=x.UPDATE),e.includes("D")&&(t|=x.DELETE),e.includes("R")&&(t|=x.SHARE),t):t};var E=(e=>(e.Folder="folder",e.File="file",e))(E||{});const S=function(e,t){return null!==e.match(t)},B=(e,t)=>{if(e.id&&"number"!=typeof e.id)throw new Error("Invalid id type of value");if(!e.source)throw new Error("Missing mandatory source");try{new URL(e.source)}catch(e){throw new Error("Invalid source format, source must be a valid URL")}if(!e.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(e.mtime&&!(e.mtime instanceof Date))throw new Error("Invalid mtime type");if(e.crtime&&!(e.crtime instanceof Date))throw new Error("Invalid crtime type");if(!e.mime||"string"!=typeof e.mime||!e.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in e&&"number"!=typeof e.size&&void 0!==e.size)throw new Error("Invalid size type");if("permissions"in e&&void 0!==e.permissions&&!("number"==typeof e.permissions&&e.permissions>=x.NONE&&e.permissions<=x.ALL))throw new Error("Invalid permissions");if(e.owner&&null!==e.owner&&"string"!=typeof e.owner)throw new Error("Invalid owner type");if(e.attributes&&"object"!=typeof e.attributes)throw new Error("Invalid attributes type");if(e.root&&"string"!=typeof e.root)throw new Error("Invalid root type");if(e.root&&!e.root.startsWith("/"))throw new Error("Root must start with a leading slash");if(e.root&&!e.source.includes(e.root))throw new Error("Root must be part of the source");if(e.root&&S(e.source,t)){const s=e.source.match(t)[0];if(!e.source.includes((0,i.join)(s,e.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(e.status&&!Object.values(F).includes(e.status))throw new Error("Status must be a valid NodeStatus")};var F=(e=>(e.NEW="new",e.FAILED="failed",e.LOADING="loading",e.LOCKED="locked",e))(F||{});class P{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;readonlyAttributes=Object.entries(Object.getOwnPropertyDescriptors(P.prototype)).filter((e=>"function"==typeof e[1].get&&"__proto__"!==e[0])).map((e=>e[0]));handler={set:(e,t,s)=>!this.readonlyAttributes.includes(t)&&(this.updateMtime(),Reflect.set(e,t,s)),deleteProperty:(e,t)=>!this.readonlyAttributes.includes(t)&&(this.updateMtime(),Reflect.deleteProperty(e,t)),get:(e,t,s)=>this.readonlyAttributes.includes(t)?(c.warn(`Accessing "Node.attributes.${t}" is deprecated, access it directly on the Node instance.`),Reflect.get(this,t)):Reflect.get(e,t,s)};constructor(e,t){B(e,t||this._knownDavService),this._data={...e,attributes:{}},this._attributes=new Proxy(this._data.attributes,this.handler),this.update(e.attributes??{}),this._data.mtime=e.mtime,t&&(this._knownDavService=t)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:e}=new URL(this.source);return e+(0,r.O0)(this.source.slice(e.length))}get basename(){return(0,i.basename)(this.source)}get extension(){return(0,i.extname)(this.source)}get dirname(){if(this.root){let e=this.source;this.isDavRessource&&(e=e.split(this._knownDavService).pop());const t=e.indexOf(this.root),s=this.root.replace(/\/$/,"");return(0,i.dirname)(e.slice(t+s.length)||"/")}const e=new URL(this.source);return(0,i.dirname)(e.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}set size(e){this.updateMtime(),this._data.size=e}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:x.NONE:x.READ}set permissions(e){this.updateMtime(),this._data.permissions=e}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return S(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,i.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let e=this.source;this.isDavRessource&&(e=e.split(this._knownDavService).pop());const t=e.indexOf(this.root),s=this.root.replace(/\/$/,"");return e.slice(t+s.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id}get status(){return this._data?.status}set status(e){this._data.status=e}move(e){B({...this._data,source:e},this._knownDavService),this._data.source=e,this.updateMtime()}rename(e){if(e.includes("/"))throw new Error("Invalid basename");this.move((0,i.dirname)(this.source)+"/"+e)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}update(e){for(const[t,s]of Object.entries(e))try{void 0===s?delete this.attributes[t]:this.attributes[t]=s}catch(e){if(e instanceof TypeError)continue;throw e}}}class U extends P{get type(){return E.File}}class N extends P{constructor(e){super({...e,mime:"httpd/unix-directory"})}get type(){return E.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const I=`/files/${(0,n.HW)()?.uid}`,j=(0,o.dC)("dav"),O=function(e=j,t={}){const s=(0,l.UU)(e,{headers:t});function a(e){s.setHeaders({...t,"X-Requested-With":"XMLHttpRequest",requesttoken:e??""})}return(0,n.zo)(a),a((0,n.do)()),(0,l.Gu)().patch("fetch",((e,t)=>{const s=t.headers;return s?.method&&(t.method=s.method,delete s.method),fetch(e,t)})),s},z=(e,t="/",s=I)=>{const n=new AbortController;return new d.CancelablePromise((async(a,i,r)=>{r((()=>n.abort()));try{a((await e.getDirectoryContents(`${s}${t}`,{signal:n.signal,details:!0,data:k(),headers:{method:"REPORT"},includeSelf:!0})).data.filter((e=>e.filename!==t)).map((e=>R(e,s))))}catch(e){i(e)}}))},R=function(e,t=I,s=j){let a=(0,n.HW)()?.uid;const i=document.querySelector("input#isPublic")?.value;if(i)a=a??document.querySelector("input#sharingUserId")?.value,a=a??"anonymous";else if(!a)throw new Error("No user id found");const r=e.props,o=_(r?.permissions),l=String(r?.["owner-id"]||a),d={id:r?.fileid||0,source:`${s}${e.filename}`,mtime:new Date(Date.parse(e.lastmod)),mime:e.mime||"application/octet-stream",size:r?.size||Number.parseInt(r.getcontentlength||"0"),permissions:o,owner:l,root:t,attributes:{...e,...r,hasPreview:r?.["has-preview"]}};return delete d.attributes?.props,"file"===e.type?new U(d):new N(d)};window._oc_config,window._oc_config?.blacklist_files_regex&&new RegExp(window._oc_config.blacklist_files_regex);const D=["B","KB","MB","GB","TB","PB"],M=["B","KiB","MiB","GiB","TiB","PiB"];function V(e,t=!1,s=!1,n=!1){s=s&&!n,"string"==typeof e&&(e=Number(e));let a=e>0?Math.floor(Math.log(e)/Math.log(n?1e3:1024)):0;a=Math.min((s?M.length:D.length)-1,a);const i=s?M[a]:D[a];let r=(e/Math.pow(n?1e3:1024,a)).toFixed(1);return!0===t&&0===a?("0.0"!==r?"< 1 ":"0 ")+(s?M[1]:D[1]):(r=a<2?parseFloat(r).toFixed(0):parseFloat(r).toLocaleString((0,m.lO)()),r+" "+i)}class ${_views=[];_currentView=null;register(e){if(this._views.find((t=>t.id===e.id)))throw new Error(`View id ${e.id} is already registered`);this._views.push(e)}remove(e){const t=this._views.findIndex((t=>t.id===e));-1!==t&&this._views.splice(t,1)}get views(){return this._views}setActive(e){this._currentView=e}get active(){return this._currentView}}const H=function(){return void 0===window._nc_navigation&&(window._nc_navigation=new $,c.debug("Navigation service initialized")),window._nc_navigation};class Y{_column;constructor(e){W(e),this._column=e}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 W=function(e){if(!e.id||"string"!=typeof e.id)throw new Error("A column id is required");if(!e.title||"string"!=typeof e.title)throw new Error("A column title is required");if(!e.render||"function"!=typeof e.render)throw new Error("A render function is required");if(e.sort&&"function"!=typeof e.sort)throw new Error("Column sortFunction must be a function");if(e.summary&&"function"!=typeof e.summary)throw new Error("Column summary must be a function");return!0};var q={},G={};!function(e){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",s="["+t+"]["+t+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",n=new RegExp("^"+s+"$");e.isExist=function(e){return void 0!==e},e.isEmptyObject=function(e){return 0===Object.keys(e).length},e.merge=function(e,t,s){if(t){const n=Object.keys(t),a=n.length;for(let i=0;i5&&"xml"===n)return re("InvalidXml","XML declaration allowed only at the start of the document.",le(e,t));if("?"==e[t]&&">"==e[t+1]){t++;break}}return t}function Q(e,t){if(e.length>t+5&&"-"===e[t+1]&&"-"===e[t+2]){for(t+=3;t"===e[t+2]){t+=2;break}}else if(e.length>t+8&&"D"===e[t+1]&&"O"===e[t+2]&&"C"===e[t+3]&&"T"===e[t+4]&&"Y"===e[t+5]&&"P"===e[t+6]&&"E"===e[t+7]){let s=1;for(t+=8;t"===e[t]&&(s--,0===s))break}else if(e.length>t+9&&"["===e[t+1]&&"C"===e[t+2]&&"D"===e[t+3]&&"A"===e[t+4]&&"T"===e[t+5]&&"A"===e[t+6]&&"["===e[t+7])for(t+=8;t"===e[t+2]){t+=2;break}return t}q.validate=function(e,t){t=Object.assign({},J,t);const s=[];let n=!1,a=!1;"\ufeff"===e[0]&&(e=e.substr(1));for(let r=0;r"!==e[r]&&" "!==e[r]&&"\t"!==e[r]&&"\n"!==e[r]&&"\r"!==e[r];r++)d+=e[r];if(d=d.trim(),"/"===d[d.length-1]&&(d=d.substring(0,d.length-1),r--),i=d,!K.isName(i)){let t;return t=0===d.trim().length?"Invalid space after '<'.":"Tag '"+d+"' is an invalid name.",re("InvalidTag",t,le(e,r))}const m=se(e,r);if(!1===m)return re("InvalidAttr","Attributes for '"+d+"' have open quote.",le(e,r));let c=m.value;if(r=m.index,"/"===c[c.length-1]){const s=r-c.length;c=c.substring(0,c.length-1);const a=ae(c,t);if(!0!==a)return re(a.err.code,a.err.msg,le(e,s+a.err.line));n=!0}else if(l){if(!m.tagClosed)return re("InvalidTag","Closing tag '"+d+"' doesn't have proper closing.",le(e,r));if(c.trim().length>0)return re("InvalidTag","Closing tag '"+d+"' can't have attributes or invalid starting.",le(e,o));if(0===s.length)return re("InvalidTag","Closing tag '"+d+"' has not been opened.",le(e,o));{const t=s.pop();if(d!==t.tagName){let s=le(e,t.tagStartPos);return re("InvalidTag","Expected closing tag '"+t.tagName+"' (opened in line "+s.line+", col "+s.col+") instead of closing tag '"+d+"'.",le(e,o))}0==s.length&&(a=!0)}}else{const i=ae(c,t);if(!0!==i)return re(i.err.code,i.err.msg,le(e,r-c.length+i.err.line));if(!0===a)return re("InvalidXml","Multiple possible root nodes found.",le(e,r));-1!==t.unpairedTags.indexOf(d)||s.push({tagName:d,tagStartPos:o}),n=!0}for(r++;r0)||re("InvalidXml","Invalid '"+JSON.stringify(s.map((e=>e.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):re("InvalidXml","Start tag expected.",1)};const ee='"',te="'";function se(e,t){let s="",n="",a=!1;for(;t"===e[t]&&""===n){a=!0;break}s+=e[t]}return""===n&&{value:s,index:t,tagClosed:a}}const ne=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function ae(e,t){const s=K.getAllMatches(e,ne),n={};for(let e=0;e!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(e,t,s){return e}};me.buildOptions=function(e){return Object.assign({},ce,e)},me.defaultOptions=ce;const ue=G;function ge(e,t){let s="";for(;t0?this.child.push({[e.tagname]:e.child,":@":e[":@"]}):this.child.push({[e.tagname]:e.child})}},ke=function(e,t){const s={};if("O"!==e[t+3]||"C"!==e[t+4]||"T"!==e[t+5]||"Y"!==e[t+6]||"P"!==e[t+7]||"E"!==e[t+8])throw new Error("Invalid Tag instead of DOCTYPE");{t+=9;let n=1,a=!1,i=!1,r="";for(;t"===e[t]){if(i?"-"===e[t-1]&&"-"===e[t-2]&&(i=!1,n--):n--,0===n)break}else"["===e[t]?a=!0:r+=e[t];else{if(a&&pe(e,t))t+=7,[entityName,val,t]=ge(e,t+1),-1===val.indexOf("&")&&(s[ve(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(a&&he(e,t))t+=8;else if(a&&we(e,t))t+=8;else if(a&&xe(e,t))t+=9;else{if(!fe)throw new Error("Invalid DOCTYPE");i=!0}n++,r=""}if(0!==n)throw new Error("Unclosed DOCTYPE")}return{entities:s,i:t}},Le=function(e,t={}){if(t=Object.assign({},ye,t),!e||"string"!=typeof e)return e;let s=e.trim();if(void 0!==t.skipLike&&t.skipLike.test(s))return e;if(t.hex&&Te.test(s))return Number.parseInt(s,16);{const a=Ae.exec(s);if(a){const i=a[1],r=a[2];let o=(n=a[3])&&-1!==n.indexOf(".")?("."===(n=n.replace(/0+$/,""))?n="0":"."===n[0]?n="0"+n:"."===n[n.length-1]&&(n=n.substr(0,n.length-1)),n):n;const l=a[4]||a[6];if(!t.leadingZeros&&r.length>0&&i&&"."!==s[2])return e;if(!t.leadingZeros&&r.length>0&&!i&&"."!==s[1])return e;{const n=Number(s),a=""+n;return-1!==a.search(/[eE]/)||l?t.eNotation?n:e:-1!==s.indexOf(".")?"0"===a&&""===o||a===o||i&&a==="-"+o?n:e:r?o===a||i+o===a?n:e:s===a||s===i+a?n:e}}return e}var n};function _e(e){const t=Object.keys(e);for(let s=0;s0)){r||(e=this.replaceEntitiesValue(e));const n=this.options.tagValueProcessor(t,e,s,a,i);return null==n?e:typeof n!=typeof e||n!==e?n:this.options.trimValues||e.trim()===e?De(e,this.options.parseTagValue,this.options.numberParseOptions):e}}function Se(e){if(this.options.removeNSPrefix){const t=e.split(":"),s="/"===e.charAt(0)?"/":"";if("xmlns"===t[0])return"";2===t.length&&(e=s+t[1])}return e}const Be=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function Fe(e,t,s){if(!this.options.ignoreAttributes&&"string"==typeof e){const s=Ce.getAllMatches(e,Be),n=s.length,a={};for(let e=0;e",i,"Closing Tag is not closed.");let r=e.substring(i+2,t).trim();if(this.options.removeNSPrefix){const e=r.indexOf(":");-1!==e&&(r=r.substr(e+1))}this.options.transformTagName&&(r=this.options.transformTagName(r)),s&&(n=this.saveTextToParentTag(n,s,a));const o=a.substring(a.lastIndexOf(".")+1);if(r&&-1!==this.options.unpairedTags.indexOf(r))throw new Error(`Unpaired tag can not be used as closing tag: `);let l=0;o&&-1!==this.options.unpairedTags.indexOf(o)?(l=a.lastIndexOf(".",a.lastIndexOf(".")-1),this.tagsNodeStack.pop()):l=a.lastIndexOf("."),a=a.substring(0,l),s=this.tagsNodeStack.pop(),n="",i=t}else if("?"===e[i+1]){let t=ze(e,i,!1,"?>");if(!t)throw new Error("Pi Tag is not closed.");if(n=this.saveTextToParentTag(n,s,a),this.options.ignoreDeclaration&&"?xml"===t.tagName||this.options.ignorePiTags);else{const e=new be(t.tagName);e.add(this.options.textNodeName,""),t.tagName!==t.tagExp&&t.attrExpPresent&&(e[":@"]=this.buildAttributesMap(t.tagExp,a,t.tagName)),this.addChild(s,e,a)}i=t.closeIndex+1}else if("!--"===e.substr(i+1,3)){const t=Oe(e,"--\x3e",i+4,"Comment is not closed.");if(this.options.commentPropName){const r=e.substring(i+4,t-2);n=this.saveTextToParentTag(n,s,a),s.add(this.options.commentPropName,[{[this.options.textNodeName]:r}])}i=t}else if("!D"===e.substr(i+1,2)){const t=ke(e,i);this.docTypeEntities=t.entities,i=t.i}else if("!["===e.substr(i+1,2)){const t=Oe(e,"]]>",i,"CDATA is not closed.")-2,r=e.substring(i+9,t);n=this.saveTextToParentTag(n,s,a);let o=this.parseTextData(r,s.tagname,a,!0,!1,!0,!0);null==o&&(o=""),this.options.cdataPropName?s.add(this.options.cdataPropName,[{[this.options.textNodeName]:r}]):s.add(this.options.textNodeName,o),i=t+2}else{let r=ze(e,i,this.options.removeNSPrefix),o=r.tagName;const l=r.rawTagName;let d=r.tagExp,m=r.attrExpPresent,c=r.closeIndex;this.options.transformTagName&&(o=this.options.transformTagName(o)),s&&n&&"!xml"!==s.tagname&&(n=this.saveTextToParentTag(n,s,a,!1));const u=s;if(u&&-1!==this.options.unpairedTags.indexOf(u.tagname)&&(s=this.tagsNodeStack.pop(),a=a.substring(0,a.lastIndexOf("."))),o!==t.tagname&&(a+=a?"."+o:o),this.isItStopNode(this.options.stopNodes,a,o)){let t="";if(d.length>0&&d.lastIndexOf("/")===d.length-1)"/"===o[o.length-1]?(o=o.substr(0,o.length-1),a=a.substr(0,a.length-1),d=o):d=d.substr(0,d.length-1),i=r.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(o))i=r.closeIndex;else{const s=this.readStopNodeData(e,l,c+1);if(!s)throw new Error(`Unexpected end of ${l}`);i=s.i,t=s.tagContent}const n=new be(o);o!==d&&m&&(n[":@"]=this.buildAttributesMap(d,a,o)),t&&(t=this.parseTextData(t,o,a,!0,m,!0,!0)),a=a.substr(0,a.lastIndexOf(".")),n.add(this.options.textNodeName,t),this.addChild(s,n,a)}else{if(d.length>0&&d.lastIndexOf("/")===d.length-1){"/"===o[o.length-1]?(o=o.substr(0,o.length-1),a=a.substr(0,a.length-1),d=o):d=d.substr(0,d.length-1),this.options.transformTagName&&(o=this.options.transformTagName(o));const e=new be(o);o!==d&&m&&(e[":@"]=this.buildAttributesMap(d,a,o)),this.addChild(s,e,a),a=a.substr(0,a.lastIndexOf("."))}else{const e=new be(o);this.tagsNodeStack.push(s),o!==d&&m&&(e[":@"]=this.buildAttributesMap(d,a,o)),this.addChild(s,e,a),s=e}n="",i=c}}else n+=e[i];return t.child};function Ue(e,t,s){const n=this.options.updateTag(t.tagname,s,t[":@"]);!1===n||("string"==typeof n?(t.tagname=n,e.addChild(t)):e.addChild(t))}const Ne=function(e){if(this.options.processEntities){for(let t in this.docTypeEntities){const s=this.docTypeEntities[t];e=e.replace(s.regx,s.val)}for(let t in this.lastEntities){const s=this.lastEntities[t];e=e.replace(s.regex,s.val)}if(this.options.htmlEntities)for(let t in this.htmlEntities){const s=this.htmlEntities[t];e=e.replace(s.regex,s.val)}e=e.replace(this.ampEntity.regex,this.ampEntity.val)}return e};function Ie(e,t,s,n){return e&&(void 0===n&&(n=0===Object.keys(t.child).length),void 0!==(e=this.parseTextData(e,t.tagname,s,!1,!!t[":@"]&&0!==Object.keys(t[":@"]).length,n))&&""!==e&&t.add(this.options.textNodeName,e),e=""),e}function je(e,t,s){const n="*."+s;for(const s in e){const a=e[s];if(n===a||t===a)return!0}return!1}function Oe(e,t,s,n){const a=e.indexOf(t,s);if(-1===a)throw new Error(n);return a+t.length-1}function ze(e,t,s,n=">"){const a=function(e,t,s=">"){let n,a="";for(let i=t;i",s,`${t} is not closed`);if(e.substring(s+2,i).trim()===t&&(a--,0===a))return{tagContent:e.substring(n,s),i};s=i}else if("?"===e[s+1])s=Oe(e,"?>",s+1,"StopNode is not closed.");else if("!--"===e.substr(s+1,3))s=Oe(e,"--\x3e",s+3,"StopNode is not closed.");else if("!["===e.substr(s+1,2))s=Oe(e,"]]>",s,"StopNode is not closed.")-2;else{const n=ze(e,s,">");n&&((n&&n.tagName)===t&&"/"!==n.tagExp[n.tagExp.length-1]&&a++,s=n.closeIndex)}}function De(e,t,s){if(t&&"string"==typeof e){const t=e.trim();return"true"===t||"false"!==t&&Le(e,s)}return Ce.isExist(e)?e:""}var Me={};function Ve(e,t,s){let n;const a={};for(let i=0;i0&&(a[t.textNodeName]=n):void 0!==n&&(a[t.textNodeName]=n),a}function $e(e){const t=Object.keys(e);for(let e=0;e"},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:"₹"},num_dec:{regex:/&#([0-9]{1,7});/g,val:(e,t)=>String.fromCharCode(Number.parseInt(t,10))},num_hex:{regex:/&#x([0-9a-fA-F]{1,6});/g,val:(e,t)=>String.fromCharCode(Number.parseInt(t,16))}},this.addExternalEntities=_e,this.parseXml=Pe,this.parseTextData=Ee,this.resolveNameSpace=Se,this.buildAttributesMap=Fe,this.isItStopNode=je,this.replaceEntitiesValue=Ne,this.readStopNodeData=Re,this.saveTextToParentTag=Ie,this.addChild=Ue}},{prettify:Ge}=Me,Ke=q;function Je(e,t,s,n){let a="",i=!1;for(let r=0;r`,i=!1;continue}if(l===t.commentPropName){a+=n+`\x3c!--${o[l][0][t.textNodeName]}--\x3e`,i=!0;continue}if("?"===l[0]){const e=Xe(o[":@"],t),s="?xml"===l?"":n;let r=o[l][0][t.textNodeName];r=0!==r.length?" "+r:"",a+=s+`<${l}${r}${e}?>`,i=!0;continue}let m=n;""!==m&&(m+=t.indentBy);const c=n+`<${l}${Xe(o[":@"],t)}`,u=Je(o[l],t,d,m);-1!==t.unpairedTags.indexOf(l)?t.suppressUnpairedNode?a+=c+">":a+=c+"/>":u&&0!==u.length||!t.suppressEmptyNode?u&&u.endsWith(">")?a+=c+`>${u}${n}`:(a+=c+">",u&&""!==n&&(u.includes("/>")||u.includes("`):a+=c+"/>",i=!0}return a}function Ze(e){const t=Object.keys(e);for(let s=0;s0&&t.processEntities)for(let s=0;s0&&(s="\n"),Je(e,t,"",s)},st={attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,cdataPropName:!1,format:!1,indentBy:" ",suppressEmptyNode:!1,suppressUnpairedNode:!0,suppressBooleanAttributes:!0,tagValueProcessor:function(e,t){return t},attributeValueProcessor:function(e,t){return t},preserveOrder:!1,commentPropName:!1,unpairedTags:[],entities:[{regex:new RegExp("&","g"),val:"&"},{regex:new RegExp(">","g"),val:">"},{regex:new RegExp("<","g"),val:"<"},{regex:new RegExp("'","g"),val:"'"},{regex:new RegExp('"',"g"),val:"""}],processEntities:!0,stopNodes:[],oneListGroup:!1};function nt(e){this.options=Object.assign({},st,e),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=rt),this.processTextOrObjNode=at,this.options.format?(this.indentate=it,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function at(e,t,s){const n=this.j2x(e,s+1);return void 0!==e[this.options.textNodeName]&&1===Object.keys(e).length?this.buildTextValNode(e[this.options.textNodeName],t,n.attrStr,s):this.buildObjectNode(n.val,t,n.attrStr,s)}function it(e){return this.options.indentBy.repeat(e)}function rt(e){return!(!e.startsWith(this.options.attributeNamePrefix)||e===this.options.textNodeName)&&e.substr(this.attrPrefixLen)}nt.prototype.build=function(e){return this.options.preserveOrder?tt(e,this.options):(Array.isArray(e)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(e={[this.options.arrayNodeName]:e}),this.j2x(e,0).val)},nt.prototype.j2x=function(e,t){let s="",n="";for(let a in e)if(Object.prototype.hasOwnProperty.call(e,a))if(void 0===e[a])this.isAttribute(a)&&(n+="");else if(null===e[a])this.isAttribute(a)?n+="":"?"===a[0]?n+=this.indentate(t)+"<"+a+"?"+this.tagEndChar:n+=this.indentate(t)+"<"+a+"/"+this.tagEndChar;else if(e[a]instanceof Date)n+=this.buildTextValNode(e[a],a,"",t);else if("object"!=typeof e[a]){const i=this.isAttribute(a);if(i)s+=this.buildAttrPairStr(i,""+e[a]);else if(a===this.options.textNodeName){let t=this.options.tagValueProcessor(a,""+e[a]);n+=this.replaceEntitiesValue(t)}else n+=this.buildTextValNode(e[a],a,"",t)}else if(Array.isArray(e[a])){const s=e[a].length;let i="";for(let r=0;r"+e+a}},nt.prototype.closeTag=function(e){let t="";return-1!==this.options.unpairedTags.indexOf(e)?this.options.suppressUnpairedNode||(t="/"):t=this.options.suppressEmptyNode?"/":`>`+this.newLine;if(!1!==this.options.commentPropName&&t===this.options.commentPropName)return this.indentate(n)+`\x3c!--${e}--\x3e`+this.newLine;if("?"===t[0])return this.indentate(n)+"<"+t+s+"?"+this.tagEndChar;{let a=this.options.tagValueProcessor(t,e);return a=this.replaceEntitiesValue(a),""===a?this.indentate(n)+"<"+t+s+this.closeTag(t)+this.tagEndChar:this.indentate(n)+"<"+t+s+">"+a+"0&&this.options.processEntities)for(let t=0;t0&&(!e.caption||"string"!=typeof e.caption))throw new Error("View caption is required for top-level views and must be a string");if(!e.getContents||"function"!=typeof e.getContents)throw new Error("View getContents is required and must be a function");if(!e.icon||"string"!=typeof e.icon||!function(e){if("string"!=typeof e)throw new TypeError(`Expected a \`string\`, got \`${typeof e}\``);if(0===(e=e.trim()).length)return!1;if(!0!==ot.XMLValidator.validate(e))return!1;let t;const s=new ot.XMLParser;try{t=s.parse(e)}catch{return!1}return!!t&&!!Object.keys(t).some((e=>"svg"===e.toLowerCase()))}(e.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in e)||"number"!=typeof e.order)throw new Error("View order is required and must be a number");if(e.columns&&e.columns.forEach((e=>{if(!(e instanceof Y))throw new Error("View columns must be an array of Column. Invalid column found")})),e.emptyView&&"function"!=typeof e.emptyView)throw new Error("View emptyView must be a function");if(e.parent&&"string"!=typeof e.parent)throw new Error("View parent must be a string");if("sticky"in e&&"boolean"!=typeof e.sticky)throw new Error("View sticky must be a boolean");if("expanded"in e&&"boolean"!=typeof e.expanded)throw new Error("View expanded must be a boolean");if(e.defaultSortKey&&"string"!=typeof e.defaultSortKey)throw new Error("View defaultSortKey must be a string");return!0},mt=function(e){return f().registerEntry(e)},ct=function(e){return f().unregisterEntry(e)},ut=function(e){return f().getEntries(e).sort(((e,t)=>void 0!==e.order&&void 0!==t.order&&e.order!==t.order?e.order-t.order:e.displayName.localeCompare(t.displayName,void 0,{numeric:!0,sensitivity:"base"})))}},41261:(e,t,s)=>{"use strict";s.d(t,{a:()=>ae,h:()=>me,l:()=>G,n:()=>X,o:()=>de,t:()=>ie});var n=s(85072),a=s.n(n),i=s(97825),r=s.n(i),o=s(77659),l=s.n(o),d=s(55056),m=s.n(d),c=s(10540),u=s.n(c),g=s(41113),f=s.n(g),p=s(30521),h={};h.styleTagTransform=f(),h.setAttributes=m(),h.insert=l().bind(null,"head"),h.domAPI=r(),h.insertStyleElement=u(),a()(p.A,h),p.A&&p.A.locals&&p.A.locals;var w=s(53110),x=s(71089),v=s(35810),T=s(88164),A=s(21777),y=s(26287);class C extends Error{constructor(e){super(e||"Promise was canceled"),this.name="CancelError"}get isCanceled(){return!0}}const b=Object.freeze({pending:Symbol("pending"),canceled:Symbol("canceled"),resolved:Symbol("resolved"),rejected:Symbol("rejected")});class k{static fn(e){return(...t)=>new k(((s,n,a)=>{t.push(a),e(...t).then(s,n)}))}#e=[];#t=!0;#s=b.pending;#n;#a;constructor(e){this.#n=new Promise(((t,s)=>{this.#a=s;const n=e=>{if(this.#s!==b.pending)throw new Error(`The \`onCancel\` handler was attached after the promise ${this.#s.description}.`);this.#e.push(e)};Object.defineProperties(n,{shouldReject:{get:()=>this.#t,set:e=>{this.#t=e}}}),e((e=>{this.#s===b.canceled&&n.shouldReject||(t(e),this.#i(b.resolved))}),(e=>{this.#s===b.canceled&&n.shouldReject||(s(e),this.#i(b.rejected))}),n)}))}then(e,t){return this.#n.then(e,t)}catch(e){return this.#n.catch(e)}finally(e){return this.#n.finally(e)}cancel(e){if(this.#s===b.pending){if(this.#i(b.canceled),this.#e.length>0)try{for(const e of this.#e)e()}catch(e){return void this.#a(e)}this.#t&&this.#a(new C(e))}}get isCanceled(){return this.#s===b.canceled}#i(e){this.#s===b.pending&&(this.#s=e)}}Object.setPrototypeOf(k.prototype,Promise.prototype);var L=s(9052);class _ extends Error{constructor(e){super(e),this.name="TimeoutError"}}class E extends Error{constructor(e){super(),this.name="AbortError",this.message=e}}const S=e=>void 0===globalThis.DOMException?new E(e):new DOMException(e),B=e=>{const t=void 0===e.reason?S("This operation was aborted."):e.reason;return t instanceof Error?t:S(t)};class F{#r=[];enqueue(e,t){const s={priority:(t={priority:0,...t}).priority,run:e};if(this.size&&this.#r[this.size-1].priority>=t.priority)return void this.#r.push(s);const n=function(e,t,s){let n=0,a=e.length;for(;a>0;){const s=Math.trunc(a/2);let r=n+s;i=e[r],t.priority-i.priority<=0?(n=++r,a-=s+1):a=s}var i;return n}(this.#r,s);this.#r.splice(n,0,s)}dequeue(){const e=this.#r.shift();return e?.run}filter(e){return this.#r.filter((t=>t.priority===e.priority)).map((e=>e.run))}get size(){return this.#r.length}}class P extends L{#o;#l;#d=0;#m;#c;#u=0;#g;#f;#r;#p;#h=0;#w;#x;#v;timeout;constructor(e){if(super(),!("number"==typeof(e={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:F,...e}).intervalCap&&e.intervalCap>=1))throw new TypeError(`Expected \`intervalCap\` to be a number from 1 and up, got \`${e.intervalCap?.toString()??""}\` (${typeof e.intervalCap})`);if(void 0===e.interval||!(Number.isFinite(e.interval)&&e.interval>=0))throw new TypeError(`Expected \`interval\` to be a finite number >= 0, got \`${e.interval?.toString()??""}\` (${typeof e.interval})`);this.#o=e.carryoverConcurrencyCount,this.#l=e.intervalCap===Number.POSITIVE_INFINITY||0===e.interval,this.#m=e.intervalCap,this.#c=e.interval,this.#r=new e.queueClass,this.#p=e.queueClass,this.concurrency=e.concurrency,this.timeout=e.timeout,this.#v=!0===e.throwOnTimeout,this.#x=!1===e.autoStart}get#T(){return this.#l||this.#d{this.#b()}),t)),!0;this.#d=this.#o?this.#h:0}return!1}#C(){if(0===this.#r.size)return this.#g&&clearInterval(this.#g),this.#g=void 0,this.emit("empty"),0===this.#h&&this.emit("idle"),!1;if(!this.#x){const e=!this.#_;if(this.#T&&this.#A){const t=this.#r.dequeue();return!!t&&(this.emit("active"),t(),e&&this.#L(),!0)}}return!1}#L(){this.#l||void 0!==this.#g||(this.#g=setInterval((()=>{this.#k()}),this.#c),this.#u=Date.now()+this.#c)}#k(){0===this.#d&&0===this.#h&&this.#g&&(clearInterval(this.#g),this.#g=void 0),this.#d=this.#o?this.#h:0,this.#E()}#E(){for(;this.#C(););}get concurrency(){return this.#w}set concurrency(e){if(!("number"==typeof e&&e>=1))throw new TypeError(`Expected \`concurrency\` to be a number from 1 and up, got \`${e}\` (${typeof e})`);this.#w=e,this.#E()}async#S(e){return new Promise(((t,s)=>{e.addEventListener("abort",(()=>{s(e.reason)}),{once:!0})}))}async add(e,t={}){return t={timeout:this.timeout,throwOnTimeout:this.#v,...t},new Promise(((s,n)=>{this.#r.enqueue((async()=>{this.#h++,this.#d++;try{t.signal?.throwIfAborted();let n=e({signal:t.signal});t.timeout&&(n=function(e,t){const{milliseconds:s,fallback:n,message:a,customTimers:i={setTimeout,clearTimeout}}=t;let r;const o=new Promise(((o,l)=>{if("number"!=typeof s||1!==Math.sign(s))throw new TypeError(`Expected \`milliseconds\` to be a positive number, got \`${s}\``);if(t.signal){const{signal:e}=t;e.aborted&&l(B(e)),e.addEventListener("abort",(()=>{l(B(e))}))}if(s===Number.POSITIVE_INFINITY)return void e.then(o,l);const d=new _;r=i.setTimeout.call(void 0,(()=>{if(n)try{o(n())}catch(e){l(e)}else"function"==typeof e.cancel&&e.cancel(),!1===a?o():a instanceof Error?l(a):(d.message=a??`Promise timed out after ${s} milliseconds`,l(d))}),s),(async()=>{try{o(await e)}catch(e){l(e)}})()})).finally((()=>{o.clear()}));return o.clear=()=>{i.clearTimeout.call(void 0,r),r=void 0},o}(Promise.resolve(n),{milliseconds:t.timeout})),t.signal&&(n=Promise.race([n,this.#S(t.signal)]));const a=await n;s(a),this.emit("completed",a)}catch(e){if(e instanceof _&&!t.throwOnTimeout)return void s();n(e),this.emit("error",e)}finally{this.#y()}}),t),this.emit("add"),this.#C()}))}async addAll(e,t){return Promise.all(e.map((async e=>this.add(e,t))))}start(){return this.#x?(this.#x=!1,this.#E(),this):this}pause(){this.#x=!0}clear(){this.#r=new this.#p}async onEmpty(){0!==this.#r.size&&await this.#B("empty")}async onSizeLessThan(e){this.#r.sizethis.#r.size{const n=()=>{t&&!t()||(this.off(e,n),s())};this.on(e,n)}))}get size(){return this.#r.size}sizeBy(e){return this.#r.filter(e).length}get pending(){return this.#h}get isPaused(){return this.#x}}var U=s(53529),N=s(85168),I=s(75270),j=s(85471),O=s(63420),z=s(24764),R=s(9518),D=s(6695),M=s(95101),V=s(11195);const $=async function(e,t,s,n=(()=>{}),a=void 0,i={}){let r;return r=t instanceof Blob?t:await t(),a&&(i.Destination=a),i["Content-Type"]||(i["Content-Type"]="application/octet-stream"),await y.A.request({method:"PUT",url:e,data:r,signal:s,onUploadProgress:n,headers:i})},H=function(e,t,s){return 0===t&&e.size<=s?Promise.resolve(new Blob([e],{type:e.type||"application/octet-stream"})):Promise.resolve(new Blob([e.slice(t,t+s)],{type:"application/octet-stream"}))},Y=function(e=void 0){const t=window.OC?.appConfig?.files?.max_chunk_size;if(t<=0)return 0;if(!Number(t))return 10485760;const s=Math.max(Number(t),5242880);return void 0===e?s:Math.max(s,Math.ceil(e/1e4))};var W=(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))(W||{});let q=class{_source;_file;_isChunked;_chunks;_size;_uploaded=0;_startTime=0;_status=0;_controller;_response=null;constructor(e,t=!1,s,n){const a=Math.min(Y()>0?Math.ceil(s/Y()):1,1e4);this._source=e,this._isChunked=t&&Y()>0&&a>1,this._chunks=this._isChunked?a:1,this._size=s,this._file=n,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(e){this._response=e}get response(){return this._response}get uploaded(){return this._uploaded}set uploaded(e){if(e>=this._size)return this._status=this._isChunked?2:3,void(this._uploaded=this._size);this._status=1,this._uploaded=e,0===this._startTime&&(this._startTime=(new Date).getTime())}get status(){return this._status}set status(e){this._status=e}get signal(){return this._controller.signal}cancel(){this._controller.abort(),this._status=4}};const G=null===(K=(0,A.HW)())?(0,U.YK)().setApp("uploader").build():(0,U.YK)().setApp("uploader").setUid(K.uid).build();var K,J=(e=>(e[e.IDLE=0]="IDLE",e[e.UPLOADING=1]="UPLOADING",e[e.PAUSED=2]="PAUSED",e))(J||{});class Z{_destinationFolder;_isPublic;_uploadQueue=[];_jobQueue=new P({concurrency:3});_queueSize=0;_queueProgress=0;_queueStatus=0;_notifiers=[];constructor(e=!1,t){if(this._isPublic=e,!t){const e=(0,A.HW)()?.uid,s=(0,T.dC)(`dav/files/${e}`);if(!e)throw new Error("User is not logged in");t=new v.vd({id:0,owner:e,permissions:v.aX.ALL,root:`/files/${e}`,source:s})}this.destination=t,G.debug("Upload workspace initialized",{destination:this.destination,root:this.root,isPublic:e,maxChunksSize:Y()})}get destination(){return this._destinationFolder}set destination(e){if(!e)throw new Error("Invalid destination folder");G.debug("Destination set",{folder:e}),this._destinationFolder=e}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 e=this._uploadQueue.map((e=>e.size)).reduce(((e,t)=>e+t),0),t=this._uploadQueue.map((e=>e.uploaded)).reduce(((e,t)=>e+t),0);this._queueSize=e,this._queueProgress=t,2!==this._queueStatus&&(this._queueStatus=this._jobQueue.size>0?1:0)}addNotifier(e){this._notifiers.push(e)}upload(e,t,s){const n=`${s||this.root}/${e.replace(/^\//,"")}`,{origin:a}=new URL(n),i=a+(0,x.O0)(n.slice(a.length));G.debug(`Uploading ${t.name} to ${i}`);const r=Y(t.size),o=0===r||t.size{if(n(l.cancel),o){G.debug("Initializing regular upload",{file:t,upload:l});const n=await H(t,0,l.size),a=async()=>{try{l.response=await $(i,n,l.signal,(e=>{l.uploaded=l.uploaded+e.bytes,this.updateStats()}),void 0,{"X-OC-Mtime":t.lastModified/1e3,"Content-Type":t.type}),l.uploaded=l.size,this.updateStats(),G.debug(`Successfully uploaded ${t.name}`,{file:t,upload:l}),e(l)}catch(e){if(e instanceof w.k3)return l.status=W.FAILED,void s("Upload has been cancelled");e?.response&&(l.response=e.response),l.status=W.FAILED,G.error(`Failed uploading ${t.name}`,{error:e,file:t,upload:l}),s("Failed uploading the file")}this._notifiers.forEach((e=>{try{e(l)}catch{}}))};this._jobQueue.add(a),this.updateStats()}else{G.debug("Initializing chunked upload",{file:t,upload:l});const n=await async function(e){const t=`${(0,T.dC)(`dav/uploads/${(0,A.HW)()?.uid}`)}/web-file-upload-${[...Array(16)].map((()=>Math.floor(16*Math.random()).toString(16))).join("")}`,s=e?{Destination:e}:void 0;return await y.A.request({method:"MKCOL",url:t,headers:s}),t}(i),a=[];for(let e=0;eH(t,s,r),m=()=>$(`${n}/${e+1}`,d,l.signal,(()=>this.updateStats()),i,{"X-OC-Mtime":t.lastModified/1e3,"OC-Total-Length":t.size,"Content-Type":"application/octet-stream"}).then((()=>{l.uploaded=l.uploaded+r})).catch((t=>{throw 507===t?.response?.status?(G.error("Upload failed, not enough space on the server or quota exceeded. Cancelling the remaining chunks",{error:t,upload:l}),l.cancel(),l.status=W.FAILED,t):(t instanceof w.k3||(G.error(`Chunk ${e+1} ${s} - ${o} uploading failed`,{error:t,upload:l}),l.cancel(),l.status=W.FAILED),t)}));a.push(this._jobQueue.add(m))}try{await Promise.all(a),this.updateStats(),l.response=await y.A.request({method:"MOVE",url:`${n}/.file`,headers:{"X-OC-Mtime":t.lastModified/1e3,"OC-Total-Length":t.size,Destination:i}}),this.updateStats(),l.status=W.FINISHED,G.debug(`Successfully uploaded ${t.name}`,{file:t,upload:l}),e(l)}catch(e){e instanceof w.k3?(l.status=W.FAILED,s("Upload has been cancelled")):(l.status=W.FAILED,s("Failed assembling the chunks together")),y.A.request({method:"DELETE",url:`${n}`})}this._notifiers.forEach((e=>{try{e(l)}catch{}}))}return this._jobQueue.onIdle().then((()=>this.reset())),l}))}}function X(e,t,s,n,a,i,r,o){var l,d="function"==typeof e?e.options:e;if(t&&(d.render=t,d.staticRenderFns=s,d._compiled=!0),n&&(d.functional=!0),i&&(d._scopeId="data-v-"+i),r?(l=function(e){!(e=e||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)&&typeof __VUE_SSR_CONTEXT__<"u"&&(e=__VUE_SSR_CONTEXT__),a&&a.call(this,e),e&&e._registeredComponents&&e._registeredComponents.add(r)},d._ssrRegister=l):a&&(l=o?function(){a.call(this,(d.functional?this.parent:this).$root.$options.shadowRoot)}:a),l)if(d.functional){d._injectStyles=l;var m=d.render;d.render=function(e,t){return l.call(t),m(e,t)}}else{var c=d.beforeCreate;d.beforeCreate=c?[].concat(c,l):[l]}return{exports:e,options:d}}const Q=X({name:"CancelIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var e=this,t=e._self._c;return t("span",e._b({staticClass:"material-design-icon cancel-icon",attrs:{"aria-hidden":!e.title||null,"aria-label":e.title,role:"img"},on:{click:function(t){return e.$emit("click",t)}}},"span",e.$attrs,!1),[t("svg",{staticClass:"material-design-icon__svg",attrs:{fill:e.fillColor,width:e.size,height:e.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"}},[e.title?t("title",[e._v(e._s(e.title))]):e._e()])])])}),[],!1,null,null,null,null).exports,ee=X({name:"PlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var e=this,t=e._self._c;return t("span",e._b({staticClass:"material-design-icon plus-icon",attrs:{"aria-hidden":!e.title||null,"aria-label":e.title,role:"img"},on:{click:function(t){return e.$emit("click",t)}}},"span",e.$attrs,!1),[t("svg",{staticClass:"material-design-icon__svg",attrs:{fill:e.fillColor,width:e.size,height:e.size,viewBox:"0 0 24 24"}},[t("path",{attrs:{d:"M19,13H13V19H11V13H5V11H11V5H13V11H19V13Z"}},[e.title?t("title",[e._v(e._s(e.title))]):e._e()])])])}),[],!1,null,null,null,null).exports,te=X({name:"UploadIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var e=this,t=e._self._c;return t("span",e._b({staticClass:"material-design-icon upload-icon",attrs:{"aria-hidden":!e.title||null,"aria-label":e.title,role:"img"},on:{click:function(t){return e.$emit("click",t)}}},"span",e.$attrs,!1),[t("svg",{staticClass:"material-design-icon__svg",attrs:{fill:e.fillColor,width:e.size,height:e.size,viewBox:"0 0 24 24"}},[t("path",{attrs:{d:"M9,16V10H5L12,3L19,10H15V16H9M5,20V18H19V20H5Z"}},[e.title?t("title",[e._v(e._s(e.title))]):e._e()])])])}),[],!1,null,null,null,null).exports,se=(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 , 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 , 2024\n"},msgstr:["Last-Translator: Ali , 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 , 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 , 2023\n"},msgstr:["Last-Translator: enolp , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rashad Aliyev , 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 , 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 , 2022\nToni Hermoso Pulido , 2022\n"},msgstr:["Last-Translator: Toni Hermoso Pulido , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Pavel Borecki , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Michal Šmahel , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Martin Bonde , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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æ , 2023\nAndi Chandler , 2023\n"},msgstr:["Last-Translator: Andi Chandler , 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æ , 2023\nFranciscoFJ , 2023\nNext Cloud , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Unai Tolosa Pontesta , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Jiri Grönroos , 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 , 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æ , 2023\nNacho , 2023\nMiguel Anxo Bouzada , 2023\n"},msgstr:["Last-Translator: Miguel Anxo Bouzada , 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ó , 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 , 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æ , 2023\nEmpty Slot Filler, 2023\nLinerly , 2023\n"},msgstr:["Last-Translator: Linerly , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Sveinn í Felli , 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æ , 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æ , 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":"Сашко Тодоров , 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Сашко Тодоров , 2022\n"},msgstr:["Last-Translator: Сашко Тодоров , 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æ , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rico , 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æ , 2023\nM H , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Leonardo Colman Lopes , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Manuela Silva , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Mădălin Vasiliu , 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æ , 2023\nMax Smith , 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æ , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Phongpanot Phairat , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Kaya Zeren , 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 , 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 , 2024\n"},msgstr:["Last-Translator: O St , 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æ , 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æ , 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æ , 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":"黃柏諺 , 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黃柏諺 , 2024\n"},msgstr:["Last-Translator: 黃柏諺 , 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=>se.addTranslation(e.locale,e.json)));const ne=se.build(),ae=ne.ngettext.bind(ne),ie=ne.gettext.bind(ne),re=j.Ay.extend({name:"UploadPicker",components:{Cancel:Q,NcActionButton:O.A,NcActions:z.A,NcButton:R.A,NcIconSvgWrapper:D.A,NcProgressBar:M.A,Plus:ee,Upload:te},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:v.vd,default:void 0},content:{type:Array,default:()=>[]},forbiddenCharacters:{type:Array,default:()=>[]}},data:()=>({addLabel:ie("New"),cancelLabel:ie("Cancel uploads"),uploadLabel:ie("Upload files"),progressLabel:ie("Upload progress"),progressTimeId:`nc-uploader-progress-${Math.random().toString(36).slice(7)}`,eta:null,timeLeft:"",newFileMenuEntries:[],uploadManager:le()}),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((e=>e.status===W.FAILED)).length},isUploading(){return this.queue?.length>0},isAssembling(){return 0!==this.queue?.filter((e=>e.status===W.ASSEMBLING)).length},isPaused(){return this.uploadManager.info?.status===J.PAUSED},buttonName(){if(!this.isUploading)return this.addLabel}},watch:{destination(e){this.setDestination(e)},totalQueueSize(e){this.eta=I({min:0,max:e}),this.updateStatus()},uploadedQueueSize(e){this.eta?.report?.(e),this.updateStatus()},isPaused(e){e?this.$emit("paused",this.queue):this.$emit("resumed",this.queue)}},beforeMount(){this.destination&&this.setDestination(this.destination),this.uploadManager.addNotifier(this.onUploadCompletion),G.debug("UploadPicker initialised")},methods:{onClick(){this.$refs.input.click()},async onPick(){let e=[...this.$refs.input.files];if(me(e,this.content)){const t=e.filter((e=>this.content.find((t=>t.basename===e.name)))).filter(Boolean),s=e.filter((e=>!t.includes(e)));try{const{selected:n,renamed:a}=await de(this.destination.basename,t,this.content);e=[...s,...n,...a]}catch{return void(0,N.Qg)(ie("Upload cancelled"))}}e.forEach((e=>{const t=(this.forbiddenCharacters||[]).find((t=>e.name.includes(t)));t?(0,N.Qg)(ie(`"${t}" is not allowed inside a file name.`)):this.uploadManager.upload(e.name,e).catch((()=>{}))})),this.$refs.form.reset()},onCancel(){this.uploadManager.queue.forEach((e=>{e.cancel()})),this.$refs.form.reset()},updateStatus(){if(this.isPaused)return void(this.timeLeft=ie("paused"));const e=Math.round(this.eta.estimate());if(e!==1/0)if(e<10)this.timeLeft=ie("a few seconds left");else if(e>60){const t=new Date(0);t.setSeconds(e);const s=t.toISOString().slice(11,19);this.timeLeft=ie("{time} left",{time:s})}else this.timeLeft=ie("{seconds} seconds left",{seconds:e});else this.timeLeft=ie("estimating time left")},setDestination(e){this.destination?(this.uploadManager.destination=e,this.newFileMenuEntries=(0,v.m1)(e)):G.debug("Invalid destination")},onUploadCompletion(e){e.status===W.FAILED?this.$emit("failed",e):this.$emit("uploaded",e)}}});X(re,(function(){var e=this,t=e._self._c;return e._self._setupProxy,e.destination?t("form",{ref:"form",staticClass:"upload-picker",class:{"upload-picker--uploading":e.isUploading,"upload-picker--paused":e.isPaused},attrs:{"data-cy-upload-picker":""}},[e.newFileMenuEntries&&0===e.newFileMenuEntries.length?t("NcButton",{attrs:{disabled:e.disabled,"data-cy-upload-picker-add":"",type:"secondary"},on:{click:e.onClick},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[e._v(" "+e._s(e.buttonName)+" ")]):t("NcActions",{attrs:{"menu-name":e.buttonName,"menu-title":e.addLabel,type:"secondary"},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[t("NcActionButton",{attrs:{"data-cy-upload-picker-add":"","close-after-click":!0},on:{click:e.onClick},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Upload",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,3606034491)},[e._v(" "+e._s(e.uploadLabel)+" ")]),e._l(e.newFileMenuEntries,(function(s){return t("NcActionButton",{key:s.id,staticClass:"upload-picker__menu-entry",attrs:{icon:s.iconClass,"close-after-click":!0},on:{click:function(t){return s.handler(e.destination,e.content)}},scopedSlots:e._u([s.iconSvgInline?{key:"icon",fn:function(){return[t("NcIconSvgWrapper",{attrs:{svg:s.iconSvgInline}})]},proxy:!0}:null],null,!0)},[e._v(" "+e._s(s.displayName)+" ")])}))],2),t("div",{directives:[{name:"show",rawName:"v-show",value:e.isUploading,expression:"isUploading"}],staticClass:"upload-picker__progress"},[t("NcProgressBar",{attrs:{"aria-label":e.progressLabel,"aria-describedby":e.progressTimeId,error:e.hasFailure,value:e.progress,size:"medium"}}),t("p",{attrs:{id:e.progressTimeId}},[e._v(" "+e._s(e.timeLeft)+" ")])],1),e.isUploading?t("NcButton",{staticClass:"upload-picker__cancel",attrs:{type:"tertiary","aria-label":e.cancelLabel,"data-cy-upload-picker-cancel":""},on:{click:e.onCancel},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Cancel",{attrs:{title:"",size:20}})]},proxy:!0}],null,!1,4076886712)}):e._e(),t("input",{directives:[{name:"show",rawName:"v-show",value:!1,expression:"false"}],ref:"input",attrs:{type:"file",accept:e.accept?.join?.(", "),multiple:e.multiple,"data-cy-upload-picker-input":""},on:{change:e.onPick}})],1):e._e()}),[],!1,null,"eca9500a",null,null).exports;let oe=null;function le(){const e=null!==document.querySelector('input[name="isPublic"][value="1"]');return oe instanceof Z||(oe=new Z(e)),oe}async function de(e,t,n){const a=(0,j.$V)((()=>Promise.all([s.e(4208),s.e(6075)]).then(s.bind(s,56075))));return new Promise(((s,i)=>{const r=new j.Ay({name:"ConflictPickerRoot",render:o=>o(a,{props:{dirname:e,conflicts:t,content:n},on:{submit(e){s(e),r.$destroy(),r.$el?.parentNode?.removeChild(r.$el)},cancel(e){i(e??new Error("Canceled")),r.$destroy(),r.$el?.parentNode?.removeChild(r.$el)}}})});r.$mount(),document.body.appendChild(r.$el)}))}function me(e,t){const s=t.map((e=>e.basename));return e.filter((e=>{const t=e instanceof File?e.name:e.basename;return-1!==s.indexOf(t)})).length>0}},88164:(e,t,s)=>{"use strict";s.d(t,{Jv:()=>i,dC:()=>n});const n=(e,t)=>{var s;return(null!=(s=null==t?void 0:t.baseURL)?s:r())+(e=>"/remote.php/"+e)(e)},a=(e,t,s)=>{const n=Object.assign({escape:!0},s||{});return"/"!==e.charAt(0)&&(e="/"+e),a=(a=t||{})||{},e.replace(/{([^{}]*)}/g,(function(e,t){const s=a[t];return n.escape?encodeURIComponent("string"==typeof s||"number"==typeof s?s.toString():e):"string"==typeof s||"number"==typeof s?s.toString():e}));var a},i=(e,t,s)=>{var n,i,r;const l=Object.assign({noRewrite:!1},s||{}),d=null!=(n=null==s?void 0:s.baseURL)?n:o();return!0!==(null==(r=null==(i=null==window?void 0:window.OC)?void 0:i.config)?void 0:r.modRewriteWorking)||l.noRewrite?d+"/index.php"+a(e,t,s):d+a(e,t,s)},r=()=>window.location.protocol+"//"+window.location.host+o();function o(){let e=window._oc_webroot;if(typeof e>"u"){e=location.pathname;const t=e.indexOf("/index.php/");if(-1!==t)e=e.slice(0,t);else{const t=e.indexOf("/",1);e=e.slice(0,t>0?t:void 0)}}return e}},53110:(e,t,s)=>{"use strict";s.d(t,{k3:()=>r,pe:()=>i});var n=s(28893);const{Axios:a,AxiosError:i,CanceledError:r,isCancel:o,CancelToken:l,VERSION:d,all:m,Cancel:c,isAxiosError:u,spread:g,toFormData:f,AxiosHeaders:p,HttpStatusCode:h,formToJSON:w,getAdapter:x,mergeConfig:v}=n.A}},a={};function i(e){var t=a[e];if(void 0!==t)return t.exports;var s=a[e]={id:e,loaded:!1,exports:{}};return n[e].call(s.exports,s,s.exports,i),s.loaded=!0,s.exports}i.m=n,e=[],i.O=(t,s,n,a)=>{if(!s){var r=1/0;for(m=0;m=a)&&Object.keys(i.O).every((e=>i.O[e](s[l])))?s.splice(l--,1):(o=!1,a0&&e[m-1][2]>a;m--)e[m]=e[m-1];e[m]=[s,n,a]},i.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return i.d(t,{a:t}),t},i.d=(e,t)=>{for(var s in t)i.o(t,s)&&!i.o(e,s)&&Object.defineProperty(e,s,{enumerable:!0,get:t[s]})},i.f={},i.e=e=>Promise.all(Object.keys(i.f).reduce(((t,s)=>(i.f[s](e,t),t)),[])),i.u=e=>e+"-"+e+".js?v="+{1110:"2909496e7e35d6258214",5929:"2e5e3b59f8a28f14168b",6075:"f8e1d39004c19c13e598",8902:"bb2f9be8a039f8db7e58"}[e],i.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),i.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),t={},s="nextcloud:",i.l=(e,n,a,r)=>{if(t[e])t[e].push(n);else{var o,l;if(void 0!==a)for(var d=document.getElementsByTagName("script"),m=0;m{o.onerror=o.onload=null,clearTimeout(g);var a=t[e];if(delete t[e],o.parentNode&&o.parentNode.removeChild(o),a&&a.forEach((e=>e(n))),s)return s(n)},g=setTimeout(u.bind(null,void 0,{type:"timeout",target:o}),12e4);o.onerror=u.bind(null,o.onerror),o.onload=u.bind(null,o.onload),l&&document.head.appendChild(o)}},i.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},i.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),i.j=1171,(()=>{var e;i.g.importScripts&&(e=i.g.location+"");var t=i.g.document;if(!e&&t&&(t.currentScript&&(e=t.currentScript.src),!e)){var s=t.getElementsByTagName("script");if(s.length)for(var n=s.length-1;n>-1&&(!e||!/^http(s?):/.test(e));)e=s[n--].src}if(!e)throw new Error("Automatic publicPath is not supported in this browser");e=e.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),i.p=e})(),(()=>{i.b=document.baseURI||self.location.href;var e={1171:0};i.f.j=(t,s)=>{var n=i.o(e,t)?e[t]:void 0;if(0!==n)if(n)s.push(n[2]);else{var a=new Promise(((s,a)=>n=e[t]=[s,a]));s.push(n[2]=a);var r=i.p+i.u(t),o=new Error;i.l(r,(s=>{if(i.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var a=s&&("load"===s.type?"missing":s.type),r=s&&s.target&&s.target.src;o.message="Loading chunk "+t+" failed.\n("+a+": "+r+")",o.name="ChunkLoadError",o.type=a,o.request=r,n[1](o)}}),"chunk-"+t,t)}},i.O.j=t=>0===e[t];var t=(t,s)=>{var n,a,r=s[0],o=s[1],l=s[2],d=0;if(r.some((t=>0!==e[t]))){for(n in o)i.o(o,n)&&(i.m[n]=o[n]);if(l)var m=l(i)}for(t&&t(s);di(40586)));r=i.O(r)})(); -//# sourceMappingURL=files-init.js.map?v=611b5b4863952fbedb2f \ No newline at end of file +(()=>{var e,t,s,n={9052:e=>{"use strict";var t=Object.prototype.hasOwnProperty,s="~";function n(){}function a(e,t,s){this.fn=e,this.context=t,this.once=s||!1}function i(e,t,n,i,r){if("function"!=typeof n)throw new TypeError("The listener must be a function");var o=new a(n,i||e,r),l=s?s+t:t;return e._events[l]?e._events[l].fn?e._events[l]=[e._events[l],o]:e._events[l].push(o):(e._events[l]=o,e._eventsCount++),e}function r(e,t){0==--e._eventsCount?e._events=new n:delete e._events[t]}function o(){this._events=new n,this._eventsCount=0}Object.create&&(n.prototype=Object.create(null),(new n).__proto__||(s=!1)),o.prototype.eventNames=function(){var e,n,a=[];if(0===this._eventsCount)return a;for(n in e=this._events)t.call(e,n)&&a.push(s?n.slice(1):n);return Object.getOwnPropertySymbols?a.concat(Object.getOwnPropertySymbols(e)):a},o.prototype.listeners=function(e){var t=s?s+e:e,n=this._events[t];if(!n)return[];if(n.fn)return[n.fn];for(var a=0,i=n.length,r=new Array(i);a{"use strict";s.d(t,{A:()=>n});const n=(0,s(53529).YK)().setApp("files").detectUser().build()},40586:(e,t,s)=>{"use strict";var n=s(35810),a=s(61338),i=s(53334),r=s(26287),o=s(76150),l=s(49264);const d=e=>e.every((e=>!0===e.attributes["is-mount-root"]&&"shared"===e.attributes["mount-type"])),m=e=>e.every((e=>!0===e.attributes["is-mount-root"]&&"external"===e.attributes["mount-type"])),c=new l.A({concurrency:1}),u=new n.hY({id:"delete",displayName:(e,t)=>"trashbin"===t.id?(0,i.Tl)("files","Delete permanently"):(e=>{if(1===e.length)return!1;const t=e.some((e=>d([e]))),s=e.some((e=>!d([e])));return t&&s})(e)?(0,i.Tl)("files","Delete and unshare"):d(e)?1===e.length?(0,i.Tl)("files","Leave this share"):(0,i.Tl)("files","Leave these shares"):m(e)?1===e.length?(0,i.Tl)("files","Disconnect storage"):(0,i.Tl)("files","Disconnect storages"):(e=>!e.some((e=>e.type!==n.pt.File)))(e)?1===e.length?(0,i.Tl)("files","Delete file"):(0,i.Tl)("files","Delete files"):(e=>!e.some((e=>e.type!==n.pt.Folder)))(e)?1===e.length?(0,i.Tl)("files","Delete folder"):(0,i.Tl)("files","Delete folders"):(0,i.Tl)("files","Delete"),iconSvgInline:e=>d(e)?'':m(e)?'':'',enabled:e=>e.length>0&&e.map((e=>e.permissions)).every((e=>!!(e&n.aX.DELETE))),async exec(e,t,s){try{return await r.A.delete(e.encodedSource),(0,a.Ic)("files:node:deleted",e),!0}catch(t){return o.A.error("Error while deleting a file",{error:t,source:e.source,node:e}),!1}},async execBatch(e,t,s){const n=e.map((e=>new Promise((n=>{c.add((async()=>{const a=await this.exec(e,t,s);n(null!==a&&a)}))}))));return Promise.all(n)},order:100});var g=s(99498);const f=function(e){const t=document.createElement("a");t.download="",t.href=e,t.click()},p=function(e,t){const s=Math.random().toString(36).substring(2),n=(0,g.Jv)("/apps/files/ajax/download.php?dir={dir}&files={files}&downloadStartSecret={secret}",{dir:e,secret:s,files:JSON.stringify(t.map((e=>e.basename)))});f(n)},h=function(e){if(!(e.permissions&n.aX.READ))return!1;if("shared"===e.attributes["mount-type"]){var t,s;const n=JSON.parse(null!==(t=e.attributes["share-attributes"])&&void 0!==t?t:"null"),a=null==n||null===(s=n.find)||void 0===s?void 0:s.call(n,(e=>"permissions"===e.scope&&"download"===e.key));if(void 0!==a&&!1===a.enabled)return!1}return!0},w=new n.hY({id:"download",displayName:()=>(0,i.Tl)("files","Download"),iconSvgInline:()=>'',enabled:e=>0!==e.length&&(!e.some((e=>e.type===n.pt.Folder))||!e.some((e=>{var t;return!(null!==(t=e.root)&&void 0!==t&&t.startsWith("/files"))})))&&e.every(h),exec:async(e,t,s)=>e.type===n.pt.Folder?(p(s,[e]),null):(f(e.encodedSource),null),async execBatch(e,t,s){return 1===e.length?(this.exec(e[0],t,s),[null]):(p(s,e),new Array(e.length).fill(null))},order:30});var x=s(71089),v=s(21777),T=s(85168);const A=new n.hY({id:"edit-locally",displayName:()=>(0,i.Tl)("files","Edit locally"),iconSvgInline:()=>'',enabled:e=>1===e.length&&!!(e[0].permissions&n.aX.UPDATE),exec:async e=>(async function(e){const t=(0,g.KT)("apps/files/api/v1")+"/openlocaleditor?format=json";try{var s;const n=await r.A.post(t,{path:e}),a=null===(s=(0,v.HW)())||void 0===s?void 0:s.uid;let i="nc://open/".concat(a,"@")+window.location.host+(0,x.O0)(e);i+="?token="+n.data.ocs.data.token,window.location.href=i}catch(e){(0,T.Qg)((0,i.Tl)("files","Failed to redirect to client"))}}(e.path),null),order:25});var y=s(85471);const C='',b=e=>e.some((e=>1!==e.attributes.favorite)),k=async(e,t,s)=>{try{const n=(0,g.Jv)("/apps/files/api/v1/files")+(0,x.O0)(e.path);return await r.A.post(n,{tags:s?[window.OC.TAG_FAVORITE]:[]}),"favorites"!==t.id||s||"/"!==e.dirname||(0,a.Ic)("files:node:deleted",e),y.Ay.set(e.attributes,"favorite",s?1:0),s?(0,a.Ic)("files:favorites:added",e):(0,a.Ic)("files:favorites:removed",e),!0}catch(t){const n=s?"adding a file to favourites":"removing a file from favourites";return o.A.error("Error while "+n,{error:t,source:e.source,node:e}),!1}},L=new n.hY({id:"favorite",displayName:e=>b(e)?(0,i.Tl)("files","Add to favorites"):(0,i.Tl)("files","Remove from favorites"),iconSvgInline:e=>b(e)?'':C,enabled:e=>!e.some((e=>{var t,s;return!(null!==(t=e.root)&&void 0!==t&&null!==(s=t.startsWith)&&void 0!==s&&s.call(t,"/files"))}))&&e.every((e=>e.permissions!==n.aX.NONE)),async exec(e,t){const s=b([e]);return await k(e,t,s)},async execBatch(e,t){const s=b(e);return Promise.all(e.map((async e=>await k(e,t,s))))},order:-50});var _=s(85072),E=s.n(_),S=s(97825),B=s.n(S),F=s(77659),P=s.n(F),U=s(55056),N=s.n(U),I=s(10540),j=s.n(I),O=s(41113),z=s.n(O),R=s(14456),D={};D.styleTagTransform=z(),D.setAttributes=N(),D.insert=P().bind(null,"head"),D.domAPI=B(),D.insertStyleElement=j(),E()(R.A,D),R.A&&R.A.locals&&R.A.locals;var M=s(53110),V=s(43627),$=s(41261),H=s(36882),Y=s(39285);let W;var q;!function(e){e.MOVE="Move",e.COPY="Copy",e.MOVE_OR_COPY="move-or-copy"}(q||(q={}));const G=e=>!!(e.reduce(((e,t)=>Math.min(e,t.permissions)),n.aX.ALL)&n.aX.UPDATE),K=e=>(e=>e.every((e=>{var t,s;return!JSON.parse(null!==(t=null===(s=e.attributes)||void 0===s?void 0:s["share-attributes"])&&void 0!==t?t:"[]").some((e=>"permissions"===e.scope&&!1===e.enabled&&"download"===e.key))})))(e)&&!e.some((e=>e.permissions===n.aX.NONE));var J,Z=s(36117),X=s(44719);const Q="/files/".concat(null===(J=(0,v.HW)())||void 0===J?void 0:J.uid),ee=(0,g.dC)("dav"+Q),te=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:ee;const t=(0,X.UU)(e),s=e=>{null==t||t.setHeaders({"X-Requested-With":"XMLHttpRequest",requesttoken:null!=e?e:""})};return(0,v.zo)(s),s((0,v.do)()),(0,X.Gu)().patch("fetch",((e,t)=>{const s=t.headers;return null!=s&&s.method&&(t.method=s.method,delete s.method),fetch(e,t)})),t},se=function(e){let t=0;for(let s=0;s>>0},ne=te(),ae=function(e){var t;const s=null===(t=(0,v.HW)())||void 0===t?void 0:t.uid;if(!s)throw new Error("No user id found");const a=e.props,i=(0,n.vb)(null==a?void 0:a.permissions),r=String(a["owner-id"]||s),o=(0,g.dC)("dav"+Q+e.filename),l={id:(null==a?void 0:a.fileid)<0?se(o):(null==a?void 0:a.fileid)||0,source:o,mtime:new Date(e.lastmod),mime:e.mime||"application/octet-stream",size:(null==a?void 0:a.size)||0,permissions:i,owner:r,root:Q,attributes:{...e,...a,"owner-id":r,"owner-display-name":String(a["owner-display-name"]),hasPreview:!(null==a||!a["has-preview"]),failed:(null==a?void 0:a.fileid)<0}};return delete l.attributes.props,"file"===e.type?new n.ZH(l):new n.vd(l)},ie=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const t=new AbortController,s=(0,n.VL)();return new Z.CancelablePromise((async(n,a,i)=>{i((()=>t.abort()));try{const a=await ne.getDirectoryContents(e,{details:!0,data:s,includeSelf:!0,signal:t.signal}),i=a.data[0],r=a.data.slice(1);if(i.filename!==e)throw new Error("Root node does not match requested path");n({folder:ae(i),contents:r.map((e=>{try{return ae(e)}catch(t){return o.A.error("Invalid node detected '".concat(e.basename,"'"),{error:t}),null}})).filter(Boolean)})}catch(e){a(e)}}))};var re=s(80573);const oe=e=>G(e)?K(e)?q.MOVE_OR_COPY:q.MOVE:q.COPY,le=async function(e,t,s){let r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!t)return;if(t.type!==n.pt.Folder)throw new Error((0,i.Tl)("files","Destination is not a folder"));if(s===q.MOVE&&e.dirname===t.path)throw new Error((0,i.Tl)("files","This file/folder is already in that directory"));if("".concat(t.path,"/").startsWith("".concat(e.path,"/")))throw new Error((0,i.Tl)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));y.Ay.set(e,"status",n.zI.LOADING);const d=(W||(W=new l.A({concurrency:3})),W);return await d.add((async()=>{const l=e=>1===e?(0,i.Tl)("files","(copy)"):(0,i.Tl)("files","(copy %n)",void 0,e);try{const o=(0,n.H4)(),d=(0,V.join)(n.lJ,e.path),m=(0,V.join)(n.lJ,t.path);if(s===q.COPY){let s=e.basename;if(!r){const t=await o.getDirectoryContents(m);s=(0,re.lJ)(e.basename,t.map((e=>e.basename)),{suffix:l,ignoreFileExtension:e.type===n.pt.Folder})}if(await o.copyFile(d,(0,V.join)(m,s)),e.dirname===t.path){const{data:e}=await o.stat((0,V.join)(m,s),{details:!0,data:(0,n.VL)()});(0,a.Ic)("files:node:created",(0,n.Al)(e))}}else{const s=await ie(t.path);if((0,$.h)([e],s.contents))try{const{selected:n,renamed:i}=await(0,$.o)(t.path,[e],s.contents);if(!n.length&&!i.length)return await o.deleteFile(d),void(0,a.Ic)("files:node:deleted",e)}catch(e){return void(0,T.Qg)((0,i.Tl)("files","Move cancelled"))}await o.moveFile(d,(0,V.join)(m,e.basename)),(0,a.Ic)("files:node:deleted",e)}}catch(e){if(e instanceof M.pe){var d,m,c;if(412===(null==e||null===(d=e.response)||void 0===d?void 0:d.status))throw new Error((0,i.Tl)("files","A file or folder with that name already exists in this folder"));if(423===(null==e||null===(m=e.response)||void 0===m?void 0:m.status))throw new Error((0,i.Tl)("files","The files is locked"));if(404===(null==e||null===(c=e.response)||void 0===c?void 0:c.status))throw new Error((0,i.Tl)("files","The file does not exist anymore"));if(e.message)throw new Error(e.message)}throw o.A.debug(e),new Error}finally{y.Ay.set(e,"status",void 0)}}))},de=async function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"/",s=arguments.length>2?arguments[2]:void 0;const a=s.map((e=>e.fileid)).filter(Boolean),r=(0,T.a1)((0,i.Tl)("files","Choose destination")).allowDirectories(!0).setFilter((e=>!!(e.permissions&n.aX.CREATE)&&!a.includes(e.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(t);return new Promise(((t,n)=>{r.setButtonFactory(((n,a)=>{const r=[],o=(0,V.basename)(a),l=s.map((e=>e.dirname)),d=s.map((e=>e.path));return e!==q.COPY&&e!==q.MOVE_OR_COPY||r.push({label:o?(0,i.Tl)("files","Copy to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,i.Tl)("files","Copy"),type:"primary",icon:H,async callback(e){t({destination:e[0],action:q.COPY})}}),l.includes(a)||d.includes(a)||e!==q.MOVE&&e!==q.MOVE_OR_COPY||r.push({label:o?(0,i.Tl)("files","Move to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,i.Tl)("files","Move"),type:e===q.MOVE?"primary":"secondary",icon:Y,async callback(e){t({destination:e[0],action:q.MOVE})}}),r})),r.build().pick().catch((e=>{o.A.debug(e),e instanceof T.vT?n(new Error((0,i.Tl)("files","Cancelled move or copy operation"))):n(new Error((0,i.Tl)("files","Move or copy operation failed")))}))}))},me=new n.hY({id:"move-copy",displayName(e){switch(oe(e)){case q.MOVE:return(0,i.Tl)("files","Move");case q.COPY:return(0,i.Tl)("files","Copy");case q.MOVE_OR_COPY:return(0,i.Tl)("files","Move or copy")}},iconSvgInline:()=>Y,enabled:e=>!!e.every((e=>{var t;return null===(t=e.root)||void 0===t?void 0:t.startsWith("/files/")}))&&e.length>0&&(G(e)||K(e)),async exec(e,t,s){const n=oe([e]);let a;try{a=await de(n,s,[e])}catch(e){return o.A.error(e),!1}try{return await le(e,a.destination,a.action),!0}catch(e){return!!(e instanceof Error&&e.message)&&((0,T.Qg)(e.message),null)}},async execBatch(e,t,s){const n=oe(e),a=await de(n,s,e),i=e.map((async e=>{try{return await le(e,a.destination,a.action),!0}catch(t){return o.A.error("Failed to ".concat(a.action," node"),{node:e,error:t}),!1}}));return await Promise.all(i)},order:15}),ce='',ue=new n.hY({id:"open-folder",displayName(e){const t=e[0].attributes.displayName||e[0].basename;return(0,i.Tl)("files","Open folder {displayName}",{displayName:t})},iconSvgInline:()=>ce,enabled(e){if(1!==e.length)return!1;const t=e[0];return!!t.isDavRessource&&t.type===n.pt.Folder&&!!(t.permissions&n.aX.READ)},exec:async(e,t)=>!(!e||e.type!==n.pt.Folder)&&(window.OCP.Files.Router.goToRoute(null,{view:t.id,fileid:e.fileid},{dir:e.path}),null),default:n.m9.HIDDEN,order:-100}),ge=new n.hY({id:"open-in-files-recent",displayName:()=>(0,i.Tl)("files","Open in Files"),iconSvgInline:()=>"",enabled:(e,t)=>"recent"===t.id,async exec(e){let t=e.dirname;return e.type===n.pt.Folder&&(t=t+"/"+e.basename),window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:e.fileid},{dir:t,openfile:"true"}),null},order:-1e3,default:n.m9.HIDDEN}),fe=new n.hY({id:"rename",displayName:()=>(0,i.Tl)("files","Rename"),iconSvgInline:()=>'',enabled:e=>e.length>0&&e.map((e=>e.permissions)).every((e=>!!(e&n.aX.UPDATE))),exec:async e=>((0,a.Ic)("files:node:rename",e),null),order:10});var pe=s(49981);const he=new n.hY({id:"details",displayName:()=>(0,i.Tl)("files","Open details"),iconSvgInline:()=>pe,enabled:e=>{var t,s,a;return 1===e.length&&!!e[0]&&!(null===(t=window)||void 0===t||null===(t=t.OCA)||void 0===t||null===(t=t.Files)||void 0===t||!t.Sidebar)&&null!==(s=(null===(a=e[0].root)||void 0===a?void 0:a.startsWith("/files/"))&&e[0].permissions!==n.aX.NONE)&&void 0!==s&&s},async exec(e,t,s){try{return await window.OCA.Files.Sidebar.open(e.path),window.OCP.Files.Router.goToRoute(null,{view:t.id,fileid:e.fileid},{...window.OCP.Files.Router.query,dir:s},!0),null}catch(e){return o.A.error("Error while opening sidebar",{error:e}),!1}},order:-50}),we=new n.hY({id:"view-in-folder",displayName:()=>(0,i.Tl)("files","View in folder"),iconSvgInline:()=>Y,enabled(e,t){if("files"===t.id)return!1;if(1!==e.length)return!1;const s=e[0];return!!s.isDavRessource&&s.permissions!==n.aX.NONE&&s.type===n.pt.File},exec:async e=>!(!e||e.type!==n.pt.File)&&(window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:e.fileid},{dir:e.dirname}),null),order:80});var xe=s(9518),ve=s(94219),Te=s(82182);const Ae=(0,y.pM)({name:"NewNodeDialog",components:{NcButton:xe.A,NcDialog:ve.A,NcTextField:Te.A},props:{defaultName:{type:String,default:(0,i.Tl)("files","New folder")},otherNames:{type:Array,default:()=>[]},open:{type:Boolean,default:!0},name:{type:String,default:(0,i.Tl)("files","Create new folder")},label:{type:String,default:(0,i.Tl)("files","Folder name")}},emits:{close:e=>null===e||e},data(){return{localDefaultName:this.defaultName||(0,i.Tl)("files","New folder")}},computed:{errorMessage(){return this.isUniqueName?"":(0,i.Tl)("files","A file or folder with that name already exists.")},uniqueName(){return(0,re.lJ)(this.localDefaultName,this.otherNames)},isUniqueName(){return this.localDefaultName===this.uniqueName}},watch:{defaultName(){this.localDefaultName=this.defaultName||(0,i.Tl)("files","New folder")},open(){this.$nextTick((()=>this.focusInput()))}},mounted(){this.localDefaultName=this.uniqueName,this.$nextTick((()=>this.focusInput()))},methods:{t:i.Tl,focusInput(){this.open&&this.$nextTick((()=>{var e,t;return null===(e=this.$refs.input)||void 0===e||null===(t=e.focus)||void 0===t?void 0:t.call(e)}))},onCreate(){this.$emit("close",this.localDefaultName)},onClose(e){e||this.$emit("close",null)}}}),ye=(0,s(14486).A)(Ae,(function(){var e=this,t=e._self._c;return e._self._setupProxy,t("NcDialog",{attrs:{name:e.name,open:e.open,"close-on-click-outside":"","out-transition":""},on:{"update:open":e.onClose},scopedSlots:e._u([{key:"actions",fn:function(){return[t("NcButton",{attrs:{type:"primary",disabled:!e.isUniqueName},on:{click:e.onCreate}},[e._v("\n\t\t\t"+e._s(e.t("files","Create"))+"\n\t\t")])]},proxy:!0}])},[e._v(" "),t("form",{on:{submit:function(t){return t.preventDefault(),e.onCreate.apply(null,arguments)}}},[t("NcTextField",{ref:"input",attrs:{error:!e.isUniqueName,"helper-text":e.errorMessage,label:e.label,value:e.localDefaultName},on:{"update:value":function(t){e.localDefaultName=t}}})],1)])}),[],!1,null,null,null).exports;function Ce(e,t){let s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};const n=t.map((e=>e.basename));return new Promise((t=>{(0,T.Ss)(ye,{...s,defaultName:e,otherNames:n},(e=>{t(e)}))}))}const be={id:"newFolder",displayName:(0,i.Tl)("files","New folder"),enabled:e=>!!(e.permissions&n.aX.CREATE),iconSvgInline:'',order:0,async handler(e,t){const s=await Ce((0,i.Tl)("files","New folder"),t);if(null!==s){var l,d,m,c,u;const{fileid:t,source:g}=await(async(e,t)=>{const s=e.source+"/"+t,n=e.encodedSource+"/"+encodeURIComponent(t),a=await(0,r.A)({method:"MKCOL",url:n,headers:{Overwrite:"F"}});return{fileid:parseInt(a.headers["oc-fileid"]),source:s}})(e,s),f=new n.vd({source:g,id:t,mtime:new Date,owner:(null===(l=(0,v.HW)())||void 0===l?void 0:l.uid)||null,permissions:n.aX.ALL,root:(null==e?void 0:e.root)||"/files/"+(null===(d=(0,v.HW)())||void 0===d?void 0:d.uid),attributes:{"mount-type":null===(m=e.attributes)||void 0===m?void 0:m["mount-type"],"owner-id":null===(c=e.attributes)||void 0===c?void 0:c["owner-id"],"owner-display-name":null===(u=e.attributes)||void 0===u?void 0:u["owner-display-name"]}});(0,T.Te)((0,i.Tl)("files",'Created new folder "{name}"',{name:(0,V.basename)(g)})),o.A.debug("Created new folder",{folder:f,source:g}),(0,a.Ic)("files:node:created",f),window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:f.fileid},{dir:e.path})}}};var ke=s(38613);let Le=(0,ke.C)("files","templates_path",!1);o.A.debug("Initial templates folder",{templatesPath:Le});const _e={id:"template-picker",displayName:(0,i.Tl)("files","Create new templates folder"),iconSvgInline:'',order:10,enabled(e){var t;return!Le&&e.owner===(null===(t=(0,v.HW)())||void 0===t?void 0:t.uid)&&!!(e.permissions&n.aX.CREATE)},async handler(e,t){const s=await Ce((0,i.Tl)("files","Templates"),t,{name:(0,i.Tl)("files","New template folder")});null!==s&&(async function(e,t){const s=(0,V.join)(e.path,t);try{o.A.debug("Initializing the templates directory",{templatePath:s});const{data:e}=await r.A.post((0,g.KT)("apps/files/api/v1/templates/path"),{templatePath:s,copySystemTemplates:!0});window.OCP.Files.Router.goToRoute(null,{view:"files",fileid:void 0},{dir:s}),o.A.info("Created new templates folder",{...e.ocs.data}),Le=e.ocs.data.templates_path}catch(e){o.A.error("Unable to initialize the templates directory"),(0,T.Qg)((0,i.Tl)("files","Unable to initialize the templates directory"))}}(e,s),(0,n.gj)("template-picker"))}},Ee=(0,y.$V)((()=>Promise.all([s.e(4208),s.e(5929)]).then(s.bind(s,75929))));let Se=null;const Be=async e=>{if(null===Se){const t=document.createElement("div");t.id="template-picker",document.body.appendChild(t),Se=new y.Ay({render:t=>t(Ee,{ref:"picker",props:{parent:e}}),methods:{open(){this.$refs.picker.open(...arguments)}},el:t})}return Se},Fe=te(),Pe=async function(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const s=(0,n.VL)(),a=(0,n.b2)();let i;"/"===t&&(i=await Fe.stat(t,{details:!0,data:s}));const r=await Fe.getDirectoryContents(t,{details:!0,data:"/"===t?a:s,headers:{method:"/"===t?"REPORT":"PROPFIND"},includeSelf:!0}),o=(null===(e=i)||void 0===e?void 0:e.data)||r.data[0],l=r.data.filter((e=>e.filename!==t));return{folder:ae(o),contents:l.map(ae)}},Ue=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;return new n.Ss({id:Ne(e.path),name:(0,V.basename)(e.path),icon:ce,order:t,params:{dir:e.path,fileid:e.fileid.toString(),view:"favorites"},parent:"favorites",columns:[],getContents:Pe})},Ne=function(e){return"favorite-".concat(se(e))};var Ie=s(19166),je=s(63757),Oe=s(96763);let ze;const Re=e=>ze=e,De=Symbol();function Me(e){return e&&"object"==typeof e&&"[object Object]"===Object.prototype.toString.call(e)&&"function"!=typeof e.toJSON}var Ve;!function(e){e.direct="direct",e.patchObject="patch object",e.patchFunction="patch function"}(Ve||(Ve={}));const $e="undefined"!=typeof window,He="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&$e,Ye=(()=>"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 We(e,t,s){const n=new XMLHttpRequest;n.open("GET",e),n.responseType="blob",n.onload=function(){Ze(n.response,t,s)},n.onerror=function(){Oe.error("could not download file")},n.send()}function qe(e){const t=new XMLHttpRequest;t.open("HEAD",e,!1);try{t.send()}catch(e){}return t.status>=200&&t.status<=299}function Ge(e){try{e.dispatchEvent(new MouseEvent("click"))}catch(t){const s=document.createEvent("MouseEvents");s.initMouseEvent("click",!0,!0,window,0,0,0,80,20,!1,!1,!1,!1,0,null),e.dispatchEvent(s)}}const Ke="object"==typeof navigator?navigator:{userAgent:""},Je=(()=>/Macintosh/.test(Ke.userAgent)&&/AppleWebKit/.test(Ke.userAgent)&&!/Safari/.test(Ke.userAgent))(),Ze=$e?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!Je?function(e,t="download",s){const n=document.createElement("a");n.download=t,n.rel="noopener","string"==typeof e?(n.href=e,n.origin!==location.origin?qe(n.href)?We(e,t,s):(n.target="_blank",Ge(n)):Ge(n)):(n.href=URL.createObjectURL(e),setTimeout((function(){URL.revokeObjectURL(n.href)}),4e4),setTimeout((function(){Ge(n)}),0))}:"msSaveOrOpenBlob"in Ke?function(e,t="download",s){if("string"==typeof e)if(qe(e))We(e,t,s);else{const t=document.createElement("a");t.href=e,t.target="_blank",setTimeout((function(){Ge(t)}))}else navigator.msSaveOrOpenBlob(function(e,{autoBom:t=!1}={}){return t&&/^\s*(?:text\/\S*|application\/xml|\S*\/\S*\+xml)\s*;.*charset\s*=\s*utf-8/i.test(e.type)?new Blob([String.fromCharCode(65279),e],{type:e.type}):e}(e,s),t)}:function(e,t,s,n){if((n=n||open("","_blank"))&&(n.document.title=n.document.body.innerText="downloading..."),"string"==typeof e)return We(e,t,s);const a="application/octet-stream"===e.type,i=/constructor/i.test(String(Ye.HTMLElement))||"safari"in Ye,r=/CriOS\/[\d]+/.test(navigator.userAgent);if((r||a&&i||Je)&&"undefined"!=typeof FileReader){const t=new FileReader;t.onloadend=function(){let e=t.result;if("string"!=typeof e)throw n=null,new Error("Wrong reader.result type");e=r?e:e.replace(/^data:[^;]*;/,"data:attachment/file;"),n?n.location.href=e:location.assign(e),n=null},t.readAsDataURL(e)}else{const t=URL.createObjectURL(e);n?n.location.assign(t):location.href=t,n=null,setTimeout((function(){URL.revokeObjectURL(t)}),4e4)}}:()=>{};function Xe(e,t){const s="🍍 "+e;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(s,t):"error"===t?Oe.error(s):"warn"===t?Oe.warn(s):Oe.log(s)}function Qe(e){return"_a"in e&&"install"in e}function et(){if(!("clipboard"in navigator))return Xe("Your browser doesn't support the Clipboard API","error"),!0}function tt(e){return!!(e instanceof Error&&e.message.toLowerCase().includes("document is not focused"))&&(Xe('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let st;function nt(e,t){for(const s in t){const n=e.state.value[s];n?Object.assign(n,t[s]):e.state.value[s]=t[s]}}function at(e){return{_custom:{display:e}}}const it="🍍 Pinia (root)",rt="_root";function ot(e){return Qe(e)?{id:rt,label:it}:{id:e.$id,label:e.$id}}function lt(e){return e?Array.isArray(e)?e.reduce(((e,t)=>(e.keys.push(t.key),e.operations.push(t.type),e.oldValue[t.key]=t.oldValue,e.newValue[t.key]=t.newValue,e)),{oldValue:{},keys:[],operations:[],newValue:{}}):{operation:at(e.type),key:at(e.key),oldValue:e.oldValue,newValue:e.newValue}:{}}function dt(e){switch(e){case Ve.direct:return"mutation";case Ve.patchFunction:case Ve.patchObject:return"$patch";default:return"unknown"}}let mt=!0;const ct=[],ut="pinia:mutations",gt="pinia",{assign:ft}=Object,pt=e=>"🍍 "+e;function ht(e,t){(0,je.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:ct,app:e},(s=>{"function"!=typeof s.now&&Xe("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."),s.addTimelineLayer({id:ut,label:"Pinia 🍍",color:15064968}),s.addInspector({id:gt,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(e){if(!et())try{await navigator.clipboard.writeText(JSON.stringify(e.state.value)),Xe("Global state copied to clipboard.")}catch(e){if(tt(e))return;Xe("Failed to serialize the state. Check the console for more details.","error"),Oe.error(e)}}(t)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(e){if(!et())try{nt(e,JSON.parse(await navigator.clipboard.readText())),Xe("Global state pasted from clipboard.")}catch(e){if(tt(e))return;Xe("Failed to deserialize the state from clipboard. Check the console for more details.","error"),Oe.error(e)}}(t),s.sendInspectorTree(gt),s.sendInspectorState(gt)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(e){try{Ze(new Blob([JSON.stringify(e.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(e){Xe("Failed to export the state as JSON. Check the console for more details.","error"),Oe.error(e)}}(t)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(e){try{const t=(st||(st=document.createElement("input"),st.type="file",st.accept=".json"),function(){return new Promise(((e,t)=>{st.onchange=async()=>{const t=st.files;if(!t)return e(null);const s=t.item(0);return e(s?{text:await s.text(),file:s}:null)},st.oncancel=()=>e(null),st.onerror=t,st.click()}))}),s=await t();if(!s)return;const{text:n,file:a}=s;nt(e,JSON.parse(n)),Xe(`Global state imported from "${a.name}".`)}catch(e){Xe("Failed to import the state from JSON. Check the console for more details.","error"),Oe.error(e)}}(t),s.sendInspectorTree(gt),s.sendInspectorState(gt)},tooltip:"Import the state from a JSON file"}],nodeActions:[{icon:"restore",tooltip:'Reset the state (with "$reset")',action:e=>{const s=t._s.get(e);s?"function"!=typeof s.$reset?Xe(`Cannot reset "${e}" store because it doesn't have a "$reset" method implemented.`,"warn"):(s.$reset(),Xe(`Store "${e}" reset.`)):Xe(`Cannot reset "${e}" store because it wasn't found.`,"warn")}}]}),s.on.inspectComponent(((e,t)=>{const s=e.componentInstance&&e.componentInstance.proxy;if(s&&s._pStores){const t=e.componentInstance.proxy._pStores;Object.values(t).forEach((t=>{e.instanceData.state.push({type:pt(t.$id),key:"state",editable:!0,value:t._isOptionsAPI?{_custom:{value:(0,Ie.ux)(t.$state),actions:[{icon:"restore",tooltip:"Reset the state of this store",action:()=>t.$reset()}]}}:Object.keys(t.$state).reduce(((e,s)=>(e[s]=t.$state[s],e)),{})}),t._getters&&t._getters.length&&e.instanceData.state.push({type:pt(t.$id),key:"getters",editable:!1,value:t._getters.reduce(((e,s)=>{try{e[s]=t[s]}catch(t){e[s]=t}return e}),{})})}))}})),s.on.getInspectorTree((s=>{if(s.app===e&&s.inspectorId===gt){let e=[t];e=e.concat(Array.from(t._s.values())),s.rootNodes=(s.filter?e.filter((e=>"$id"in e?e.$id.toLowerCase().includes(s.filter.toLowerCase()):it.toLowerCase().includes(s.filter.toLowerCase()))):e).map(ot)}})),s.on.getInspectorState((s=>{if(s.app===e&&s.inspectorId===gt){const e=s.nodeId===rt?t:t._s.get(s.nodeId);if(!e)return;e&&(s.state=function(e){if(Qe(e)){const t=Array.from(e._s.keys()),s=e._s,n={state:t.map((t=>({editable:!0,key:t,value:e.state.value[t]}))),getters:t.filter((e=>s.get(e)._getters)).map((e=>{const t=s.get(e);return{editable:!1,key:e,value:t._getters.reduce(((e,s)=>(e[s]=t[s],e)),{})}}))};return n}const t={state:Object.keys(e.$state).map((t=>({editable:!0,key:t,value:e.$state[t]})))};return e._getters&&e._getters.length&&(t.getters=e._getters.map((t=>({editable:!1,key:t,value:e[t]})))),e._customProperties.size&&(t.customProperties=Array.from(e._customProperties).map((t=>({editable:!0,key:t,value:e[t]})))),t}(e))}})),s.on.editInspectorState(((s,n)=>{if(s.app===e&&s.inspectorId===gt){const e=s.nodeId===rt?t:t._s.get(s.nodeId);if(!e)return Xe(`store "${s.nodeId}" not found`,"error");const{path:n}=s;Qe(e)?n.unshift("state"):1===n.length&&e._customProperties.has(n[0])&&!(n[0]in e.$state)||n.unshift("$state"),mt=!1,s.set(e,n,s.state.value),mt=!0}})),s.on.editComponentState((e=>{if(e.type.startsWith("🍍")){const s=e.type.replace(/^🍍\s*/,""),n=t._s.get(s);if(!n)return Xe(`store "${s}" not found`,"error");const{path:a}=e;if("state"!==a[0])return Xe(`Invalid path for store "${s}":\n${a}\nOnly state can be modified.`);a[0]="$state",mt=!1,e.set(n,a,e.state.value),mt=!0}}))}))}let wt,xt=0;function vt(e,t,s){const n=t.reduce(((t,s)=>(t[s]=(0,Ie.ux)(e)[s],t)),{});for(const t in n)e[t]=function(){const a=xt,i=s?new Proxy(e,{get:(...e)=>(wt=a,Reflect.get(...e)),set:(...e)=>(wt=a,Reflect.set(...e))}):e;wt=a;const r=n[t].apply(i,arguments);return wt=void 0,r}}function Tt({app:e,store:t,options:s}){if(t.$id.startsWith("__hot:"))return;t._isOptionsAPI=!!s.state,vt(t,Object.keys(s.actions),t._isOptionsAPI);const n=t._hotUpdate;(0,Ie.ux)(t)._hotUpdate=function(e){n.apply(this,arguments),vt(t,Object.keys(e._hmrPayload.actions),!!t._isOptionsAPI)},function(e,t){ct.includes(pt(t.$id))||ct.push(pt(t.$id)),(0,je.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:ct,app:e,settings:{logStoreChanges:{label:"Notify about new/deleted stores",type:"boolean",defaultValue:!0}}},(e=>{const s="function"==typeof e.now?e.now.bind(e):Date.now;t.$onAction((({after:n,onError:a,name:i,args:r})=>{const o=xt++;e.addTimelineEvent({layerId:ut,event:{time:s(),title:"🛫 "+i,subtitle:"start",data:{store:at(t.$id),action:at(i),args:r},groupId:o}}),n((n=>{wt=void 0,e.addTimelineEvent({layerId:ut,event:{time:s(),title:"🛬 "+i,subtitle:"end",data:{store:at(t.$id),action:at(i),args:r,result:n},groupId:o}})})),a((n=>{wt=void 0,e.addTimelineEvent({layerId:ut,event:{time:s(),logType:"error",title:"💥 "+i,subtitle:"end",data:{store:at(t.$id),action:at(i),args:r,error:n},groupId:o}})}))}),!0),t._customProperties.forEach((n=>{(0,Ie.wB)((()=>(0,Ie.R1)(t[n])),((t,a)=>{e.notifyComponentUpdate(),e.sendInspectorState(gt),mt&&e.addTimelineEvent({layerId:ut,event:{time:s(),title:"Change",subtitle:n,data:{newValue:t,oldValue:a},groupId:wt}})}),{deep:!0})})),t.$subscribe((({events:n,type:a},i)=>{if(e.notifyComponentUpdate(),e.sendInspectorState(gt),!mt)return;const r={time:s(),title:dt(a),data:ft({store:at(t.$id)},lt(n)),groupId:wt};a===Ve.patchFunction?r.subtitle="⤵️":a===Ve.patchObject?r.subtitle="🧩":n&&!Array.isArray(n)&&(r.subtitle=n.type),n&&(r.data["rawEvent(s)"]={_custom:{display:"DebuggerEvent",type:"object",tooltip:"raw DebuggerEvent[]",value:n}}),e.addTimelineEvent({layerId:ut,event:r})}),{detached:!0,flush:"sync"});const n=t._hotUpdate;t._hotUpdate=(0,Ie.IG)((a=>{n(a),e.addTimelineEvent({layerId:ut,event:{time:s(),title:"🔥 "+t.$id,subtitle:"HMR update",data:{store:at(t.$id),info:at("HMR update")}}}),e.notifyComponentUpdate(),e.sendInspectorTree(gt),e.sendInspectorState(gt)}));const{$dispose:a}=t;t.$dispose=()=>{a(),e.notifyComponentUpdate(),e.sendInspectorTree(gt),e.sendInspectorState(gt),e.getSettings().logStoreChanges&&Xe(`Disposed "${t.$id}" store 🗑`)},e.notifyComponentUpdate(),e.sendInspectorTree(gt),e.sendInspectorState(gt),e.getSettings().logStoreChanges&&Xe(`"${t.$id}" store installed 🆕`)}))}(e,t)}const At=()=>{};function yt(e,t,s,n=At){e.push(t);const a=()=>{const s=e.indexOf(t);s>-1&&(e.splice(s,1),n())};return!s&&(0,Ie.o5)()&&(0,Ie.jr)(a),a}function Ct(e,...t){e.slice().forEach((e=>{e(...t)}))}const bt=e=>e();function kt(e,t){e instanceof Map&&t instanceof Map&&t.forEach(((t,s)=>e.set(s,t))),e instanceof Set&&t instanceof Set&&t.forEach(e.add,e);for(const s in t){if(!t.hasOwnProperty(s))continue;const n=t[s],a=e[s];Me(a)&&Me(n)&&e.hasOwnProperty(s)&&!(0,Ie.i9)(n)&&!(0,Ie.g8)(n)?e[s]=kt(a,n):e[s]=n}return e}const Lt=Symbol(),_t=new WeakMap,{assign:Et}=Object;function St(e,t,s={},n,a,i){let r;const o=Et({actions:{}},s),l={deep:!0};let d,m,c,u=[],g=[];const f=n.state.value[e];i||f||(Ie.LE?(0,Ie.hZ)(n.state.value,e,{}):n.state.value[e]={});const p=(0,Ie.KR)({});let h;function w(t){let s;d=m=!1,"function"==typeof t?(t(n.state.value[e]),s={type:Ve.patchFunction,storeId:e,events:c}):(kt(n.state.value[e],t),s={type:Ve.patchObject,payload:t,storeId:e,events:c});const a=h=Symbol();(0,Ie.dY)().then((()=>{h===a&&(d=!0)})),m=!0,Ct(u,s,n.state.value[e])}const x=i?function(){const{state:e}=s,t=e?e():{};this.$patch((e=>{Et(e,t)}))}:At;function v(t,s){return function(){Re(n);const a=Array.from(arguments),i=[],r=[];let o;Ct(g,{args:a,name:t,store:y,after:function(e){i.push(e)},onError:function(e){r.push(e)}});try{o=s.apply(this&&this.$id===e?this:y,a)}catch(e){throw Ct(r,e),e}return o instanceof Promise?o.then((e=>(Ct(i,e),e))).catch((e=>(Ct(r,e),Promise.reject(e)))):(Ct(i,o),o)}}const T=(0,Ie.IG)({actions:{},getters:{},state:[],hotState:p}),A={_p:n,$id:e,$onAction:yt.bind(null,g),$patch:w,$reset:x,$subscribe(t,s={}){const a=yt(u,t,s.detached,(()=>i())),i=r.run((()=>(0,Ie.wB)((()=>n.state.value[e]),(n=>{("sync"===s.flush?m:d)&&t({storeId:e,type:Ve.direct,events:c},n)}),Et({},l,s))));return a},$dispose:function(){r.stop(),u=[],g=[],n._s.delete(e)}};Ie.LE&&(A._r=!1);const y=(0,Ie.Kh)(He?Et({_hmrPayload:T,_customProperties:(0,Ie.IG)(new Set)},A):A);n._s.set(e,y);const C=(n._a&&n._a.runWithContext||bt)((()=>n._e.run((()=>(r=(0,Ie.uY)()).run(t)))));for(const t in C){const s=C[t];if((0,Ie.i9)(s)&&(k=s,!(0,Ie.i9)(k)||!k.effect)||(0,Ie.g8)(s))i||(!f||(b=s,Ie.LE?_t.has(b):Me(b)&&b.hasOwnProperty(Lt))||((0,Ie.i9)(s)?s.value=f[t]:kt(s,f[t])),Ie.LE?(0,Ie.hZ)(n.state.value[e],t,s):n.state.value[e][t]=s);else if("function"==typeof s){const e=v(t,s);Ie.LE?(0,Ie.hZ)(C,t,e):C[t]=e,o.actions[t]=s}}var b,k;if(Ie.LE?Object.keys(C).forEach((e=>{(0,Ie.hZ)(y,e,C[e])})):(Et(y,C),Et((0,Ie.ux)(y),C)),Object.defineProperty(y,"$state",{get:()=>n.state.value[e],set:e=>{w((t=>{Et(t,e)}))}}),He){const e={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((t=>{Object.defineProperty(y,t,Et({value:y[t]},e))}))}return Ie.LE&&(y._r=!0),n._p.forEach((e=>{if(He){const t=r.run((()=>e({store:y,app:n._a,pinia:n,options:o})));Object.keys(t||{}).forEach((e=>y._customProperties.add(e))),Et(y,t)}else Et(y,r.run((()=>e({store:y,app:n._a,pinia:n,options:o}))))})),f&&i&&s.hydrate&&s.hydrate(y.$state,f),d=!0,m=!0,y}const Bt=(0,ke.C)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,sort_folders_first:!0,grid_view:!1}),Ft=function(){const e=(0,Ie.uY)(!0),t=e.run((()=>(0,Ie.KR)({})));let s=[],n=[];const a=(0,Ie.IG)({install(e){Re(a),Ie.LE||(a._a=e,e.provide(De,a),e.config.globalProperties.$pinia=a,He&&ht(e,a),n.forEach((e=>s.push(e))),n=[])},use(e){return this._a||Ie.LE?s.push(e):n.push(e),this},_p:s,_a:null,_e:e,_s:new Map,state:t});return He&&"undefined"!=typeof Proxy&&a.use(Tt),a}(),Pt=(0,n.H4)(),Ut=Math.round(Date.now()/1e3-1209600);(0,n.Gg)(u),(0,n.Gg)(w),(0,n.Gg)(A),(0,n.Gg)(L),(0,n.Gg)(me),(0,n.Gg)(ue),(0,n.Gg)(ge),(0,n.Gg)(fe),(0,n.Gg)(he),(0,n.Gg)(we),(0,n.zj)(be),(0,n.zj)(_e),(0,ke.C)("files","templates",[]).forEach(((e,t)=>{(0,n.zj)({id:"template-new-".concat(e.app,"-").concat(t),displayName:e.label,iconClass:e.iconClass||"icon-file",enabled:e=>!!(e.permissions&n.aX.CREATE),order:11,async handler(t,s){const n=Be(t),a=await Ce("".concat(e.label).concat(e.extension),s,{label:(0,i.Tl)("files","Filename"),name:e.label});null!==a&&(await n).open(a,e)}})})),(()=>{const e=(0,ke.C)("files","favoriteFolders",[]),t=e.map(((e,t)=>Ue(e,t)));o.A.debug("Generating favorites view",{favoriteFolders:e});const s=(0,n.bh)();s.register(new n.Ss({id:"favorites",name:(0,i.Tl)("files","Favorites"),caption:(0,i.Tl)("files","List of favorites files and folders."),emptyTitle:(0,i.Tl)("files","No favorites yet"),emptyCaption:(0,i.Tl)("files","Files and folders you mark as favorite will show up here"),icon:C,order:5,columns:[],getContents:Pe})),t.forEach((e=>s.register(e))),(0,a.B1)("files:favorites:added",(e=>{var t;e.type===n.pt.Folder&&(null!==e.path&&null!==(t=e.root)&&void 0!==t&&t.startsWith("/files")?l(e):o.A.error("Favorite folder is not within user files root",{node:e}))})),(0,a.B1)("files:favorites:removed",(e=>{var t;e.type===n.pt.Folder&&(null!==e.path&&null!==(t=e.root)&&void 0!==t&&t.startsWith("/files")?d(e.path):o.A.error("Favorite folder is not within user files root",{node:e}))}));const r=function(){e.sort(((e,t)=>e.path.localeCompare(t.path,(0,i.Z0)(),{ignorePunctuation:!0}))),e.forEach(((e,s)=>{const n=t.find((t=>t.id===Ne(e.path)));n&&(n.order=s)}))},l=function(n){const a={path:n.path,fileid:n.fileid},i=Ue(a);e.find((e=>e.path===n.path))||(e.push(a),t.push(i),r(),s.register(i))},d=function(n){const a=Ne(n),i=e.findIndex((e=>e.path===n));-1!==i&&(e.splice(i,1),t.splice(i,1),s.remove(a),r())}})(),(0,n.bh)().register(new n.Ss({id:"files",name:(0,i.Tl)("files","All files"),caption:(0,i.Tl)("files","List of your files and folders."),icon:ce,order:0,getContents:ie})),(0,n.bh)().register(new n.Ss({id:"recent",name:(0,i.Tl)("files","Recent"),caption:(0,i.Tl)("files","List of recently modified files and folders."),emptyTitle:(0,i.Tl)("files","No recently modified files"),emptyCaption:(0,i.Tl)("files","Files and folders you recently modified will show up here."),icon:'',order:2,defaultSortKey:"mtime",getContents:async function(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const s=function(){const e=function(e,t,s){let n,a;const i="function"==typeof t;function r(e,s){const r=(0,Ie.PS)();return(e=e||(r?(0,Ie.WQ)(De,null):null))&&Re(e),(e=ze)._s.has(n)||(i?St(n,t,a,e):function(e,t,s,n){const{state:a,actions:i,getters:r}=t,o=s.state.value[e];let l;l=St(e,(function(){o||(Ie.LE?(0,Ie.hZ)(s.state.value,e,a?a():{}):s.state.value[e]=a?a():{});const t=(0,Ie.QW)(s.state.value[e]);return Et(t,i,Object.keys(r||{}).reduce(((t,n)=>(t[n]=(0,Ie.IG)((0,Ie.EW)((()=>{Re(s);const t=s._s.get(e);if(!Ie.LE||t._r)return r[n].call(t,t)}))),t)),{}))}),t,s,0,!0)}(n,a,e)),e._s.get(n)}return"string"==typeof e?(n=e,a=i?s:t):(a=e,n=e.id),r.$id=n,r}("userconfig",{state:()=>({userConfig:Bt}),actions:{onUpdate(e,t){y.Ay.set(this.userConfig,e,t)},async update(e,t){await r.A.put((0,g.Jv)("/apps/files/api/v1/config/"+e),{value:t}),(0,a.Ic)("files:config:updated",{key:e,value:t})}}})(...arguments);return e._initialized||((0,a.B1)("files:config:updated",(function(t){let{key:s,value:n}=t;e.onUpdate(s,n)})),e._initialized=!0),e}(Ft),i=(await Pt.getDirectoryContents(t,{details:!0,data:(0,n.R3)(Ut),headers:{method:"SEARCH","Content-Type":"application/xml; charset=utf-8"},deep:!0})).data;return{folder:new n.vd({id:0,source:"".concat(n.PY).concat(n.lJ),root:n.lJ,owner:(null===(e=(0,v.HW)())||void 0===e?void 0:e.uid)||null,permissions:n.aX.READ}),contents:i.map((e=>(0,n.Al)(e))).filter((e=>"/"!==t||s.userConfig.show_hidden||!e.dirname.split("/").some((e=>e.startsWith(".")))))}}})),"serviceWorker"in navigator?window.addEventListener("load",(async()=>{try{const e=(0,g.Jv)("/apps/files/preview-service-worker.js",{},{noRewrite:!0}),t=await navigator.serviceWorker.register(e,{scope:"/"});o.A.debug("SW registered: ",{registration:t})}catch(e){o.A.error("SW registration failed: ",{error:e})}})):o.A.debug("Service Worker is not enabled on this browser."),(0,n.Yc)("nc:hidden",{nc:"http://nextcloud.org/ns"}),(0,n.Yc)("nc:is-mount-root",{nc:"http://nextcloud.org/ns"}),(0,n.Yc)("nc:metadata-files-live-photo",{nc:"http://nextcloud.org/ns"})},80573:(e,t,s)=>{"use strict";s.d(t,{lJ:()=>a,mF:()=>i}),s(35810),s(53334);var n=s(43627);const a=function(e,t){const s={suffix:e=>"(".concat(e,")"),ignoreFileExtension:!1,...arguments.length>2&&void 0!==arguments[2]?arguments[2]:{}};let a=e,i=1;for(;t.includes(a);){const t=s.ignoreFileExtension?"":(0,n.extname)(e),r=(0,n.basename)(e,t);a="".concat(r," ").concat(s.suffix(i++)).concat(t)}return a},i=function(e){const t=(e.startsWith("/")?e:"/".concat(e)).split("/");let s="";return t.forEach((e=>{""!==e&&(s+="/"+encodeURIComponent(e))})),s}},14456:(e,t,s)=>{"use strict";s.d(t,{A:()=>f});var n=s(71354),a=s.n(n),i=s(76314),r=s.n(i),o=s(4417),l=s.n(o),d=new URL(s(57273),s.b),m=new URL(s(63710),s.b),c=r()(a()),u=l()(d),g=l()(m);c.push([e.id,`@charset "UTF-8";\n/**\n * @copyright Copyright (c) 2019 Julius Härtl \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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(${u});\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(${g});\n}\n.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .file-picker__content {\n display: flex;\n flex-direction: column;\n overflow: hidden;\n}\n"],sourceRoot:""}]);const f=c},30521:(e,t,s)=>{"use strict";s.d(t,{A:()=>o});var n=s(71354),a=s.n(n),i=s(76314),r=s.n(i)()(a());r.push([e.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 o=r},75270:e=>{function t(e,t){return null==e?t:e}e.exports=function(e){var s,n=t((e=e||{}).max,1),a=t(e.min,0),i=t(e.autostart,!0),r=t(e.ignoreSameProgress,!1),o=null,l=null,d=null,m=(s=t(e.historyTimeConstant,2.5),function(e,t,n){return e+n/(n+s)*(t-e)});function c(){u(a)}function u(e,t){if("number"!=typeof t&&(t=Date.now()),l!==t&&(!r||d!==e)){if(null===l||null===d)return d=e,void(l=t);var s=.001*(t-l),n=(e-d)/s;o=null===o?n:m(o,n,s),d=e,l=t}}return{start:c,reset:function(){o=null,l=null,d=null,i&&c()},report:u,estimate:function(e){if(null===d)return 1/0;if(d>=n)return 0;if(null===o)return 1/0;var t=(n-d)/o;return"number"==typeof e&&"number"==typeof l&&(t-=.001*(e-l)),Math.max(0,t)},rate:function(){return null===o?0:o}}}},63710:e=>{"use strict";e.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:e=>{"use strict";e.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"},35810:(e,t,s)=>{"use strict";s.d(t,{Al:()=>R,Gg:()=>w,H4:()=>O,PY:()=>j,Q$:()=>z,R3:()=>L,Ss:()=>lt,VL:()=>b,Yc:()=>A,ZH:()=>U,aX:()=>x,b2:()=>k,bh:()=>H,gj:()=>ct,hY:()=>h,lJ:()=>I,m1:()=>ut,m9:()=>p,pt:()=>E,v7:()=>V,vb:()=>_,vd:()=>N,zI:()=>F,zj:()=>mt});var n=s(21777),a=s(84697),i=s(43627),r=s(71089),o=s(66656),l=s(44719),d=s(36117),m=s(2568);const c=null===(u=(0,n.HW)())?(0,a.YK)().setApp("files").build():(0,a.YK)().setApp("files").setUid(u.uid).build();var u;class g{_entries=[];registerEntry(e){this.validateEntry(e),e.category=e.category??1,this._entries.push(e)}unregisterEntry(e){const t="string"==typeof e?this.getEntryIndex(e):this.getEntryIndex(e.id);-1!==t?this._entries.splice(t,1):c.warn("Entry not found, nothing removed",{entry:e,entries:this.getEntries()})}getEntries(e){return e?this._entries.filter((t=>"function"!=typeof t.enabled||t.enabled(e))):this._entries}getEntryIndex(e){return this._entries.findIndex((t=>t.id===e))}validateEntry(e){if(!e.id||!e.displayName||!e.iconSvgInline&&!e.iconClass||!e.handler)throw new Error("Invalid entry");if("string"!=typeof e.id||"string"!=typeof e.displayName)throw new Error("Invalid id or displayName property");if(e.iconClass&&"string"!=typeof e.iconClass||e.iconSvgInline&&"string"!=typeof e.iconSvgInline)throw new Error("Invalid icon provided");if(void 0!==e.enabled&&"function"!=typeof e.enabled)throw new Error("Invalid enabled property");if("function"!=typeof e.handler)throw new Error("Invalid handler property");if("order"in e&&"number"!=typeof e.order)throw new Error("Invalid order property");if(-1!==this.getEntryIndex(e.id))throw new Error("Duplicate entry")}}const f=function(){return void 0===window._nc_newfilemenu&&(window._nc_newfilemenu=new g,c.debug("NewFileMenu initialized")),window._nc_newfilemenu};var p=(e=>(e.DEFAULT="default",e.HIDDEN="hidden",e))(p||{});class h{_action;constructor(e){this.validateAction(e),this._action=e}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(e){if(!e.id||"string"!=typeof e.id)throw new Error("Invalid id");if(!e.displayName||"function"!=typeof e.displayName)throw new Error("Invalid displayName function");if("title"in e&&"function"!=typeof e.title)throw new Error("Invalid title function");if(!e.iconSvgInline||"function"!=typeof e.iconSvgInline)throw new Error("Invalid iconSvgInline function");if(!e.exec||"function"!=typeof e.exec)throw new Error("Invalid exec function");if("enabled"in e&&"function"!=typeof e.enabled)throw new Error("Invalid enabled function");if("execBatch"in e&&"function"!=typeof e.execBatch)throw new Error("Invalid execBatch function");if("order"in e&&"number"!=typeof e.order)throw new Error("Invalid order");if("parent"in e&&"string"!=typeof e.parent)throw new Error("Invalid parent");if(e.default&&!Object.values(p).includes(e.default))throw new Error("Invalid default");if("inline"in e&&"function"!=typeof e.inline)throw new Error("Invalid inline function");if("renderInline"in e&&"function"!=typeof e.renderInline)throw new Error("Invalid renderInline function")}}const w=function(e){void 0===window._nc_fileactions&&(window._nc_fileactions=[],c.debug("FileActions initialized")),window._nc_fileactions.find((t=>t.id===e.id))?c.error(`FileAction ${e.id} already registered`,{action:e}):window._nc_fileactions.push(e)};var x=(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))(x||{});const v=["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"],T={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},A=function(e,t={nc:"http://nextcloud.org/ns"}){void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...v],window._nc_dav_namespaces={...T});const s={...window._nc_dav_namespaces,...t};return window._nc_dav_properties.find((t=>t===e))?(c.warn(`${e} already registered`,{prop:e}),!1):e.startsWith("<")||2!==e.split(":").length?(c.error(`${e} is not valid. See example: 'oc:fileid'`,{prop:e}),!1):s[e.split(":")[0]]?(window._nc_dav_properties.push(e),window._nc_dav_namespaces=s,!0):(c.error(`${e} namespace unknown`,{prop:e,namespaces:s}),!1)},y=function(){return void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...v]),window._nc_dav_properties.map((e=>`<${e} />`)).join(" ")},C=function(){return void 0===window._nc_dav_namespaces&&(window._nc_dav_namespaces={...T}),Object.keys(window._nc_dav_namespaces).map((e=>`xmlns:${e}="${window._nc_dav_namespaces?.[e]}"`)).join(" ")},b=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${y()}\n\t\t\t\n\t\t`},k=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${y()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`},L=function(e){return`\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${y()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${(0,n.HW)()?.uid}/\n\t\t\t\tinfinity\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\thttpd/unix-directory\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t0\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t${e}\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t100\n\t\t\t0\n\t\t\n\t\n`},_=function(e=""){let t=x.NONE;return e?((e.includes("C")||e.includes("K"))&&(t|=x.CREATE),e.includes("G")&&(t|=x.READ),(e.includes("W")||e.includes("N")||e.includes("V"))&&(t|=x.UPDATE),e.includes("D")&&(t|=x.DELETE),e.includes("R")&&(t|=x.SHARE),t):t};var E=(e=>(e.Folder="folder",e.File="file",e))(E||{});const S=function(e,t){return null!==e.match(t)},B=(e,t)=>{if(e.id&&"number"!=typeof e.id)throw new Error("Invalid id type of value");if(!e.source)throw new Error("Missing mandatory source");try{new URL(e.source)}catch(e){throw new Error("Invalid source format, source must be a valid URL")}if(!e.source.startsWith("http"))throw new Error("Invalid source format, only http(s) is supported");if(e.mtime&&!(e.mtime instanceof Date))throw new Error("Invalid mtime type");if(e.crtime&&!(e.crtime instanceof Date))throw new Error("Invalid crtime type");if(!e.mime||"string"!=typeof e.mime||!e.mime.match(/^[-\w.]+\/[-+\w.]+$/gi))throw new Error("Missing or invalid mandatory mime");if("size"in e&&"number"!=typeof e.size&&void 0!==e.size)throw new Error("Invalid size type");if("permissions"in e&&void 0!==e.permissions&&!("number"==typeof e.permissions&&e.permissions>=x.NONE&&e.permissions<=x.ALL))throw new Error("Invalid permissions");if(e.owner&&null!==e.owner&&"string"!=typeof e.owner)throw new Error("Invalid owner type");if(e.attributes&&"object"!=typeof e.attributes)throw new Error("Invalid attributes type");if(e.root&&"string"!=typeof e.root)throw new Error("Invalid root type");if(e.root&&!e.root.startsWith("/"))throw new Error("Root must start with a leading slash");if(e.root&&!e.source.includes(e.root))throw new Error("Root must be part of the source");if(e.root&&S(e.source,t)){const s=e.source.match(t)[0];if(!e.source.includes((0,i.join)(s,e.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(e.status&&!Object.values(F).includes(e.status))throw new Error("Status must be a valid NodeStatus")};var F=(e=>(e.NEW="new",e.FAILED="failed",e.LOADING="loading",e.LOCKED="locked",e))(F||{});class P{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;readonlyAttributes=Object.entries(Object.getOwnPropertyDescriptors(P.prototype)).filter((e=>"function"==typeof e[1].get&&"__proto__"!==e[0])).map((e=>e[0]));handler={set:(e,t,s)=>!this.readonlyAttributes.includes(t)&&(this.updateMtime(),Reflect.set(e,t,s)),deleteProperty:(e,t)=>!this.readonlyAttributes.includes(t)&&(this.updateMtime(),Reflect.deleteProperty(e,t)),get:(e,t,s)=>this.readonlyAttributes.includes(t)?(c.warn(`Accessing "Node.attributes.${t}" is deprecated, access it directly on the Node instance.`),Reflect.get(this,t)):Reflect.get(e,t,s)};constructor(e,t){B(e,t||this._knownDavService),this._data={...e,attributes:{}},this._attributes=new Proxy(this._data.attributes,this.handler),this.update(e.attributes??{}),this._data.mtime=e.mtime,t&&(this._knownDavService=t)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:e}=new URL(this.source);return e+(0,r.O0)(this.source.slice(e.length))}get basename(){return(0,i.basename)(this.source)}get extension(){return(0,i.extname)(this.source)}get dirname(){if(this.root){let e=this.source;this.isDavRessource&&(e=e.split(this._knownDavService).pop());const t=e.indexOf(this.root),s=this.root.replace(/\/$/,"");return(0,i.dirname)(e.slice(t+s.length)||"/")}const e=new URL(this.source);return(0,i.dirname)(e.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}set size(e){this.updateMtime(),this._data.size=e}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:x.NONE:x.READ}set permissions(e){this.updateMtime(),this._data.permissions=e}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return S(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,i.dirname)(this.source).split(this._knownDavService).pop()||null}get path(){if(this.root){let e=this.source;this.isDavRessource&&(e=e.split(this._knownDavService).pop());const t=e.indexOf(this.root),s=this.root.replace(/\/$/,"");return e.slice(t+s.length)||"/"}return(this.dirname+"/"+this.basename).replace(/\/\//g,"/")}get fileid(){return this._data?.id}get status(){return this._data?.status}set status(e){this._data.status=e}move(e){B({...this._data,source:e},this._knownDavService),this._data.source=e,this.updateMtime()}rename(e){if(e.includes("/"))throw new Error("Invalid basename");this.move((0,i.dirname)(this.source)+"/"+e)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}update(e){for(const[t,s]of Object.entries(e))try{void 0===s?delete this.attributes[t]:this.attributes[t]=s}catch(e){if(e instanceof TypeError)continue;throw e}}}class U extends P{get type(){return E.File}}class N extends P{constructor(e){super({...e,mime:"httpd/unix-directory"})}get type(){return E.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const I=`/files/${(0,n.HW)()?.uid}`,j=(0,o.dC)("dav"),O=function(e=j,t={}){const s=(0,l.UU)(e,{headers:t});function a(e){s.setHeaders({...t,"X-Requested-With":"XMLHttpRequest",requesttoken:e??""})}return(0,n.zo)(a),a((0,n.do)()),(0,l.Gu)().patch("fetch",((e,t)=>{const s=t.headers;return s?.method&&(t.method=s.method,delete s.method),fetch(e,t)})),s},z=(e,t="/",s=I)=>{const n=new AbortController;return new d.CancelablePromise((async(a,i,r)=>{r((()=>n.abort()));try{a((await e.getDirectoryContents(`${s}${t}`,{signal:n.signal,details:!0,data:k(),headers:{method:"REPORT"},includeSelf:!0})).data.filter((e=>e.filename!==t)).map((e=>R(e,s))))}catch(e){i(e)}}))},R=function(e,t=I,s=j){let a=(0,n.HW)()?.uid;const i=document.querySelector("input#isPublic")?.value;if(i)a=a??document.querySelector("input#sharingUserId")?.value,a=a??"anonymous";else if(!a)throw new Error("No user id found");const r=e.props,o=_(r?.permissions),l=String(r?.["owner-id"]||a),d={id:r?.fileid||0,source:`${s}${e.filename}`,mtime:new Date(Date.parse(e.lastmod)),mime:e.mime||"application/octet-stream",size:r?.size||Number.parseInt(r.getcontentlength||"0"),permissions:o,owner:l,root:t,attributes:{...e,...r,hasPreview:r?.["has-preview"]}};return delete d.attributes?.props,"file"===e.type?new U(d):new N(d)};window._oc_config,window._oc_config?.blacklist_files_regex&&new RegExp(window._oc_config.blacklist_files_regex);const D=["B","KB","MB","GB","TB","PB"],M=["B","KiB","MiB","GiB","TiB","PiB"];function V(e,t=!1,s=!1,n=!1){s=s&&!n,"string"==typeof e&&(e=Number(e));let a=e>0?Math.floor(Math.log(e)/Math.log(n?1e3:1024)):0;a=Math.min((s?M.length:D.length)-1,a);const i=s?M[a]:D[a];let r=(e/Math.pow(n?1e3:1024,a)).toFixed(1);return!0===t&&0===a?("0.0"!==r?"< 1 ":"0 ")+(s?M[1]:D[1]):(r=a<2?parseFloat(r).toFixed(0):parseFloat(r).toLocaleString((0,m.lO)()),r+" "+i)}class ${_views=[];_currentView=null;register(e){if(this._views.find((t=>t.id===e.id)))throw new Error(`View id ${e.id} is already registered`);this._views.push(e)}remove(e){const t=this._views.findIndex((t=>t.id===e));-1!==t&&this._views.splice(t,1)}get views(){return this._views}setActive(e){this._currentView=e}get active(){return this._currentView}}const H=function(){return void 0===window._nc_navigation&&(window._nc_navigation=new $,c.debug("Navigation service initialized")),window._nc_navigation};class Y{_column;constructor(e){W(e),this._column=e}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 W=function(e){if(!e.id||"string"!=typeof e.id)throw new Error("A column id is required");if(!e.title||"string"!=typeof e.title)throw new Error("A column title is required");if(!e.render||"function"!=typeof e.render)throw new Error("A render function is required");if(e.sort&&"function"!=typeof e.sort)throw new Error("Column sortFunction must be a function");if(e.summary&&"function"!=typeof e.summary)throw new Error("Column summary must be a function");return!0};var q={},G={};!function(e){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",s="["+t+"]["+t+"\\-.\\d\\u00B7\\u0300-\\u036F\\u203F-\\u2040]*",n=new RegExp("^"+s+"$");e.isExist=function(e){return void 0!==e},e.isEmptyObject=function(e){return 0===Object.keys(e).length},e.merge=function(e,t,s){if(t){const n=Object.keys(t),a=n.length;for(let i=0;i5&&"xml"===n)return re("InvalidXml","XML declaration allowed only at the start of the document.",le(e,t));if("?"==e[t]&&">"==e[t+1]){t++;break}}return t}function Q(e,t){if(e.length>t+5&&"-"===e[t+1]&&"-"===e[t+2]){for(t+=3;t"===e[t+2]){t+=2;break}}else if(e.length>t+8&&"D"===e[t+1]&&"O"===e[t+2]&&"C"===e[t+3]&&"T"===e[t+4]&&"Y"===e[t+5]&&"P"===e[t+6]&&"E"===e[t+7]){let s=1;for(t+=8;t"===e[t]&&(s--,0===s))break}else if(e.length>t+9&&"["===e[t+1]&&"C"===e[t+2]&&"D"===e[t+3]&&"A"===e[t+4]&&"T"===e[t+5]&&"A"===e[t+6]&&"["===e[t+7])for(t+=8;t"===e[t+2]){t+=2;break}return t}q.validate=function(e,t){t=Object.assign({},J,t);const s=[];let n=!1,a=!1;"\ufeff"===e[0]&&(e=e.substr(1));for(let r=0;r"!==e[r]&&" "!==e[r]&&"\t"!==e[r]&&"\n"!==e[r]&&"\r"!==e[r];r++)d+=e[r];if(d=d.trim(),"/"===d[d.length-1]&&(d=d.substring(0,d.length-1),r--),i=d,!K.isName(i)){let t;return t=0===d.trim().length?"Invalid space after '<'.":"Tag '"+d+"' is an invalid name.",re("InvalidTag",t,le(e,r))}const m=se(e,r);if(!1===m)return re("InvalidAttr","Attributes for '"+d+"' have open quote.",le(e,r));let c=m.value;if(r=m.index,"/"===c[c.length-1]){const s=r-c.length;c=c.substring(0,c.length-1);const a=ae(c,t);if(!0!==a)return re(a.err.code,a.err.msg,le(e,s+a.err.line));n=!0}else if(l){if(!m.tagClosed)return re("InvalidTag","Closing tag '"+d+"' doesn't have proper closing.",le(e,r));if(c.trim().length>0)return re("InvalidTag","Closing tag '"+d+"' can't have attributes or invalid starting.",le(e,o));if(0===s.length)return re("InvalidTag","Closing tag '"+d+"' has not been opened.",le(e,o));{const t=s.pop();if(d!==t.tagName){let s=le(e,t.tagStartPos);return re("InvalidTag","Expected closing tag '"+t.tagName+"' (opened in line "+s.line+", col "+s.col+") instead of closing tag '"+d+"'.",le(e,o))}0==s.length&&(a=!0)}}else{const i=ae(c,t);if(!0!==i)return re(i.err.code,i.err.msg,le(e,r-c.length+i.err.line));if(!0===a)return re("InvalidXml","Multiple possible root nodes found.",le(e,r));-1!==t.unpairedTags.indexOf(d)||s.push({tagName:d,tagStartPos:o}),n=!0}for(r++;r0)||re("InvalidXml","Invalid '"+JSON.stringify(s.map((e=>e.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):re("InvalidXml","Start tag expected.",1)};const ee='"',te="'";function se(e,t){let s="",n="",a=!1;for(;t"===e[t]&&""===n){a=!0;break}s+=e[t]}return""===n&&{value:s,index:t,tagClosed:a}}const ne=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function ae(e,t){const s=K.getAllMatches(e,ne),n={};for(let e=0;e!1,commentPropName:!1,unpairedTags:[],processEntities:!0,htmlEntities:!1,ignoreDeclaration:!1,ignorePiTags:!1,transformTagName:!1,transformAttributeName:!1,updateTag:function(e,t,s){return e}};me.buildOptions=function(e){return Object.assign({},ce,e)},me.defaultOptions=ce;const ue=G;function ge(e,t){let s="";for(;t0?this.child.push({[e.tagname]:e.child,":@":e[":@"]}):this.child.push({[e.tagname]:e.child})}},ke=function(e,t){const s={};if("O"!==e[t+3]||"C"!==e[t+4]||"T"!==e[t+5]||"Y"!==e[t+6]||"P"!==e[t+7]||"E"!==e[t+8])throw new Error("Invalid Tag instead of DOCTYPE");{t+=9;let n=1,a=!1,i=!1,r="";for(;t"===e[t]){if(i?"-"===e[t-1]&&"-"===e[t-2]&&(i=!1,n--):n--,0===n)break}else"["===e[t]?a=!0:r+=e[t];else{if(a&&pe(e,t))t+=7,[entityName,val,t]=ge(e,t+1),-1===val.indexOf("&")&&(s[ve(entityName)]={regx:RegExp(`&${entityName};`,"g"),val});else if(a&&he(e,t))t+=8;else if(a&&we(e,t))t+=8;else if(a&&xe(e,t))t+=9;else{if(!fe)throw new Error("Invalid DOCTYPE");i=!0}n++,r=""}if(0!==n)throw new Error("Unclosed DOCTYPE")}return{entities:s,i:t}},Le=function(e,t={}){if(t=Object.assign({},ye,t),!e||"string"!=typeof e)return e;let s=e.trim();if(void 0!==t.skipLike&&t.skipLike.test(s))return e;if(t.hex&&Te.test(s))return Number.parseInt(s,16);{const a=Ae.exec(s);if(a){const i=a[1],r=a[2];let o=(n=a[3])&&-1!==n.indexOf(".")?("."===(n=n.replace(/0+$/,""))?n="0":"."===n[0]?n="0"+n:"."===n[n.length-1]&&(n=n.substr(0,n.length-1)),n):n;const l=a[4]||a[6];if(!t.leadingZeros&&r.length>0&&i&&"."!==s[2])return e;if(!t.leadingZeros&&r.length>0&&!i&&"."!==s[1])return e;{const n=Number(s),a=""+n;return-1!==a.search(/[eE]/)||l?t.eNotation?n:e:-1!==s.indexOf(".")?"0"===a&&""===o||a===o||i&&a==="-"+o?n:e:r?o===a||i+o===a?n:e:s===a||s===i+a?n:e}}return e}var n};function _e(e){const t=Object.keys(e);for(let s=0;s0)){r||(e=this.replaceEntitiesValue(e));const n=this.options.tagValueProcessor(t,e,s,a,i);return null==n?e:typeof n!=typeof e||n!==e?n:this.options.trimValues||e.trim()===e?De(e,this.options.parseTagValue,this.options.numberParseOptions):e}}function Se(e){if(this.options.removeNSPrefix){const t=e.split(":"),s="/"===e.charAt(0)?"/":"";if("xmlns"===t[0])return"";2===t.length&&(e=s+t[1])}return e}const Be=new RegExp("([^\\s=]+)\\s*(=\\s*(['\"])([\\s\\S]*?)\\3)?","gm");function Fe(e,t,s){if(!this.options.ignoreAttributes&&"string"==typeof e){const s=Ce.getAllMatches(e,Be),n=s.length,a={};for(let e=0;e",i,"Closing Tag is not closed.");let r=e.substring(i+2,t).trim();if(this.options.removeNSPrefix){const e=r.indexOf(":");-1!==e&&(r=r.substr(e+1))}this.options.transformTagName&&(r=this.options.transformTagName(r)),s&&(n=this.saveTextToParentTag(n,s,a));const o=a.substring(a.lastIndexOf(".")+1);if(r&&-1!==this.options.unpairedTags.indexOf(r))throw new Error(`Unpaired tag can not be used as closing tag: `);let l=0;o&&-1!==this.options.unpairedTags.indexOf(o)?(l=a.lastIndexOf(".",a.lastIndexOf(".")-1),this.tagsNodeStack.pop()):l=a.lastIndexOf("."),a=a.substring(0,l),s=this.tagsNodeStack.pop(),n="",i=t}else if("?"===e[i+1]){let t=ze(e,i,!1,"?>");if(!t)throw new Error("Pi Tag is not closed.");if(n=this.saveTextToParentTag(n,s,a),this.options.ignoreDeclaration&&"?xml"===t.tagName||this.options.ignorePiTags);else{const e=new be(t.tagName);e.add(this.options.textNodeName,""),t.tagName!==t.tagExp&&t.attrExpPresent&&(e[":@"]=this.buildAttributesMap(t.tagExp,a,t.tagName)),this.addChild(s,e,a)}i=t.closeIndex+1}else if("!--"===e.substr(i+1,3)){const t=Oe(e,"--\x3e",i+4,"Comment is not closed.");if(this.options.commentPropName){const r=e.substring(i+4,t-2);n=this.saveTextToParentTag(n,s,a),s.add(this.options.commentPropName,[{[this.options.textNodeName]:r}])}i=t}else if("!D"===e.substr(i+1,2)){const t=ke(e,i);this.docTypeEntities=t.entities,i=t.i}else if("!["===e.substr(i+1,2)){const t=Oe(e,"]]>",i,"CDATA is not closed.")-2,r=e.substring(i+9,t);n=this.saveTextToParentTag(n,s,a);let o=this.parseTextData(r,s.tagname,a,!0,!1,!0,!0);null==o&&(o=""),this.options.cdataPropName?s.add(this.options.cdataPropName,[{[this.options.textNodeName]:r}]):s.add(this.options.textNodeName,o),i=t+2}else{let r=ze(e,i,this.options.removeNSPrefix),o=r.tagName;const l=r.rawTagName;let d=r.tagExp,m=r.attrExpPresent,c=r.closeIndex;this.options.transformTagName&&(o=this.options.transformTagName(o)),s&&n&&"!xml"!==s.tagname&&(n=this.saveTextToParentTag(n,s,a,!1));const u=s;if(u&&-1!==this.options.unpairedTags.indexOf(u.tagname)&&(s=this.tagsNodeStack.pop(),a=a.substring(0,a.lastIndexOf("."))),o!==t.tagname&&(a+=a?"."+o:o),this.isItStopNode(this.options.stopNodes,a,o)){let t="";if(d.length>0&&d.lastIndexOf("/")===d.length-1)"/"===o[o.length-1]?(o=o.substr(0,o.length-1),a=a.substr(0,a.length-1),d=o):d=d.substr(0,d.length-1),i=r.closeIndex;else if(-1!==this.options.unpairedTags.indexOf(o))i=r.closeIndex;else{const s=this.readStopNodeData(e,l,c+1);if(!s)throw new Error(`Unexpected end of ${l}`);i=s.i,t=s.tagContent}const n=new be(o);o!==d&&m&&(n[":@"]=this.buildAttributesMap(d,a,o)),t&&(t=this.parseTextData(t,o,a,!0,m,!0,!0)),a=a.substr(0,a.lastIndexOf(".")),n.add(this.options.textNodeName,t),this.addChild(s,n,a)}else{if(d.length>0&&d.lastIndexOf("/")===d.length-1){"/"===o[o.length-1]?(o=o.substr(0,o.length-1),a=a.substr(0,a.length-1),d=o):d=d.substr(0,d.length-1),this.options.transformTagName&&(o=this.options.transformTagName(o));const e=new be(o);o!==d&&m&&(e[":@"]=this.buildAttributesMap(d,a,o)),this.addChild(s,e,a),a=a.substr(0,a.lastIndexOf("."))}else{const e=new be(o);this.tagsNodeStack.push(s),o!==d&&m&&(e[":@"]=this.buildAttributesMap(d,a,o)),this.addChild(s,e,a),s=e}n="",i=c}}else n+=e[i];return t.child};function Ue(e,t,s){const n=this.options.updateTag(t.tagname,s,t[":@"]);!1===n||("string"==typeof n?(t.tagname=n,e.addChild(t)):e.addChild(t))}const Ne=function(e){if(this.options.processEntities){for(let t in this.docTypeEntities){const s=this.docTypeEntities[t];e=e.replace(s.regx,s.val)}for(let t in this.lastEntities){const s=this.lastEntities[t];e=e.replace(s.regex,s.val)}if(this.options.htmlEntities)for(let t in this.htmlEntities){const s=this.htmlEntities[t];e=e.replace(s.regex,s.val)}e=e.replace(this.ampEntity.regex,this.ampEntity.val)}return e};function Ie(e,t,s,n){return e&&(void 0===n&&(n=0===Object.keys(t.child).length),void 0!==(e=this.parseTextData(e,t.tagname,s,!1,!!t[":@"]&&0!==Object.keys(t[":@"]).length,n))&&""!==e&&t.add(this.options.textNodeName,e),e=""),e}function je(e,t,s){const n="*."+s;for(const s in e){const a=e[s];if(n===a||t===a)return!0}return!1}function Oe(e,t,s,n){const a=e.indexOf(t,s);if(-1===a)throw new Error(n);return a+t.length-1}function ze(e,t,s,n=">"){const a=function(e,t,s=">"){let n,a="";for(let i=t;i",s,`${t} is not closed`);if(e.substring(s+2,i).trim()===t&&(a--,0===a))return{tagContent:e.substring(n,s),i};s=i}else if("?"===e[s+1])s=Oe(e,"?>",s+1,"StopNode is not closed.");else if("!--"===e.substr(s+1,3))s=Oe(e,"--\x3e",s+3,"StopNode is not closed.");else if("!["===e.substr(s+1,2))s=Oe(e,"]]>",s,"StopNode is not closed.")-2;else{const n=ze(e,s,">");n&&((n&&n.tagName)===t&&"/"!==n.tagExp[n.tagExp.length-1]&&a++,s=n.closeIndex)}}function De(e,t,s){if(t&&"string"==typeof e){const t=e.trim();return"true"===t||"false"!==t&&Le(e,s)}return Ce.isExist(e)?e:""}var Me={};function Ve(e,t,s){let n;const a={};for(let i=0;i0&&(a[t.textNodeName]=n):void 0!==n&&(a[t.textNodeName]=n),a}function $e(e){const t=Object.keys(e);for(let e=0;e"},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:"₹"},num_dec:{regex:/&#([0-9]{1,7});/g,val:(e,t)=>String.fromCharCode(Number.parseInt(t,10))},num_hex:{regex:/&#x([0-9a-fA-F]{1,6});/g,val:(e,t)=>String.fromCharCode(Number.parseInt(t,16))}},this.addExternalEntities=_e,this.parseXml=Pe,this.parseTextData=Ee,this.resolveNameSpace=Se,this.buildAttributesMap=Fe,this.isItStopNode=je,this.replaceEntitiesValue=Ne,this.readStopNodeData=Re,this.saveTextToParentTag=Ie,this.addChild=Ue}},{prettify:Ge}=Me,Ke=q;function Je(e,t,s,n){let a="",i=!1;for(let r=0;r`,i=!1;continue}if(l===t.commentPropName){a+=n+`\x3c!--${o[l][0][t.textNodeName]}--\x3e`,i=!0;continue}if("?"===l[0]){const e=Xe(o[":@"],t),s="?xml"===l?"":n;let r=o[l][0][t.textNodeName];r=0!==r.length?" "+r:"",a+=s+`<${l}${r}${e}?>`,i=!0;continue}let m=n;""!==m&&(m+=t.indentBy);const c=n+`<${l}${Xe(o[":@"],t)}`,u=Je(o[l],t,d,m);-1!==t.unpairedTags.indexOf(l)?t.suppressUnpairedNode?a+=c+">":a+=c+"/>":u&&0!==u.length||!t.suppressEmptyNode?u&&u.endsWith(">")?a+=c+`>${u}${n}`:(a+=c+">",u&&""!==n&&(u.includes("/>")||u.includes("`):a+=c+"/>",i=!0}return a}function Ze(e){const t=Object.keys(e);for(let s=0;s0&&t.processEntities)for(let s=0;s0&&(s="\n"),Je(e,t,"",s)},st={attributeNamePrefix:"@_",attributesGroupName:!1,textNodeName:"#text",ignoreAttributes:!0,cdataPropName:!1,format:!1,indentBy:" ",suppressEmptyNode:!1,suppressUnpairedNode:!0,suppressBooleanAttributes:!0,tagValueProcessor:function(e,t){return t},attributeValueProcessor:function(e,t){return t},preserveOrder:!1,commentPropName:!1,unpairedTags:[],entities:[{regex:new RegExp("&","g"),val:"&"},{regex:new RegExp(">","g"),val:">"},{regex:new RegExp("<","g"),val:"<"},{regex:new RegExp("'","g"),val:"'"},{regex:new RegExp('"',"g"),val:"""}],processEntities:!0,stopNodes:[],oneListGroup:!1};function nt(e){this.options=Object.assign({},st,e),this.options.ignoreAttributes||this.options.attributesGroupName?this.isAttribute=function(){return!1}:(this.attrPrefixLen=this.options.attributeNamePrefix.length,this.isAttribute=rt),this.processTextOrObjNode=at,this.options.format?(this.indentate=it,this.tagEndChar=">\n",this.newLine="\n"):(this.indentate=function(){return""},this.tagEndChar=">",this.newLine="")}function at(e,t,s){const n=this.j2x(e,s+1);return void 0!==e[this.options.textNodeName]&&1===Object.keys(e).length?this.buildTextValNode(e[this.options.textNodeName],t,n.attrStr,s):this.buildObjectNode(n.val,t,n.attrStr,s)}function it(e){return this.options.indentBy.repeat(e)}function rt(e){return!(!e.startsWith(this.options.attributeNamePrefix)||e===this.options.textNodeName)&&e.substr(this.attrPrefixLen)}nt.prototype.build=function(e){return this.options.preserveOrder?tt(e,this.options):(Array.isArray(e)&&this.options.arrayNodeName&&this.options.arrayNodeName.length>1&&(e={[this.options.arrayNodeName]:e}),this.j2x(e,0).val)},nt.prototype.j2x=function(e,t){let s="",n="";for(let a in e)if(Object.prototype.hasOwnProperty.call(e,a))if(void 0===e[a])this.isAttribute(a)&&(n+="");else if(null===e[a])this.isAttribute(a)?n+="":"?"===a[0]?n+=this.indentate(t)+"<"+a+"?"+this.tagEndChar:n+=this.indentate(t)+"<"+a+"/"+this.tagEndChar;else if(e[a]instanceof Date)n+=this.buildTextValNode(e[a],a,"",t);else if("object"!=typeof e[a]){const i=this.isAttribute(a);if(i)s+=this.buildAttrPairStr(i,""+e[a]);else if(a===this.options.textNodeName){let t=this.options.tagValueProcessor(a,""+e[a]);n+=this.replaceEntitiesValue(t)}else n+=this.buildTextValNode(e[a],a,"",t)}else if(Array.isArray(e[a])){const s=e[a].length;let i="";for(let r=0;r"+e+a}},nt.prototype.closeTag=function(e){let t="";return-1!==this.options.unpairedTags.indexOf(e)?this.options.suppressUnpairedNode||(t="/"):t=this.options.suppressEmptyNode?"/":`>`+this.newLine;if(!1!==this.options.commentPropName&&t===this.options.commentPropName)return this.indentate(n)+`\x3c!--${e}--\x3e`+this.newLine;if("?"===t[0])return this.indentate(n)+"<"+t+s+"?"+this.tagEndChar;{let a=this.options.tagValueProcessor(t,e);return a=this.replaceEntitiesValue(a),""===a?this.indentate(n)+"<"+t+s+this.closeTag(t)+this.tagEndChar:this.indentate(n)+"<"+t+s+">"+a+"0&&this.options.processEntities)for(let t=0;t0&&(!e.caption||"string"!=typeof e.caption))throw new Error("View caption is required for top-level views and must be a string");if(!e.getContents||"function"!=typeof e.getContents)throw new Error("View getContents is required and must be a function");if(!e.icon||"string"!=typeof e.icon||!function(e){if("string"!=typeof e)throw new TypeError(`Expected a \`string\`, got \`${typeof e}\``);if(0===(e=e.trim()).length)return!1;if(!0!==ot.XMLValidator.validate(e))return!1;let t;const s=new ot.XMLParser;try{t=s.parse(e)}catch{return!1}return!!t&&!!Object.keys(t).some((e=>"svg"===e.toLowerCase()))}(e.icon))throw new Error("View icon is required and must be a valid svg string");if(!("order"in e)||"number"!=typeof e.order)throw new Error("View order is required and must be a number");if(e.columns&&e.columns.forEach((e=>{if(!(e instanceof Y))throw new Error("View columns must be an array of Column. Invalid column found")})),e.emptyView&&"function"!=typeof e.emptyView)throw new Error("View emptyView must be a function");if(e.parent&&"string"!=typeof e.parent)throw new Error("View parent must be a string");if("sticky"in e&&"boolean"!=typeof e.sticky)throw new Error("View sticky must be a boolean");if("expanded"in e&&"boolean"!=typeof e.expanded)throw new Error("View expanded must be a boolean");if(e.defaultSortKey&&"string"!=typeof e.defaultSortKey)throw new Error("View defaultSortKey must be a string");return!0},mt=function(e){return f().registerEntry(e)},ct=function(e){return f().unregisterEntry(e)},ut=function(e){return f().getEntries(e).sort(((e,t)=>void 0!==e.order&&void 0!==t.order&&e.order!==t.order?e.order-t.order:e.displayName.localeCompare(t.displayName,void 0,{numeric:!0,sensitivity:"base"})))}},41261:(e,t,s)=>{"use strict";s.d(t,{a:()=>ae,h:()=>me,l:()=>G,n:()=>X,o:()=>de,t:()=>ie});var n=s(85072),a=s.n(n),i=s(97825),r=s.n(i),o=s(77659),l=s.n(o),d=s(55056),m=s.n(d),c=s(10540),u=s.n(c),g=s(41113),f=s.n(g),p=s(30521),h={};h.styleTagTransform=f(),h.setAttributes=m(),h.insert=l().bind(null,"head"),h.domAPI=r(),h.insertStyleElement=u(),a()(p.A,h),p.A&&p.A.locals&&p.A.locals;var w=s(53110),x=s(71089),v=s(35810),T=s(88164),A=s(21777),y=s(26287);class C extends Error{constructor(e){super(e||"Promise was canceled"),this.name="CancelError"}get isCanceled(){return!0}}const b=Object.freeze({pending:Symbol("pending"),canceled:Symbol("canceled"),resolved:Symbol("resolved"),rejected:Symbol("rejected")});class k{static fn(e){return(...t)=>new k(((s,n,a)=>{t.push(a),e(...t).then(s,n)}))}#e=[];#t=!0;#s=b.pending;#n;#a;constructor(e){this.#n=new Promise(((t,s)=>{this.#a=s;const n=e=>{if(this.#s!==b.pending)throw new Error(`The \`onCancel\` handler was attached after the promise ${this.#s.description}.`);this.#e.push(e)};Object.defineProperties(n,{shouldReject:{get:()=>this.#t,set:e=>{this.#t=e}}}),e((e=>{this.#s===b.canceled&&n.shouldReject||(t(e),this.#i(b.resolved))}),(e=>{this.#s===b.canceled&&n.shouldReject||(s(e),this.#i(b.rejected))}),n)}))}then(e,t){return this.#n.then(e,t)}catch(e){return this.#n.catch(e)}finally(e){return this.#n.finally(e)}cancel(e){if(this.#s===b.pending){if(this.#i(b.canceled),this.#e.length>0)try{for(const e of this.#e)e()}catch(e){return void this.#a(e)}this.#t&&this.#a(new C(e))}}get isCanceled(){return this.#s===b.canceled}#i(e){this.#s===b.pending&&(this.#s=e)}}Object.setPrototypeOf(k.prototype,Promise.prototype);var L=s(9052);class _ extends Error{constructor(e){super(e),this.name="TimeoutError"}}class E extends Error{constructor(e){super(),this.name="AbortError",this.message=e}}const S=e=>void 0===globalThis.DOMException?new E(e):new DOMException(e),B=e=>{const t=void 0===e.reason?S("This operation was aborted."):e.reason;return t instanceof Error?t:S(t)};class F{#r=[];enqueue(e,t){const s={priority:(t={priority:0,...t}).priority,run:e};if(this.size&&this.#r[this.size-1].priority>=t.priority)return void this.#r.push(s);const n=function(e,t,s){let n=0,a=e.length;for(;a>0;){const s=Math.trunc(a/2);let r=n+s;i=e[r],t.priority-i.priority<=0?(n=++r,a-=s+1):a=s}var i;return n}(this.#r,s);this.#r.splice(n,0,s)}dequeue(){const e=this.#r.shift();return e?.run}filter(e){return this.#r.filter((t=>t.priority===e.priority)).map((e=>e.run))}get size(){return this.#r.length}}class P extends L{#o;#l;#d=0;#m;#c;#u=0;#g;#f;#r;#p;#h=0;#w;#x;#v;timeout;constructor(e){if(super(),!("number"==typeof(e={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:F,...e}).intervalCap&&e.intervalCap>=1))throw new TypeError(`Expected \`intervalCap\` to be a number from 1 and up, got \`${e.intervalCap?.toString()??""}\` (${typeof e.intervalCap})`);if(void 0===e.interval||!(Number.isFinite(e.interval)&&e.interval>=0))throw new TypeError(`Expected \`interval\` to be a finite number >= 0, got \`${e.interval?.toString()??""}\` (${typeof e.interval})`);this.#o=e.carryoverConcurrencyCount,this.#l=e.intervalCap===Number.POSITIVE_INFINITY||0===e.interval,this.#m=e.intervalCap,this.#c=e.interval,this.#r=new e.queueClass,this.#p=e.queueClass,this.concurrency=e.concurrency,this.timeout=e.timeout,this.#v=!0===e.throwOnTimeout,this.#x=!1===e.autoStart}get#T(){return this.#l||this.#d{this.#b()}),t)),!0;this.#d=this.#o?this.#h:0}return!1}#C(){if(0===this.#r.size)return this.#g&&clearInterval(this.#g),this.#g=void 0,this.emit("empty"),0===this.#h&&this.emit("idle"),!1;if(!this.#x){const e=!this.#_;if(this.#T&&this.#A){const t=this.#r.dequeue();return!!t&&(this.emit("active"),t(),e&&this.#L(),!0)}}return!1}#L(){this.#l||void 0!==this.#g||(this.#g=setInterval((()=>{this.#k()}),this.#c),this.#u=Date.now()+this.#c)}#k(){0===this.#d&&0===this.#h&&this.#g&&(clearInterval(this.#g),this.#g=void 0),this.#d=this.#o?this.#h:0,this.#E()}#E(){for(;this.#C(););}get concurrency(){return this.#w}set concurrency(e){if(!("number"==typeof e&&e>=1))throw new TypeError(`Expected \`concurrency\` to be a number from 1 and up, got \`${e}\` (${typeof e})`);this.#w=e,this.#E()}async#S(e){return new Promise(((t,s)=>{e.addEventListener("abort",(()=>{s(e.reason)}),{once:!0})}))}async add(e,t={}){return t={timeout:this.timeout,throwOnTimeout:this.#v,...t},new Promise(((s,n)=>{this.#r.enqueue((async()=>{this.#h++,this.#d++;try{t.signal?.throwIfAborted();let n=e({signal:t.signal});t.timeout&&(n=function(e,t){const{milliseconds:s,fallback:n,message:a,customTimers:i={setTimeout,clearTimeout}}=t;let r;const o=new Promise(((o,l)=>{if("number"!=typeof s||1!==Math.sign(s))throw new TypeError(`Expected \`milliseconds\` to be a positive number, got \`${s}\``);if(t.signal){const{signal:e}=t;e.aborted&&l(B(e)),e.addEventListener("abort",(()=>{l(B(e))}))}if(s===Number.POSITIVE_INFINITY)return void e.then(o,l);const d=new _;r=i.setTimeout.call(void 0,(()=>{if(n)try{o(n())}catch(e){l(e)}else"function"==typeof e.cancel&&e.cancel(),!1===a?o():a instanceof Error?l(a):(d.message=a??`Promise timed out after ${s} milliseconds`,l(d))}),s),(async()=>{try{o(await e)}catch(e){l(e)}})()})).finally((()=>{o.clear()}));return o.clear=()=>{i.clearTimeout.call(void 0,r),r=void 0},o}(Promise.resolve(n),{milliseconds:t.timeout})),t.signal&&(n=Promise.race([n,this.#S(t.signal)]));const a=await n;s(a),this.emit("completed",a)}catch(e){if(e instanceof _&&!t.throwOnTimeout)return void s();n(e),this.emit("error",e)}finally{this.#y()}}),t),this.emit("add"),this.#C()}))}async addAll(e,t){return Promise.all(e.map((async e=>this.add(e,t))))}start(){return this.#x?(this.#x=!1,this.#E(),this):this}pause(){this.#x=!0}clear(){this.#r=new this.#p}async onEmpty(){0!==this.#r.size&&await this.#B("empty")}async onSizeLessThan(e){this.#r.sizethis.#r.size{const n=()=>{t&&!t()||(this.off(e,n),s())};this.on(e,n)}))}get size(){return this.#r.size}sizeBy(e){return this.#r.filter(e).length}get pending(){return this.#h}get isPaused(){return this.#x}}var U=s(53529),N=s(85168),I=s(75270),j=s(85471),O=s(63420),z=s(24764),R=s(9518),D=s(6695),M=s(95101),V=s(11195);const $=async function(e,t,s,n=(()=>{}),a=void 0,i={}){let r;return r=t instanceof Blob?t:await t(),a&&(i.Destination=a),i["Content-Type"]||(i["Content-Type"]="application/octet-stream"),await y.A.request({method:"PUT",url:e,data:r,signal:s,onUploadProgress:n,headers:i})},H=function(e,t,s){return 0===t&&e.size<=s?Promise.resolve(new Blob([e],{type:e.type||"application/octet-stream"})):Promise.resolve(new Blob([e.slice(t,t+s)],{type:"application/octet-stream"}))},Y=function(e=void 0){const t=window.OC?.appConfig?.files?.max_chunk_size;if(t<=0)return 0;if(!Number(t))return 10485760;const s=Math.max(Number(t),5242880);return void 0===e?s:Math.max(s,Math.ceil(e/1e4))};var W=(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))(W||{});let q=class{_source;_file;_isChunked;_chunks;_size;_uploaded=0;_startTime=0;_status=0;_controller;_response=null;constructor(e,t=!1,s,n){const a=Math.min(Y()>0?Math.ceil(s/Y()):1,1e4);this._source=e,this._isChunked=t&&Y()>0&&a>1,this._chunks=this._isChunked?a:1,this._size=s,this._file=n,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(e){this._response=e}get response(){return this._response}get uploaded(){return this._uploaded}set uploaded(e){if(e>=this._size)return this._status=this._isChunked?2:3,void(this._uploaded=this._size);this._status=1,this._uploaded=e,0===this._startTime&&(this._startTime=(new Date).getTime())}get status(){return this._status}set status(e){this._status=e}get signal(){return this._controller.signal}cancel(){this._controller.abort(),this._status=4}};const G=null===(K=(0,A.HW)())?(0,U.YK)().setApp("uploader").build():(0,U.YK)().setApp("uploader").setUid(K.uid).build();var K,J=(e=>(e[e.IDLE=0]="IDLE",e[e.UPLOADING=1]="UPLOADING",e[e.PAUSED=2]="PAUSED",e))(J||{});class Z{_destinationFolder;_isPublic;_uploadQueue=[];_jobQueue=new P({concurrency:3});_queueSize=0;_queueProgress=0;_queueStatus=0;_notifiers=[];constructor(e=!1,t){if(this._isPublic=e,!t){const e=(0,A.HW)()?.uid,s=(0,T.dC)(`dav/files/${e}`);if(!e)throw new Error("User is not logged in");t=new v.vd({id:0,owner:e,permissions:v.aX.ALL,root:`/files/${e}`,source:s})}this.destination=t,G.debug("Upload workspace initialized",{destination:this.destination,root:this.root,isPublic:e,maxChunksSize:Y()})}get destination(){return this._destinationFolder}set destination(e){if(!e)throw new Error("Invalid destination folder");G.debug("Destination set",{folder:e}),this._destinationFolder=e}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 e=this._uploadQueue.map((e=>e.size)).reduce(((e,t)=>e+t),0),t=this._uploadQueue.map((e=>e.uploaded)).reduce(((e,t)=>e+t),0);this._queueSize=e,this._queueProgress=t,2!==this._queueStatus&&(this._queueStatus=this._jobQueue.size>0?1:0)}addNotifier(e){this._notifiers.push(e)}upload(e,t,s){const n=`${s||this.root}/${e.replace(/^\//,"")}`,{origin:a}=new URL(n),i=a+(0,x.O0)(n.slice(a.length));G.debug(`Uploading ${t.name} to ${i}`);const r=Y(t.size),o=0===r||t.size{if(n(l.cancel),o){G.debug("Initializing regular upload",{file:t,upload:l});const n=await H(t,0,l.size),a=async()=>{try{l.response=await $(i,n,l.signal,(e=>{l.uploaded=l.uploaded+e.bytes,this.updateStats()}),void 0,{"X-OC-Mtime":t.lastModified/1e3,"Content-Type":t.type}),l.uploaded=l.size,this.updateStats(),G.debug(`Successfully uploaded ${t.name}`,{file:t,upload:l}),e(l)}catch(e){if(e instanceof w.k3)return l.status=W.FAILED,void s("Upload has been cancelled");e?.response&&(l.response=e.response),l.status=W.FAILED,G.error(`Failed uploading ${t.name}`,{error:e,file:t,upload:l}),s("Failed uploading the file")}this._notifiers.forEach((e=>{try{e(l)}catch{}}))};this._jobQueue.add(a),this.updateStats()}else{G.debug("Initializing chunked upload",{file:t,upload:l});const n=await async function(e){const t=`${(0,T.dC)(`dav/uploads/${(0,A.HW)()?.uid}`)}/web-file-upload-${[...Array(16)].map((()=>Math.floor(16*Math.random()).toString(16))).join("")}`,s=e?{Destination:e}:void 0;return await y.A.request({method:"MKCOL",url:t,headers:s}),t}(i),a=[];for(let e=0;eH(t,s,r),m=()=>$(`${n}/${e+1}`,d,l.signal,(()=>this.updateStats()),i,{"X-OC-Mtime":t.lastModified/1e3,"OC-Total-Length":t.size,"Content-Type":"application/octet-stream"}).then((()=>{l.uploaded=l.uploaded+r})).catch((t=>{throw 507===t?.response?.status?(G.error("Upload failed, not enough space on the server or quota exceeded. Cancelling the remaining chunks",{error:t,upload:l}),l.cancel(),l.status=W.FAILED,t):(t instanceof w.k3||(G.error(`Chunk ${e+1} ${s} - ${o} uploading failed`,{error:t,upload:l}),l.cancel(),l.status=W.FAILED),t)}));a.push(this._jobQueue.add(m))}try{await Promise.all(a),this.updateStats(),l.response=await y.A.request({method:"MOVE",url:`${n}/.file`,headers:{"X-OC-Mtime":t.lastModified/1e3,"OC-Total-Length":t.size,Destination:i}}),this.updateStats(),l.status=W.FINISHED,G.debug(`Successfully uploaded ${t.name}`,{file:t,upload:l}),e(l)}catch(e){e instanceof w.k3?(l.status=W.FAILED,s("Upload has been cancelled")):(l.status=W.FAILED,s("Failed assembling the chunks together")),y.A.request({method:"DELETE",url:`${n}`})}this._notifiers.forEach((e=>{try{e(l)}catch{}}))}return this._jobQueue.onIdle().then((()=>this.reset())),l}))}}function X(e,t,s,n,a,i,r,o){var l,d="function"==typeof e?e.options:e;if(t&&(d.render=t,d.staticRenderFns=s,d._compiled=!0),n&&(d.functional=!0),i&&(d._scopeId="data-v-"+i),r?(l=function(e){!(e=e||this.$vnode&&this.$vnode.ssrContext||this.parent&&this.parent.$vnode&&this.parent.$vnode.ssrContext)&&typeof __VUE_SSR_CONTEXT__<"u"&&(e=__VUE_SSR_CONTEXT__),a&&a.call(this,e),e&&e._registeredComponents&&e._registeredComponents.add(r)},d._ssrRegister=l):a&&(l=o?function(){a.call(this,(d.functional?this.parent:this).$root.$options.shadowRoot)}:a),l)if(d.functional){d._injectStyles=l;var m=d.render;d.render=function(e,t){return l.call(t),m(e,t)}}else{var c=d.beforeCreate;d.beforeCreate=c?[].concat(c,l):[l]}return{exports:e,options:d}}const Q=X({name:"CancelIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var e=this,t=e._self._c;return t("span",e._b({staticClass:"material-design-icon cancel-icon",attrs:{"aria-hidden":!e.title||null,"aria-label":e.title,role:"img"},on:{click:function(t){return e.$emit("click",t)}}},"span",e.$attrs,!1),[t("svg",{staticClass:"material-design-icon__svg",attrs:{fill:e.fillColor,width:e.size,height:e.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"}},[e.title?t("title",[e._v(e._s(e.title))]):e._e()])])])}),[],!1,null,null,null,null).exports,ee=X({name:"PlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var e=this,t=e._self._c;return t("span",e._b({staticClass:"material-design-icon plus-icon",attrs:{"aria-hidden":!e.title||null,"aria-label":e.title,role:"img"},on:{click:function(t){return e.$emit("click",t)}}},"span",e.$attrs,!1),[t("svg",{staticClass:"material-design-icon__svg",attrs:{fill:e.fillColor,width:e.size,height:e.size,viewBox:"0 0 24 24"}},[t("path",{attrs:{d:"M19,13H13V19H11V13H5V11H11V5H13V11H19V13Z"}},[e.title?t("title",[e._v(e._s(e.title))]):e._e()])])])}),[],!1,null,null,null,null).exports,te=X({name:"UploadIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},(function(){var e=this,t=e._self._c;return t("span",e._b({staticClass:"material-design-icon upload-icon",attrs:{"aria-hidden":!e.title||null,"aria-label":e.title,role:"img"},on:{click:function(t){return e.$emit("click",t)}}},"span",e.$attrs,!1),[t("svg",{staticClass:"material-design-icon__svg",attrs:{fill:e.fillColor,width:e.size,height:e.size,viewBox:"0 0 24 24"}},[t("path",{attrs:{d:"M9,16V10H5L12,3L19,10H15V16H9M5,20V18H19V20H5Z"}},[e.title?t("title",[e._v(e._s(e.title))]):e._e()])])])}),[],!1,null,null,null,null).exports,se=(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 , 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 , 2024\n"},msgstr:["Last-Translator: Ali , 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 , 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 , 2023\n"},msgstr:["Last-Translator: enolp , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rashad Aliyev , 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 , 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 , 2022\nToni Hermoso Pulido , 2022\n"},msgstr:["Last-Translator: Toni Hermoso Pulido , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Pavel Borecki , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Michal Šmahel , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Martin Bonde , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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æ , 2023\nAndi Chandler , 2023\n"},msgstr:["Last-Translator: Andi Chandler , 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æ , 2023\nFranciscoFJ , 2023\nNext Cloud , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Unai Tolosa Pontesta , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Jiri Grönroos , 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 , 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æ , 2023\nNacho , 2023\nMiguel Anxo Bouzada , 2023\n"},msgstr:["Last-Translator: Miguel Anxo Bouzada , 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ó , 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 , 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æ , 2023\nEmpty Slot Filler, 2023\nLinerly , 2023\n"},msgstr:["Last-Translator: Linerly , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Sveinn í Felli , 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æ , 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æ , 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":"Сашко Тодоров , 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Сашко Тодоров , 2022\n"},msgstr:["Last-Translator: Сашко Тодоров , 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æ , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rico , 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æ , 2023\nM H , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Leonardo Colman Lopes , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Manuela Silva , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Mădălin Vasiliu , 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æ , 2023\nMax Smith , 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æ , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Phongpanot Phairat , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Kaya Zeren , 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 , 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 , 2024\n"},msgstr:["Last-Translator: O St , 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æ , 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æ , 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æ , 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":"黃柏諺 , 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黃柏諺 , 2024\n"},msgstr:["Last-Translator: 黃柏諺 , 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=>se.addTranslation(e.locale,e.json)));const ne=se.build(),ae=ne.ngettext.bind(ne),ie=ne.gettext.bind(ne),re=j.Ay.extend({name:"UploadPicker",components:{Cancel:Q,NcActionButton:O.A,NcActions:z.A,NcButton:R.A,NcIconSvgWrapper:D.A,NcProgressBar:M.A,Plus:ee,Upload:te},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:v.vd,default:void 0},content:{type:Array,default:()=>[]},forbiddenCharacters:{type:Array,default:()=>[]}},data:()=>({addLabel:ie("New"),cancelLabel:ie("Cancel uploads"),uploadLabel:ie("Upload files"),progressLabel:ie("Upload progress"),progressTimeId:`nc-uploader-progress-${Math.random().toString(36).slice(7)}`,eta:null,timeLeft:"",newFileMenuEntries:[],uploadManager:le()}),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((e=>e.status===W.FAILED)).length},isUploading(){return this.queue?.length>0},isAssembling(){return 0!==this.queue?.filter((e=>e.status===W.ASSEMBLING)).length},isPaused(){return this.uploadManager.info?.status===J.PAUSED},buttonName(){if(!this.isUploading)return this.addLabel}},watch:{destination(e){this.setDestination(e)},totalQueueSize(e){this.eta=I({min:0,max:e}),this.updateStatus()},uploadedQueueSize(e){this.eta?.report?.(e),this.updateStatus()},isPaused(e){e?this.$emit("paused",this.queue):this.$emit("resumed",this.queue)}},beforeMount(){this.destination&&this.setDestination(this.destination),this.uploadManager.addNotifier(this.onUploadCompletion),G.debug("UploadPicker initialised")},methods:{onClick(){this.$refs.input.click()},async onPick(){let e=[...this.$refs.input.files];if(me(e,this.content)){const t=e.filter((e=>this.content.find((t=>t.basename===e.name)))).filter(Boolean),s=e.filter((e=>!t.includes(e)));try{const{selected:n,renamed:a}=await de(this.destination.basename,t,this.content);e=[...s,...n,...a]}catch{return void(0,N.Qg)(ie("Upload cancelled"))}}e.forEach((e=>{const t=(this.forbiddenCharacters||[]).find((t=>e.name.includes(t)));t?(0,N.Qg)(ie(`"${t}" is not allowed inside a file name.`)):this.uploadManager.upload(e.name,e).catch((()=>{}))})),this.$refs.form.reset()},onCancel(){this.uploadManager.queue.forEach((e=>{e.cancel()})),this.$refs.form.reset()},updateStatus(){if(this.isPaused)return void(this.timeLeft=ie("paused"));const e=Math.round(this.eta.estimate());if(e!==1/0)if(e<10)this.timeLeft=ie("a few seconds left");else if(e>60){const t=new Date(0);t.setSeconds(e);const s=t.toISOString().slice(11,19);this.timeLeft=ie("{time} left",{time:s})}else this.timeLeft=ie("{seconds} seconds left",{seconds:e});else this.timeLeft=ie("estimating time left")},setDestination(e){this.destination?(this.uploadManager.destination=e,this.newFileMenuEntries=(0,v.m1)(e)):G.debug("Invalid destination")},onUploadCompletion(e){e.status===W.FAILED?this.$emit("failed",e):this.$emit("uploaded",e)}}});X(re,(function(){var e=this,t=e._self._c;return e._self._setupProxy,e.destination?t("form",{ref:"form",staticClass:"upload-picker",class:{"upload-picker--uploading":e.isUploading,"upload-picker--paused":e.isPaused},attrs:{"data-cy-upload-picker":""}},[e.newFileMenuEntries&&0===e.newFileMenuEntries.length?t("NcButton",{attrs:{disabled:e.disabled,"data-cy-upload-picker-add":"",type:"secondary"},on:{click:e.onClick},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[e._v(" "+e._s(e.buttonName)+" ")]):t("NcActions",{attrs:{"menu-name":e.buttonName,"menu-title":e.addLabel,type:"secondary"},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Plus",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,2954875042)},[t("NcActionButton",{attrs:{"data-cy-upload-picker-add":"","close-after-click":!0},on:{click:e.onClick},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Upload",{attrs:{title:"",size:20,decorative:""}})]},proxy:!0}],null,!1,3606034491)},[e._v(" "+e._s(e.uploadLabel)+" ")]),e._l(e.newFileMenuEntries,(function(s){return t("NcActionButton",{key:s.id,staticClass:"upload-picker__menu-entry",attrs:{icon:s.iconClass,"close-after-click":!0},on:{click:function(t){return s.handler(e.destination,e.content)}},scopedSlots:e._u([s.iconSvgInline?{key:"icon",fn:function(){return[t("NcIconSvgWrapper",{attrs:{svg:s.iconSvgInline}})]},proxy:!0}:null],null,!0)},[e._v(" "+e._s(s.displayName)+" ")])}))],2),t("div",{directives:[{name:"show",rawName:"v-show",value:e.isUploading,expression:"isUploading"}],staticClass:"upload-picker__progress"},[t("NcProgressBar",{attrs:{"aria-label":e.progressLabel,"aria-describedby":e.progressTimeId,error:e.hasFailure,value:e.progress,size:"medium"}}),t("p",{attrs:{id:e.progressTimeId}},[e._v(" "+e._s(e.timeLeft)+" ")])],1),e.isUploading?t("NcButton",{staticClass:"upload-picker__cancel",attrs:{type:"tertiary","aria-label":e.cancelLabel,"data-cy-upload-picker-cancel":""},on:{click:e.onCancel},scopedSlots:e._u([{key:"icon",fn:function(){return[t("Cancel",{attrs:{title:"",size:20}})]},proxy:!0}],null,!1,4076886712)}):e._e(),t("input",{directives:[{name:"show",rawName:"v-show",value:!1,expression:"false"}],ref:"input",attrs:{type:"file",accept:e.accept?.join?.(", "),multiple:e.multiple,"data-cy-upload-picker-input":""},on:{change:e.onPick}})],1):e._e()}),[],!1,null,"eca9500a",null,null).exports;let oe=null;function le(){const e=null!==document.querySelector('input[name="isPublic"][value="1"]');return oe instanceof Z||(oe=new Z(e)),oe}async function de(e,t,n){const a=(0,j.$V)((()=>Promise.all([s.e(4208),s.e(6075)]).then(s.bind(s,56075))));return new Promise(((s,i)=>{const r=new j.Ay({name:"ConflictPickerRoot",render:o=>o(a,{props:{dirname:e,conflicts:t,content:n},on:{submit(e){s(e),r.$destroy(),r.$el?.parentNode?.removeChild(r.$el)},cancel(e){i(e??new Error("Canceled")),r.$destroy(),r.$el?.parentNode?.removeChild(r.$el)}}})});r.$mount(),document.body.appendChild(r.$el)}))}function me(e,t){const s=t.map((e=>e.basename));return e.filter((e=>{const t=e instanceof File?e.name:e.basename;return-1!==s.indexOf(t)})).length>0}},88164:(e,t,s)=>{"use strict";s.d(t,{Jv:()=>i,dC:()=>n});const n=(e,t)=>{var s;return(null!=(s=null==t?void 0:t.baseURL)?s:r())+(e=>"/remote.php/"+e)(e)},a=(e,t,s)=>{const n=Object.assign({escape:!0},s||{});return"/"!==e.charAt(0)&&(e="/"+e),a=(a=t||{})||{},e.replace(/{([^{}]*)}/g,(function(e,t){const s=a[t];return n.escape?encodeURIComponent("string"==typeof s||"number"==typeof s?s.toString():e):"string"==typeof s||"number"==typeof s?s.toString():e}));var a},i=(e,t,s)=>{var n,i,r;const l=Object.assign({noRewrite:!1},s||{}),d=null!=(n=null==s?void 0:s.baseURL)?n:o();return!0!==(null==(r=null==(i=null==window?void 0:window.OC)?void 0:i.config)?void 0:r.modRewriteWorking)||l.noRewrite?d+"/index.php"+a(e,t,s):d+a(e,t,s)},r=()=>window.location.protocol+"//"+window.location.host+o();function o(){let e=window._oc_webroot;if(typeof e>"u"){e=location.pathname;const t=e.indexOf("/index.php/");if(-1!==t)e=e.slice(0,t);else{const t=e.indexOf("/",1);e=e.slice(0,t>0?t:void 0)}}return e}},53110:(e,t,s)=>{"use strict";s.d(t,{k3:()=>r,pe:()=>i});var n=s(28893);const{Axios:a,AxiosError:i,CanceledError:r,isCancel:o,CancelToken:l,VERSION:d,all:m,Cancel:c,isAxiosError:u,spread:g,toFormData:f,AxiosHeaders:p,HttpStatusCode:h,formToJSON:w,getAdapter:x,mergeConfig:v}=n.A}},a={};function i(e){var t=a[e];if(void 0!==t)return t.exports;var s=a[e]={id:e,loaded:!1,exports:{}};return n[e].call(s.exports,s,s.exports,i),s.loaded=!0,s.exports}i.m=n,e=[],i.O=(t,s,n,a)=>{if(!s){var r=1/0;for(m=0;m=a)&&Object.keys(i.O).every((e=>i.O[e](s[l])))?s.splice(l--,1):(o=!1,a0&&e[m-1][2]>a;m--)e[m]=e[m-1];e[m]=[s,n,a]},i.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return i.d(t,{a:t}),t},i.d=(e,t)=>{for(var s in t)i.o(t,s)&&!i.o(e,s)&&Object.defineProperty(e,s,{enumerable:!0,get:t[s]})},i.f={},i.e=e=>Promise.all(Object.keys(i.f).reduce(((t,s)=>(i.f[s](e,t),t)),[])),i.u=e=>e+"-"+e+".js?v="+{1110:"2909496e7e35d6258214",5929:"2e5e3b59f8a28f14168b",6075:"f8e1d39004c19c13e598",8902:"bb2f9be8a039f8db7e58"}[e],i.g=function(){if("object"==typeof globalThis)return globalThis;try{return this||new Function("return this")()}catch(e){if("object"==typeof window)return window}}(),i.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),t={},s="nextcloud:",i.l=(e,n,a,r)=>{if(t[e])t[e].push(n);else{var o,l;if(void 0!==a)for(var d=document.getElementsByTagName("script"),m=0;m{o.onerror=o.onload=null,clearTimeout(g);var a=t[e];if(delete t[e],o.parentNode&&o.parentNode.removeChild(o),a&&a.forEach((e=>e(n))),s)return s(n)},g=setTimeout(u.bind(null,void 0,{type:"timeout",target:o}),12e4);o.onerror=u.bind(null,o.onerror),o.onload=u.bind(null,o.onload),l&&document.head.appendChild(o)}},i.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},i.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),i.j=1171,(()=>{var e;i.g.importScripts&&(e=i.g.location+"");var t=i.g.document;if(!e&&t&&(t.currentScript&&(e=t.currentScript.src),!e)){var s=t.getElementsByTagName("script");if(s.length)for(var n=s.length-1;n>-1&&(!e||!/^http(s?):/.test(e));)e=s[n--].src}if(!e)throw new Error("Automatic publicPath is not supported in this browser");e=e.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/"),i.p=e})(),(()=>{i.b=document.baseURI||self.location.href;var e={1171:0};i.f.j=(t,s)=>{var n=i.o(e,t)?e[t]:void 0;if(0!==n)if(n)s.push(n[2]);else{var a=new Promise(((s,a)=>n=e[t]=[s,a]));s.push(n[2]=a);var r=i.p+i.u(t),o=new Error;i.l(r,(s=>{if(i.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var a=s&&("load"===s.type?"missing":s.type),r=s&&s.target&&s.target.src;o.message="Loading chunk "+t+" failed.\n("+a+": "+r+")",o.name="ChunkLoadError",o.type=a,o.request=r,n[1](o)}}),"chunk-"+t,t)}},i.O.j=t=>0===e[t];var t=(t,s)=>{var n,a,r=s[0],o=s[1],l=s[2],d=0;if(r.some((t=>0!==e[t]))){for(n in o)i.o(o,n)&&(i.m[n]=o[n]);if(l)var m=l(i)}for(t&&t(s);di(40586)));r=i.O(r)})(); +//# sourceMappingURL=files-init.js.map?v=25ffec0e3c9ce263d19a \ No newline at end of file diff --git a/dist/files-init.js.map b/dist/files-init.js.map index cade1bb53b93c..488447c7c6045 100644 --- a/dist/files-init.js.map +++ b/dist/files-init.js.map @@ -1 +1 @@ -{"version":3,"file":"files-init.js?v=611b5b4863952fbedb2f","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,iDCvTnB,SAAesC,WAAAA,MACbC,OAAO,SACPC,aACAC,4GCIF,MAAMC,EAAkBC,GACbA,EAAMC,OAAMC,IAA6C,IAArCA,EAAKC,WAAW,kBACF,WAAlCD,EAAKC,WAAW,gBAErBC,EAAqBJ,GAChBA,EAAMC,OAAMC,IAA6C,IAArCA,EAAKC,WAAW,kBACF,aAAlCD,EAAKC,WAAW,gBAgBrBE,EAAQ,IAAIC,EAAAA,EAAO,CAAEC,YAAa,IAC3BC,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,SACJC,YAAWA,CAACX,EAAOY,IAIC,aAAZA,EAAKF,IACEG,EAAAA,EAAAA,IAAE,QAAS,sBAtBGb,KAC7B,GAAqB,IAAjBA,EAAM5B,OACN,OAAO,EAEX,MAAM0C,EAAiBd,EAAMe,MAAKb,GAAQH,EAAe,CAACG,MACpDc,EAAiBhB,EAAMe,MAAKb,IAASH,EAAe,CAACG,MAC3D,OAAOY,GAAkBE,CAAc,EAqB/BC,CAAwBjB,IACjBa,EAAAA,EAAAA,IAAE,QAAS,sBAMlBd,EAAeC,GACM,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,qBAEfA,EAAAA,EAAAA,IAAE,QAAS,sBAMlBT,EAAkBJ,GACG,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,uBAEfA,EAAAA,EAAAA,IAAE,QAAS,uBAxCVb,KACRA,EAAMe,MAAKb,GAAQA,EAAKgB,OAASC,EAAAA,GAASC,OA4C1CC,CAAWrB,GACU,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,gBAEfA,EAAAA,EAAAA,IAAE,QAAS,gBA9CRb,KACVA,EAAMe,MAAKb,GAAQA,EAAKgB,OAASC,EAAAA,GAASG,SAkD1CC,CAAavB,GACQ,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,kBAEfA,EAAAA,EAAAA,IAAE,QAAS,mBAEfA,EAAAA,EAAAA,IAAE,QAAS,UAEtBW,cAAgBxB,GACRD,EAAeC,iNAGfI,EAAkBJ,0lBAK1ByB,QAAQzB,GACGA,EAAM5B,OAAS,GAAK4B,EACtB0B,KAAIxB,GAAQA,EAAKyB,cACjB1B,OAAM2B,MAAeA,EAAaC,EAAAA,GAAWC,UAEtD,UAAMC,CAAK7B,EAAMU,EAAMoB,GACnB,IAMI,aALMC,EAAAA,EAAMC,OAAOhC,EAAKiC,gBAIxB3D,EAAAA,EAAAA,IAAK,qBAAsB0B,IACpB,CACX,CACA,MAAOkC,GAEH,OADAC,EAAAA,EAAOD,MAAM,8BAA+B,CAAEA,QAAOE,OAAQpC,EAAKoC,OAAQpC,UACnE,CACX,CACJ,EACA,eAAMqC,CAAUvC,EAAOY,EAAMoB,GAEzB,MAAMQ,EAAWxC,EAAM0B,KAAIxB,GAEP,IAAIuC,SAAQC,IACxBrC,EAAMsC,KAAIC,UACN,MAAMC,QAAenG,KAAKqF,KAAK7B,EAAMU,EAAMoB,GAC3CU,EAAmB,OAAXG,GAAkBA,EAAe,GAC3C,MAIV,OAAOJ,QAAQK,IAAIN,EACvB,EACAO,MAAO,2BC7HLC,EAAkB,SAAUC,GAC9B,MAAMC,EAAgBC,SAASC,cAAc,KAC7CF,EAAcG,SAAW,GACzBH,EAAcI,KAAOL,EACrBC,EAAcK,OAClB,EACMC,EAAgB,SAAUxB,EAAKhC,GACjC,MAAMyD,EAASC,KAAKC,SAASC,SAAS,IAAIC,UAAU,GAC9CZ,GAAMa,EAAAA,EAAAA,IAAY,qFAAsF,CAC1G9B,MACAyB,SACAM,MAAOC,KAAKC,UAAUjE,EAAM0B,KAAIxB,GAAQA,EAAKgE,cAEjDlB,EAAgBC,EACpB,EACMkB,EAAiB,SAAUjE,GAC7B,KAAKA,EAAKyB,YAAcE,EAAAA,GAAWuC,MAC/B,OAAO,EAGX,GAAsC,WAAlClE,EAAKC,WAAW,cAA4B,KAAAkE,EAAAC,EAC5C,MAAMC,EAAkBP,KAAKQ,MAAyC,QAApCH,EAACnE,EAAKC,WAAW,2BAAmB,IAAAkE,EAAAA,EAAI,QACpEI,EAAoBF,SAAqB,QAAND,EAAfC,EAAiBG,YAAI,IAAAJ,OAAA,EAArBA,EAAA1G,KAAA2G,GAAyBI,GAAkC,gBAApBA,EAAUC,OAA6C,aAAlBD,EAAUE,MAChH,QAA0B3F,IAAtBuF,IAAiE,IAA9BA,EAAkBhD,QACrD,OAAO,CAEf,CACA,OAAO,CACX,EACajB,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,WACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,YAC9BW,cAAeA,iLACfC,QAAQzB,GACiB,IAAjBA,EAAM5B,UAMN4B,EAAMe,MAAKb,GAAQA,EAAKgB,OAASC,EAAAA,GAASG,WACvCtB,EAAMe,MAAKb,IAAI,IAAA4E,EAAA,QAAc,QAAVA,EAAC5E,EAAK6E,YAAI,IAAAD,GAATA,EAAWE,WAAW,UAAU,MAGpDhF,EAAMC,MAAMkE,GAEvBvB,KAAUb,MAAC7B,EAAMU,EAAMoB,IACf9B,EAAKgB,OAASC,EAAAA,GAASG,QACvBkC,EAAcxB,EAAK,CAAC9B,IACb,OAEX8C,EAAgB9C,EAAKiC,eACd,MAEX,eAAMI,CAAUvC,EAAOY,EAAMoB,GACzB,OAAqB,IAAjBhC,EAAM5B,QACN1B,KAAKqF,KAAK/B,EAAM,GAAIY,EAAMoB,GACnB,CAAC,QAEZwB,EAAcxB,EAAKhC,GACZ,IAAI1B,MAAM0B,EAAM5B,QAAQ6G,KAAK,MACxC,EACAlC,MAAO,gDC7CEvC,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,eACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,gBAC9BW,cAAeA,mNAEfC,QAAQzB,GAEiB,IAAjBA,EAAM5B,WAGF4B,EAAM,GAAG2B,YAAcE,EAAAA,GAAWqD,QAE9CtC,KAAUb,MAAC7B,IAzBS0C,eAAgBuC,GACpC,MAAMC,GAAOC,EAAAA,EAAAA,IAAe,qBAAuB,+BACnD,IAAI,IAAAC,EACA,MAAMzC,QAAeZ,EAAAA,EAAMsD,KAAKH,EAAM,CAAED,SAClCK,EAAsB,QAAnBF,GAAGG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,IAC9B,IAAIvC,EAAM,aAAAlF,OAAayH,EAAG,KAAME,OAAOC,SAASC,MAAOC,EAAAA,EAAAA,IAAWV,GAClElC,GAAO,UAAYJ,EAAOiD,KAAKC,IAAID,KAAKE,MACxCN,OAAOC,SAASrC,KAAOL,CAC3B,CACA,MAAOb,IACH6D,EAAAA,EAAAA,KAAUpF,EAAAA,EAAAA,IAAE,QAAS,gCACzB,CACJ,CAcQqF,CAAgBhG,EAAKiF,MACd,MAEXpC,MAAO,gOC1BLoD,EAAkBnG,GACbA,EAAMe,MAAKb,GAAqC,IAA7BA,EAAKC,WAAWiG,WAEjCC,EAAezD,MAAO1C,EAAMU,EAAM0F,KAC3C,IAEI,MAAMrD,GAAMa,EAAAA,EAAAA,IAAY,6BAA8B+B,EAAAA,EAAAA,IAAW3F,EAAKiF,MAqBtE,aApBMlD,EAAAA,EAAMsD,KAAKtC,EAAK,CAClBsD,KAAMD,EACA,CAACZ,OAAOc,GAAGC,cACX,KAKM,cAAZ7F,EAAKF,IAAuB4F,GAAiC,MAAjBpG,EAAKwG,UACjDlI,EAAAA,EAAAA,IAAK,qBAAsB0B,GAG/ByG,EAAAA,GAAAA,IAAQzG,EAAKC,WAAY,WAAYmG,EAAe,EAAI,GAEpDA,GACA9H,EAAAA,EAAAA,IAAK,wBAAyB0B,IAG9B1B,EAAAA,EAAAA,IAAK,0BAA2B0B,IAE7B,CACX,CACA,MAAOkC,GACH,MAAM5B,EAAS8F,EAAe,8BAAgC,kCAE9D,OADAjE,EAAAA,EAAOD,MAAM,eAAiB5B,EAAQ,CAAE4B,QAAOE,OAAQpC,EAAKoC,OAAQpC,UAC7D,CACX,GAESM,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,WACJC,YAAYX,GACDmG,EAAenG,IAChBa,EAAAA,EAAAA,IAAE,QAAS,qBACXA,EAAAA,EAAAA,IAAE,QAAS,yBAErBW,cAAgBxB,GACLmG,EAAenG,0TAEhB4G,EAEVnF,QAAQzB,IAEIA,EAAMe,MAAKb,IAAI,IAAA4E,EAAA+B,EAAA,QAAc,QAAV/B,EAAC5E,EAAK6E,YAAI,IAAAD,GAAY,QAAZ+B,EAAT/B,EAAWE,kBAAU,IAAA6B,GAArBA,EAAAjJ,KAAAkH,EAAwB,UAAU,KACvD9E,EAAMC,OAAMC,GAAQA,EAAKyB,cAAgBE,EAAAA,GAAWiF,OAE/D,UAAM/E,CAAK7B,EAAMU,GACb,MAAM0F,EAAeH,EAAe,CAACjG,IACrC,aAAamG,EAAanG,EAAMU,EAAM0F,EAC1C,EACA,eAAM/D,CAAUvC,EAAOY,GACnB,MAAM0F,EAAeH,EAAenG,GACpC,OAAOyC,QAAQK,IAAI9C,EAAM0B,KAAIkB,eAAsByD,EAAanG,EAAMU,EAAM0F,KAChF,EACAvD,OAAQ,4ICjFRgE,EAAU,CAAC,EAEfA,EAAQC,kBAAoB,IAC5BD,EAAQE,cAAgB,IAElBF,EAAQG,OAAS,SAAc,KAAM,QAE3CH,EAAQI,OAAS,IACjBJ,EAAQK,mBAAqB,IAEhB,IAAI,IAASL,GAKJ,KAAW,IAAQM,QAAS,IAAQA,kECD1D,IAAIhH,EAUG,IAAIiH,GACX,SAAWA,GACPA,EAAqB,KAAI,OACzBA,EAAqB,KAAI,OACzBA,EAA6B,aAAI,cACpC,CAJD,CAIGA,IAAmBA,EAAiB,CAAC,IACjC,MAAMC,EAAWvH,MACEA,EAAMwH,QAAO,CAACC,EAAKvH,IAASwD,KAAK+D,IAAIA,EAAKvH,EAAKyB,cAAcE,EAAAA,GAAW6F,KACtE7F,EAAAA,GAAWqD,QAQ1ByC,EAAW3H,GANIA,IACjBA,EAAMC,OAAMC,IAAQ,IAAAmE,EAAAuD,EAEvB,OADwB5D,KAAKQ,MAA2C,QAAtCH,EAAgB,QAAhBuD,EAAC1H,EAAKC,kBAAU,IAAAyH,OAAA,EAAfA,EAAkB,2BAAmB,IAAAvD,EAAAA,EAAI,MACpDtD,MAAK4D,GAAiC,gBAApBA,EAAUC,QAAiD,IAAtBD,EAAUlD,SAAuC,aAAlBkD,EAAUE,KAAmB,IAMxIgD,CAAY7H,KACXA,EAAMe,MAAKb,GAAQA,EAAKyB,cAAgBE,EAAAA,GAAWiF,mCC/BxD,MAAMgB,EAAW,UAAH/J,OAA6B,QAA7BuH,GAAaG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,KACvCuC,IAAiBC,EAAAA,EAAAA,IAAkB,MAAQF,GAC3CG,GAAY,WAA8B,IAA7BC,EAAOlJ,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG+I,GAChC,MAAMI,GAASC,EAAAA,EAAAA,IAAaF,GAEtBG,EAAcrC,IAChBmC,SAAAA,EAAQE,WAAW,CAEf,mBAAoB,iBAEpBC,aAActC,QAAAA,EAAS,IACzB,EAsBN,OAnBAuC,EAAAA,EAAAA,IAAqBF,GACrBA,GAAWG,EAAAA,EAAAA,QAMKC,EAAAA,EAAAA,MAIRC,MAAM,SAAS,CAACzF,EAAK8D,KACzB,MAAM4B,EAAU5B,EAAQ4B,QAKxB,OAJIA,SAAAA,EAASC,SACT7B,EAAQ6B,OAASD,EAAQC,cAClBD,EAAQC,QAEZC,MAAM5F,EAAK8D,EAAQ,IAEvBoB,CACX,ECrCaW,GAAW,SAAUC,GAC9B,OAAOA,EAAIC,MAAM,IAAIxB,QAAO,SAAUyB,EAAGC,GAErC,OAAOD,GADDA,GAAK,GAAKA,EAAKC,EAAEC,WAAW,EAEtC,GAAG,EACP,ECnBMhB,GAASF,KACFmB,GAAe,SAAUlJ,GAAM,IAAAoF,EACxC,MAAM+D,EAAyB,QAAnB/D,GAAGG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,IACjC,IAAK6D,EACD,MAAM,IAAIC,MAAM,oBAEpB,MAAMC,EAAQrJ,EAAKqJ,MACb5H,GAAc6H,EAAAA,EAAAA,IAAoBD,aAAK,EAALA,EAAO5H,aACzC8H,EAAQC,OAAOH,EAAM,aAAeF,GACpC/G,GAAS0F,EAAAA,EAAAA,IAAkB,MAAQF,EAAW5H,EAAKyJ,UAInDC,EAAW,CACblJ,IAJO6I,aAAK,EAALA,EAAOM,QAAS,EACrBf,GAASxG,IACTiH,aAAK,EAALA,EAAOM,SAAU,EAGnBvH,SACAwH,MAAO,IAAIC,KAAK7J,EAAK8J,SACrBC,KAAM/J,EAAK+J,MAAQ,2BACnBC,MAAMX,aAAK,EAALA,EAAOW,OAAQ,EACrBvI,cACA8H,QACA1E,KAAM+C,EACN3H,WAAY,IACLD,KACAqJ,EACH,WAAYE,EACZ,qBAAsBC,OAAOH,EAAM,uBACnCY,aAAcZ,UAAAA,EAAQ,gBACtBa,QAAQb,aAAK,EAALA,EAAOM,QAAS,IAIhC,cADOD,EAASzJ,WAAWoJ,MACN,SAAdrJ,EAAKgB,KACN,IAAIE,EAAAA,GAAKwI,GACT,IAAItI,EAAAA,GAAOsI,EACrB,EACaS,GAAc,WAAgB,IAAflF,EAAInG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAC/B,MAAMsL,EAAa,IAAIC,gBACjBC,GAAkBC,EAAAA,EAAAA,MACxB,OAAO,IAAIC,EAAAA,mBAAkB9H,MAAOF,EAASiI,EAAQC,KACjDA,GAAS,IAAMN,EAAWO,UAC1B,IACI,MAAMC,QAAyB3C,GAAO4C,qBAAqB5F,EAAM,CAC7D6F,SAAS,EACTlF,KAAM0E,EACNS,aAAa,EACbC,OAAQZ,EAAWY,SAEjBnG,EAAO+F,EAAiBhF,KAAK,GAC7BqF,EAAWL,EAAiBhF,KAAKjI,MAAM,GAC7C,GAAIkH,EAAK4E,WAAaxE,EAClB,MAAM,IAAImE,MAAM,2CAEpB5G,EAAQ,CACJ0I,OAAQhC,GAAarE,GACrBoG,SAAUA,EAASzJ,KAAImB,IACnB,IACI,OAAOuG,GAAavG,EACxB,CACA,MAAOT,GAEH,OADAC,EAAAA,EAAOD,MAAM,0BAADrE,OAA2B8E,EAAOqB,SAAQ,KAAK,CAAE9B,UACtD,IACX,KACDiJ,OAAOC,UAElB,CACA,MAAOlJ,GACHuI,EAAOvI,EACX,IAER,kBCnCA,MAAMmJ,GAAqBvL,GACnBuH,EAAQvH,GACJ2H,EAAQ3H,GACDsH,EAAekE,aAEnBlE,EAAemE,KAGnBnE,EAAeoE,KAWbC,GAAuB/I,eAAO1C,EAAM0L,EAAahD,GAA8B,IAAtBiD,EAAS7M,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC3E,IAAK4M,EACD,OAEJ,GAAIA,EAAY1K,OAASC,EAAAA,GAASG,OAC9B,MAAM,IAAIgI,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,gCAG/B,GAAI+H,IAAWtB,EAAemE,MAAQvL,EAAKwG,UAAYkF,EAAYzG,KAC/D,MAAM,IAAImE,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,kDAa/B,GAAI,GAAA9C,OAAG6N,EAAYzG,KAAI,KAAIH,WAAW,GAADjH,OAAImC,EAAKiF,KAAI,MAC9C,MAAM,IAAImE,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,4EAG/B8F,EAAAA,GAAAA,IAAQzG,EAAM,SAAU4L,EAAAA,GAAWC,SACnC,MAAM1L,GJ1DDA,IACDA,EAAQ,IAAIC,EAAAA,EAAO,CAAEC,YAAa,KAE/BF,GIwDP,aAAaA,EAAMsC,KAAIC,UACnB,MAAMoJ,EAAcC,GACF,IAAVA,GACOpL,EAAAA,EAAAA,IAAE,QAAS,WAEfA,EAAAA,EAAAA,IAAE,QAAS,iBAAa3B,EAAW+M,GAE9C,IACI,MAAM9D,GAAS+D,EAAAA,EAAAA,MACTC,GAAcC,EAAAA,EAAAA,MAAKC,EAAAA,GAAanM,EAAKiF,MACrCmH,GAAkBF,EAAAA,EAAAA,MAAKC,EAAAA,GAAaT,EAAYzG,MACtD,GAAIyD,IAAWtB,EAAeoE,KAAM,CAChC,IAAIa,EAASrM,EAAKgE,SAElB,IAAK2H,EAAW,CACZ,MAAMW,QAAmBrE,EAAO4C,qBAAqBuB,GACrDC,GAASE,EAAAA,GAAAA,IAAcvM,EAAKgE,SAAUsI,EAAW9K,KAAKgL,GAAMA,EAAExI,WAAW,CACrEyI,OAAQX,EACRY,oBAAqB1M,EAAKgB,OAASC,EAAAA,GAASG,QAEpD,CAGA,SAFM6G,EAAO0E,SAASV,GAAaC,EAAAA,EAAAA,MAAKE,EAAiBC,IAErDrM,EAAKwG,UAAYkF,EAAYzG,KAAM,CACnC,MAAM,KAAEW,SAAeqC,EAAO2E,MAAKV,EAAAA,EAAAA,MAAKE,EAAiBC,GAAS,CAC9DvB,SAAS,EACTlF,MAAM2E,EAAAA,EAAAA,SAEVjM,EAAAA,EAAAA,IAAK,sBAAsBuO,EAAAA,EAAAA,IAAgBjH,GAC/C,CACJ,KACK,CAED,MAAM0G,QAAmBnC,GAAYuB,EAAYzG,MACjD,IAAI6H,EAAAA,EAAAA,GAAY,CAAC9M,GAAOsM,EAAWrB,UAC/B,IAEI,MAAM,SAAE8B,EAAQ,QAAEC,SAAkBC,EAAAA,EAAAA,GAAmBvB,EAAYzG,KAAM,CAACjF,GAAOsM,EAAWrB,UAG5F,IAAK8B,EAAS7O,SAAW8O,EAAQ9O,OAG7B,aAFM+J,EAAOiF,WAAWjB,QACxB3N,EAAAA,EAAAA,IAAK,qBAAsB0B,EAGnC,CACA,MAAOkC,GAGH,YADA6D,EAAAA,EAAAA,KAAUpF,EAAAA,EAAAA,IAAE,QAAS,kBAEzB,OAIEsH,EAAOkF,SAASlB,GAAaC,EAAAA,EAAAA,MAAKE,EAAiBpM,EAAKgE,YAG9D1F,EAAAA,EAAAA,IAAK,qBAAsB0B,EAC/B,CACJ,CACA,MAAOkC,GACH,GAAIA,aAAiBkL,EAAAA,GAAY,KAAAC,EAAAC,EAAAC,EAC7B,GAAgC,OAA5BrL,SAAe,QAAVmL,EAALnL,EAAOsL,gBAAQ,IAAAH,OAAA,EAAfA,EAAiBI,QACjB,MAAM,IAAIrE,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,kEAE1B,GAAgC,OAA5BuB,SAAe,QAAVoL,EAALpL,EAAOsL,gBAAQ,IAAAF,OAAA,EAAfA,EAAiBG,QACtB,MAAM,IAAIrE,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,wBAE1B,GAAgC,OAA5BuB,SAAe,QAAVqL,EAALrL,EAAOsL,gBAAQ,IAAAD,OAAA,EAAfA,EAAiBE,QACtB,MAAM,IAAIrE,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,oCAE1B,GAAIuB,EAAMwL,QACX,MAAM,IAAItE,MAAMlH,EAAMwL,QAE9B,CAEA,MADAvL,EAAAA,EAAOwL,MAAMzL,GACP,IAAIkH,KACd,CAAC,QAEG3C,EAAAA,GAAAA,IAAQzG,EAAM,cAAUhB,EAC5B,IAER,EAQM4O,GAA0BlL,eAAOpC,GAA6B,IAArBwB,EAAGhD,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAAKgB,EAAKhB,UAAAZ,OAAA,EAAAY,UAAA,QAAAE,EAC3D,MAAM6O,EAAU/N,EAAM0B,KAAIxB,GAAQA,EAAK2J,SAAQwB,OAAOC,SAChD0C,GAAaC,EAAAA,EAAAA,KAAqBpN,EAAAA,EAAAA,IAAE,QAAS,uBAC9CqN,kBAAiB,GACjBC,WAAWzB,MAEJA,EAAE/K,YAAcE,EAAAA,GAAWuM,UAE3BL,EAAQM,SAAS3B,EAAE7C,UAE1ByE,kBAAkB,IAClBC,gBAAe,GACfC,QAAQxM,GACb,OAAO,IAAIS,SAAQ,CAACC,EAASiI,KACzBqD,EAAWS,kBAAiB,CAACC,EAAYvJ,KACrC,MAAMwJ,EAAU,GACVpC,GAASrI,EAAAA,EAAAA,UAASiB,GAClByJ,EAAW5O,EAAM0B,KAAIxB,GAAQA,EAAKwG,UAClCmI,EAAQ7O,EAAM0B,KAAIxB,GAAQA,EAAKiF,OAerC,OAdI3E,IAAW8G,EAAeoE,MAAQlL,IAAW8G,EAAekE,cAC5DmD,EAAQzR,KAAK,CACT4R,MAAOvC,GAAS1L,EAAAA,EAAAA,IAAE,QAAS,mBAAoB,CAAE0L,eAAUrN,EAAW,CAAE6P,QAAQ,EAAOC,UAAU,KAAWnO,EAAAA,EAAAA,IAAE,QAAS,QACvHK,KAAM,UACN+N,KAAMC,EACN,cAAMC,CAASvD,GACXlJ,EAAQ,CACJkJ,YAAaA,EAAY,GACzBpL,OAAQ8G,EAAeoE,MAE/B,IAIJkD,EAASP,SAASlJ,IAIlB0J,EAAMR,SAASlJ,IAIf3E,IAAW8G,EAAemE,MAAQjL,IAAW8G,EAAekE,cAC5DmD,EAAQzR,KAAK,CACT4R,MAAOvC,GAAS1L,EAAAA,EAAAA,IAAE,QAAS,mBAAoB,CAAE0L,eAAUrN,EAAW,CAAE6P,QAAQ,EAAOC,UAAU,KAAWnO,EAAAA,EAAAA,IAAE,QAAS,QACvHK,KAAMV,IAAW8G,EAAemE,KAAO,UAAY,YACnDwD,KAAMG,EACN,cAAMD,CAASvD,GACXlJ,EAAQ,CACJkJ,YAAaA,EAAY,GACzBpL,OAAQ8G,EAAemE,MAE/B,IAhBGkD,CAmBG,IAEHX,EAAWlO,QACnBuP,OAAOC,OAAOlN,IACjBC,EAAAA,EAAOwL,MAAMzL,GACTA,aAAiBmN,EAAAA,GACjB5E,EAAO,IAAIrB,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,sCAG5B8J,EAAO,IAAIrB,OAAMzI,EAAAA,EAAAA,IAAE,QAAS,kCAChC,GACF,GAEV,EACaL,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,YACJC,WAAAA,CAAYX,GACR,OAAQuL,GAAkBvL,IACtB,KAAKsH,EAAemE,KAChB,OAAO5K,EAAAA,EAAAA,IAAE,QAAS,QACtB,KAAKyG,EAAeoE,KAChB,OAAO7K,EAAAA,EAAAA,IAAE,QAAS,QACtB,KAAKyG,EAAekE,aAChB,OAAO3K,EAAAA,EAAAA,IAAE,QAAS,gBAE9B,EACAW,cAAeA,IAAM4N,EACrB3N,QAAQzB,KAECA,EAAMC,OAAMC,IAAI,IAAA4E,EAAA,OAAa,QAAbA,EAAI5E,EAAK6E,YAAI,IAAAD,OAAA,EAATA,EAAWE,WAAW,UAAU,KAGlDhF,EAAM5B,OAAS,IAAMmJ,EAAQvH,IAAU2H,EAAQ3H,IAE1D,UAAM+B,CAAK7B,EAAMU,EAAMoB,GACnB,MAAMxB,EAAS+K,GAAkB,CAACrL,IAClC,IAAI2C,EACJ,IACIA,QAAeiL,GAAwBtN,EAAQwB,EAAK,CAAC9B,GACzD,CACA,MAAOsP,GAEH,OADAnN,EAAAA,EAAOD,MAAMoN,IACN,CACX,CACA,IAEI,aADM7D,GAAqBzL,EAAM2C,EAAO+I,YAAa/I,EAAOrC,SACrD,CACX,CACA,MAAO4B,GACH,SAAIA,aAAiBkH,OAAWlH,EAAMwL,YAClC3H,EAAAA,EAAAA,IAAU7D,EAAMwL,SAET,KAGf,CACJ,EACA,eAAMrL,CAAUvC,EAAOY,EAAMoB,GACzB,MAAMxB,EAAS+K,GAAkBvL,GAC3B6C,QAAeiL,GAAwBtN,EAAQwB,EAAKhC,GACpDwC,EAAWxC,EAAM0B,KAAIkB,UACvB,IAEI,aADM+I,GAAqBzL,EAAM2C,EAAO+I,YAAa/I,EAAOrC,SACrD,CACX,CACA,MAAO4B,GAEH,OADAC,EAAAA,EAAOD,MAAM,aAADrE,OAAc8E,EAAOrC,OAAM,SAAS,CAAEN,OAAMkC,WACjD,CACX,KAKJ,aAAaK,QAAQK,IAAIN,EAC7B,EACAO,MAAO,uMC5REvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,cACJC,WAAAA,CAAYoD,GAER,MAAMpD,EAAcoD,EAAM,GAAG5D,WAAWQ,aAAeoD,EAAM,GAAGG,SAChE,OAAOrD,EAAAA,EAAAA,IAAE,QAAS,4BAA6B,CAAEF,eACrD,EACAa,cAAeA,IAAMiO,GACrBhO,OAAAA,CAAQzB,GAEJ,GAAqB,IAAjBA,EAAM5B,OACN,OAAO,EAEX,MAAM8B,EAAOF,EAAM,GACnB,QAAKE,EAAKwP,gBAGHxP,EAAKgB,OAASC,EAAAA,GAASG,WACtBpB,EAAKyB,YAAcE,EAAAA,GAAWuC,KAC1C,EACAxB,KAAUb,MAAC7B,EAAMU,OACRV,GAAQA,EAAKgB,OAASC,EAAAA,GAASG,UAGpCoE,OAAOiK,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAElP,KAAMA,EAAKF,GAAImJ,OAAQ3J,EAAK2J,QAAU,CAAE7H,IAAK9B,EAAKiF,OACrF,MAGX4K,QAASC,EAAAA,GAAYC,OACrBlN,OAAQ,MC1BCvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,uBACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,iBAC9BW,cAAeA,IAAM,GACrBC,QAASA,CAACzB,EAAOY,IAAqB,WAAZA,EAAKF,GAC/B,UAAMqB,CAAK7B,GACP,IAAI8B,EAAM9B,EAAKwG,QAMf,OALIxG,EAAKgB,OAASC,EAAAA,GAASG,SACvBU,EAAMA,EAAM,IAAM9B,EAAKgE,UAE3BwB,OAAOiK,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAElP,KAAM,QAASiJ,OAAQ3J,EAAK2J,QAAU,CAAE7H,MAAKkO,SAAU,SAClD,IACX,EAEAnN,OAAQ,IACRgN,QAASC,EAAAA,GAAYC,SCjBZzP,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,SACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,UAC9BW,cAAeA,yPACfC,QAAUzB,GACCA,EAAM5B,OAAS,GAAK4B,EACtB0B,KAAIxB,GAAQA,EAAKyB,cACjB1B,OAAM2B,MAAeA,EAAaC,EAAAA,GAAWqD,UAEtDtC,KAAUb,MAAC7B,KAEP1B,EAAAA,EAAAA,IAAK,oBAAqB0B,GACnB,MAEX6C,MAAO,qBCfJ,MACMvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAF0B,UAG1BC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,gBAC9BW,cAAeA,IAAM2O,GAErB1O,QAAUzB,IAAU,IAAAoQ,EAAAC,EAAAC,EAEhB,OAAqB,IAAjBtQ,EAAM5B,UAGL4B,EAAM,MAIA,QAAPoQ,EAAC1K,cAAM,IAAA0K,GAAK,QAALA,EAANA,EAAQG,WAAG,IAAAH,GAAO,QAAPA,EAAXA,EAAaR,aAAK,IAAAQ,IAAlBA,EAAoBI,UAG+D,QAAxFH,GAAqB,QAAbC,EAAAtQ,EAAM,GAAG+E,YAAI,IAAAuL,OAAA,EAAbA,EAAetL,WAAW,aAAchF,EAAM,GAAG2B,cAAgBE,EAAAA,GAAWiF,YAAI,IAAAuJ,GAAAA,CAAU,EAEtG,UAAMtO,CAAK7B,EAAMU,EAAMoB,GACnB,IAKI,aAHM0D,OAAO6K,IAAIX,MAAMY,QAAQC,KAAKvQ,EAAKiF,MAEzCO,OAAOiK,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAElP,KAAMA,EAAKF,GAAImJ,OAAQ3J,EAAK2J,QAAU,IAAKnE,OAAOiK,IAAIC,MAAMC,OAAOa,MAAO1O,QAAO,GACpH,IACX,CACA,MAAOI,GAEH,OADAC,EAAAA,EAAOD,MAAM,8BAA+B,CAAEA,WACvC,CACX,CACJ,EACAW,OAAQ,KClCCvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,iBACJC,YAAWA,KACAE,EAAAA,EAAAA,IAAE,QAAS,kBAEtBW,cAAeA,IAAM4N,EACrB3N,OAAAA,CAAQzB,EAAOY,GAEX,GAAgB,UAAZA,EAAKF,GACL,OAAO,EAGX,GAAqB,IAAjBV,EAAM5B,OACN,OAAO,EAEX,MAAM8B,EAAOF,EAAM,GACnB,QAAKE,EAAKwP,gBAGNxP,EAAKyB,cAAgBE,EAAAA,GAAWiF,MAG7B5G,EAAKgB,OAASC,EAAAA,GAASC,IAClC,EACAwB,KAAUb,MAAC7B,MACFA,GAAQA,EAAKgB,OAASC,EAAAA,GAASC,QAGpCsE,OAAOiK,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAElP,KAAM,QAASiJ,OAAQ3J,EAAK2J,QAAU,CAAE7H,IAAK9B,EAAKwG,UACrF,MAEX3D,MAAO,KCvDX,uCAMA,MCN6P,IDM9O4N,EAAAA,EAAAA,IAAgB,CAC3BjT,KAAM,gBACNkT,WAAY,CACRC,SAAQ,KACRC,SAAQ,KACRC,YAAWA,GAAAA,GAEfxH,MAAO,CAIHyH,YAAa,CACT9P,KAAMwI,OACNqG,SAASlP,EAAAA,EAAAA,IAAE,QAAS,eAKxBoQ,WAAY,CACR/P,KAAM5C,MACNyR,QAASA,IAAM,IAKnBU,KAAM,CACFvP,KAAMoK,QACNyE,SAAS,GAKbrS,KAAM,CACFwD,KAAMwI,OACNqG,SAASlP,EAAAA,EAAAA,IAAE,QAAS,sBAKxBiO,MAAO,CACH5N,KAAMwI,OACNqG,SAASlP,EAAAA,EAAAA,IAAE,QAAS,iBAG5BqQ,MAAO,CACHC,MAAQzT,GAAkB,OAATA,GAAiBA,GAEtCoI,IAAAA,GACI,MAAO,CACHsL,iBAAkB,KAAKJ,cAAenQ,EAAAA,EAAAA,IAAE,QAAS,cAEzD,EACAwQ,SAAU,CACNC,YAAAA,GACI,OAAI,KAAKC,aACE,IAGA1Q,EAAAA,EAAAA,IAAE,QAAS,kDAE1B,EACA2Q,UAAAA,GACI,OAAO/E,EAAAA,GAAAA,IAAc,KAAK2E,iBAAkB,KAAKH,WACrD,EACAM,YAAAA,GACI,OAAO,KAAKH,mBAAqB,KAAKI,UAC1C,GAEJC,MAAO,CACHT,WAAAA,GACI,KAAKI,iBAAmB,KAAKJ,cAAenQ,EAAAA,EAAAA,IAAE,QAAS,aAC3D,EAIA4P,IAAAA,GACI,KAAKiB,WAAU,IAAM,KAAKC,cAC9B,GAEJC,OAAAA,GAEI,KAAKR,iBAAmB,KAAKI,WAC7B,KAAKE,WAAU,IAAM,KAAKC,cAC9B,EACAE,QAAS,CACLhR,EAAC,KAID8Q,UAAAA,GACQ,KAAKlB,MACL,KAAKiB,WAAU,SAAAI,EAAAC,EAAA,OAAsB,QAAtBD,EAAM,KAAKE,MAAMC,aAAK,IAAAH,GAAO,QAAPC,EAAhBD,EAAkBI,aAAK,IAAAH,OAAA,EAAvBA,EAAAnU,KAAAkU,EAA2B,GAExD,EACAK,QAAAA,GACI,KAAKC,MAAM,QAAS,KAAKhB,iBAC7B,EACAiB,OAAAA,CAAQC,GACCA,GACD,KAAKF,MAAM,QAAS,KAE5B,KEzFR,IAXgB,cACd,IFRW,WAAkB,IAAIG,EAAI7V,KAAK8V,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMC,YAAmBF,EAAG,WAAW,CAACG,MAAM,CAAC,KAAOJ,EAAI7U,KAAK,KAAO6U,EAAI9B,KAAK,yBAAyB,GAAG,iBAAiB,IAAIpR,GAAG,CAAC,cAAckT,EAAIF,SAASO,YAAYL,EAAIM,GAAG,CAAC,CAAChO,IAAI,UAAUtI,GAAG,WAAW,MAAO,CAACiW,EAAG,WAAW,CAACG,MAAM,CAAC,KAAO,UAAU,UAAYJ,EAAIhB,cAAclS,GAAG,CAAC,MAAQkT,EAAIJ,WAAW,CAACI,EAAIO,GAAG,WAAWP,EAAIQ,GAAGR,EAAI1R,EAAE,QAAS,WAAW,YAAY,EAAEmS,OAAM,MAAS,CAACT,EAAIO,GAAG,KAAKN,EAAG,OAAO,CAACnT,GAAG,CAAC,OAAS,SAAS4T,GAAgC,OAAxBA,EAAOC,iBAAwBX,EAAIJ,SAAShT,MAAM,KAAMH,UAAU,IAAI,CAACwT,EAAG,cAAc,CAACW,IAAI,QAAQR,MAAM,CAAC,OAASJ,EAAIhB,aAAa,cAAcgB,EAAIjB,aAAa,MAAQiB,EAAIzD,MAAM,MAAQyD,EAAInB,kBAAkB/R,GAAG,CAAC,eAAe,SAAS4T,GAAQV,EAAInB,iBAAiB6B,CAAM,MAAM,IAChyB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QCYzB,SAASG,GAAYpC,EAAaqC,GAA4B,IAAbC,EAAMtU,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,EAC9D,MAAMuU,EAAeF,EAAc3R,KAAKxB,GAASA,EAAKgE,WACtD,OAAO,IAAIzB,SAASC,KAChB8Q,EAAAA,EAAAA,IAAYC,GAAe,IACpBH,EACHtC,cACAC,WAAYsC,IACZG,IACAhR,EAAQgR,EAAW,GACrB,GAEV,CC/BA,MAeaC,GAAQ,CACjBjT,GAAI,YACJC,aAAaE,EAAAA,EAAAA,IAAE,QAAS,cACxBY,QAAUjF,MAAaA,EAAQmF,YAAcE,EAAAA,GAAWuM,QACxD5M,oUACAuB,MAAO,EACP,aAAM6Q,CAAQpX,EAASqX,GACnB,MAAMnW,QAAa0V,IAAYvS,EAAAA,EAAAA,IAAE,QAAS,cAAegT,GACzD,GAAa,OAATnW,EAAe,KAAA4H,EAAAwO,EAAAC,EAAAC,EAAAC,EACf,MAAM,OAAEpK,EAAM,OAAEvH,QAxBJM,OAAOmC,EAAMrH,KACjC,MAAM4E,EAASyC,EAAKzC,OAAS,IAAM5E,EAC7ByE,EAAgB4C,EAAK5C,cAAgB,IAAM+R,mBAAmBxW,GAC9DgQ,QAAiBzL,EAAAA,EAAAA,GAAM,CACzB2G,OAAQ,QACR3F,IAAKd,EACLwG,QAAS,CACLwL,UAAW,OAGnB,MAAO,CACHtK,OAAQuK,SAAS1G,EAAS/E,QAAQ,cAClCrG,SACH,EAWwC+R,CAAgB7X,EAASkB,GAEpD0N,EAAS,IAAI9J,EAAAA,GAAO,CACtBgB,SACA5B,GAAImJ,EACJC,MAAO,IAAIC,KACXN,OAAuB,QAAhBnE,GAAAG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,MAAO,KAChC7D,YAAaE,EAAAA,GAAW6F,IACxB3C,MAAMvI,aAAO,EAAPA,EAASuI,OAAQ,WAA4B,QAAnB+O,GAAGrO,EAAAA,EAAAA,aAAgB,IAAAqO,OAAA,EAAhBA,EAAkBtO,KAErDrF,WAAY,CACR,aAAgC,QAApB4T,EAAEvX,EAAQ2D,kBAAU,IAAA4T,OAAA,EAAlBA,EAAqB,cACnC,WAA8B,QAApBC,EAAExX,EAAQ2D,kBAAU,IAAA6T,OAAA,EAAlBA,EAAqB,YACjC,qBAAwC,QAApBC,EAAEzX,EAAQ2D,kBAAU,IAAA8T,OAAA,EAAlBA,EAAqB,0BAGnDK,EAAAA,EAAAA,KAAYzT,EAAAA,EAAAA,IAAE,QAAS,8BAA+B,CAAEnD,MAAMwG,EAAAA,EAAAA,UAAS5B,MACvED,EAAAA,EAAOwL,MAAM,qBAAsB,CAAEzC,SAAQ9I,YAC7C9D,EAAAA,EAAAA,IAAK,qBAAsB4M,GAC3B1F,OAAOiK,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAElP,KAAM,QAASiJ,OAAQuB,EAAOvB,QAAU,CAAE7H,IAAKxF,EAAQ2I,MAC7D,CACJ,mBC7CJ,IAAIoP,IAAgBC,EAAAA,GAAAA,GAAU,QAAS,kBAAkB,GACzDnS,EAAAA,EAAOwL,MAAM,2BAA4B,CAAE0G,mBAM3C,MAqBaZ,GAAQ,CACjBjT,GAAI,kBACJC,aAAaE,EAAAA,EAAAA,IAAE,QAAS,+BACxBW,uJACAuB,MAAO,GACPtB,OAAAA,CAAQjF,GAAS,IAAA8I,EAEb,OAAIiP,IAIA/X,EAAQiN,SAA0B,QAArBnE,GAAKG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,SAGhChJ,EAAQmF,YAAcE,EAAAA,GAAWuM,OAC7C,EACA,aAAMwF,CAAQpX,EAASqX,GACnB,MAAMnW,QAAa0V,IAAYvS,EAAAA,EAAAA,IAAE,QAAS,aAAcgT,EAAS,CAAEnW,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,yBACvE,OAATnD,IAvCgBkF,eAAgB6R,EAAW/W,GACnD,MAAMgX,GAAetI,EAAAA,EAAAA,MAAKqI,EAAUtP,KAAMzH,GAC1C,IACI2E,EAAAA,EAAOwL,MAAM,uCAAwC,CAAE6G,iBACvD,MAAM,KAAE5O,SAAe7D,EAAAA,EAAMsD,MAAKF,EAAAA,EAAAA,IAAe,oCAAqC,CAClFqP,eACAC,qBAAqB,IAGzBjP,OAAOiK,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAElP,KAAM,QAASiJ,YAAQ3K,GAAa,CAAE8C,IAAK0S,IAC7CrS,EAAAA,EAAOuS,KAAK,+BAAgC,IACrC9O,EAAKC,IAAID,OAEhByO,GAAgBzO,EAAKC,IAAID,KAAK+O,cAClC,CACA,MAAOzS,GACHC,EAAAA,EAAOD,MAAM,iDACb6D,EAAAA,EAAAA,KAAUpF,EAAAA,EAAAA,IAAE,QAAS,gDACzB,CACJ,CAqBYiU,CAAoBtY,EAASkB,IAE7BqX,EAAAA,EAAAA,IAAuB,mBAE/B,GClCEC,IAAoBC,EAAAA,EAAAA,KAAqB,IAAM,2DACrD,IAAIC,GAAiB,KACrB,MAAMC,GAAoBvS,UACtB,GAAuB,OAAnBsS,GAAyB,CAEzB,MAAME,EAAgBjS,SAASC,cAAc,OAC7CgS,EAAc1U,GAAK,kBACnByC,SAASkS,KAAKC,YAAYF,GAE1BF,GAAiB,IAAIvO,EAAAA,GAAI,CACrB4O,OAASC,GAAMA,EAAER,GAAmB,CAChC7B,IAAK,SACL5J,MAAO,CACHkM,OAAQjZ,KAGhBqV,QAAS,CAAEpB,IAAAA,GAAgB/T,KAAKsV,MAAM0D,OAAOjF,QAAKzR,UAAU,GAC5D2W,GAAIP,GAEZ,CACA,OAAOF,EAAc,EC9CnB/M,GAASF,KACFoC,GAAczH,iBAAsB,IAAAgT,EAAA,IAAfzQ,EAAInG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IACrC,MAAMwL,GAAkBC,EAAAA,EAAAA,MAClBoL,GAAgBC,EAAAA,EAAAA,MAEtB,IAAIC,EACS,MAAT5Q,IACA4Q,QAAqB5N,GAAO2E,KAAK3H,EAAM,CACnC6F,SAAS,EACTlF,KAAM0E,KAGd,MAAMM,QAAyB3C,GAAO4C,qBAAqB5F,EAAM,CAC7D6F,SAAS,EAETlF,KAAe,MAATX,EAAe0Q,EAAgBrL,EACrC7B,QAAS,CAELC,OAAiB,MAATzD,EAAe,SAAW,YAEtC8F,aAAa,IAEXlG,GAAmB,QAAZ6Q,EAAAG,SAAY,IAAAH,OAAA,EAAZA,EAAc9P,OAAQgF,EAAiBhF,KAAK,GACnDqF,EAAWL,EAAiBhF,KAAKuF,QAAOnL,GAAQA,EAAKyJ,WAAaxE,IACxE,MAAO,CACHiG,OAAQhC,GAAarE,GACrBoG,SAAUA,EAASzJ,IAAI0H,IAE/B,ECrBa4M,GAA6B,SAAU5K,GAAmB,IAAXa,EAAKjN,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,EAChE,OAAO,IAAIiX,EAAAA,GAAK,CACZvV,GAAIwV,GAAmB9K,EAAOjG,MAC9BzH,MAAMwG,EAAAA,EAAAA,UAASkH,EAAOjG,MACtB8J,KAAMQ,GACN1M,MAAOkJ,EACPkK,OAAQ,CACJnU,IAAKoJ,EAAOjG,KACZ0E,OAAQuB,EAAOvB,OAAOjG,WACtBhD,KAAM,aAEV6U,OAAQ,YACRW,QAAS,GACT/L,YAAWA,IAEnB,EACa6L,GAAqB,SAAU/Q,GACxC,MAAO,YAAPpH,OAAmB+K,GAAS3D,GAChC,0CChBA,IAAIkR,GAQJ,MAAMC,GAAkBC,GAAWF,GAAcE,EAK3CC,GAAsGC,SAE5G,SAASC,GAETC,GACI,OAAQA,GACS,iBAANA,GAC+B,oBAAtC1a,OAAOC,UAAU0H,SAAShG,KAAK+Y,IACX,mBAAbA,EAAEC,MACjB,CAMA,IAAIC,IACJ,SAAWA,GAQPA,EAAqB,OAAI,SAMzBA,EAA0B,YAAI,eAM9BA,EAA4B,cAAI,gBAEnC,CAtBD,CAsBGA,KAAiBA,GAAe,CAAC,IAEpC,MAAMC,GAA8B,oBAAXpR,OAOnBqR,GAA6F,oBAA1BC,uBAAyCA,uBAAiEF,GAY7KG,GAAwB,KAAyB,iBAAXvR,QAAuBA,OAAOA,SAAWA,OAC/EA,OACgB,iBAATwR,MAAqBA,KAAKA,OAASA,KACtCA,KACkB,iBAAXC,QAAuBA,OAAOA,SAAWA,OAC5CA,OACsB,iBAAfC,WACHA,WACA,CAAEC,YAAa,MARH,GAkB9B,SAAShU,GAASJ,EAAKvF,EAAM4Z,GACzB,MAAMC,EAAM,IAAIC,eAChBD,EAAI9G,KAAK,MAAOxN,GAChBsU,EAAIE,aAAe,OACnBF,EAAIG,OAAS,WACTC,GAAOJ,EAAI7J,SAAUhQ,EAAM4Z,EAC/B,EACAC,EAAIK,QAAU,WACVC,GAAQzV,MAAM,0BAClB,EACAmV,EAAIO,MACR,CACA,SAASC,GAAY9U,GACjB,MAAMsU,EAAM,IAAIC,eAEhBD,EAAI9G,KAAK,OAAQxN,GAAK,GACtB,IACIsU,EAAIO,MACR,CACA,MAAOtI,GAAK,CACZ,OAAO+H,EAAI5J,QAAU,KAAO4J,EAAI5J,QAAU,GAC9C,CAEA,SAASpK,GAAMrD,GACX,IACIA,EAAK8X,cAAc,IAAIC,WAAW,SACtC,CACA,MAAOzI,GACH,MAAMxS,EAAMmG,SAAS+U,YAAY,eACjClb,EAAImb,eAAe,SAAS,GAAM,EAAMzS,OAAQ,EAAG,EAAG,EAAG,GAAI,IAAI,GAAO,GAAO,GAAO,EAAO,EAAG,MAChGxF,EAAK8X,cAAchb,EACvB,CACJ,CACA,MAAMob,GACgB,iBAAdC,UAAyBA,UAAY,CAAEC,UAAW,IAIpDC,GAA+B,KAAO,YAAYC,KAAKJ,GAAWE,YACpE,cAAcE,KAAKJ,GAAWE,aAC7B,SAASE,KAAKJ,GAAWE,WAFO,GAG/BX,GAAUb,GAGqB,oBAAtB2B,mBACH,aAAcA,kBAAkBvc,YAC/Bqc,GAOb,SAAwBG,EAAMhb,EAAO,WAAY4Z,GAC7C,MAAMrO,EAAI9F,SAASC,cAAc,KACjC6F,EAAE5F,SAAW3F,EACbuL,EAAE0P,IAAM,WAGY,iBAATD,GAEPzP,EAAE3F,KAAOoV,EACLzP,EAAE2P,SAAWjT,SAASiT,OAClBb,GAAY9O,EAAE3F,MACdD,GAASqV,EAAMhb,EAAM4Z,IAGrBrO,EAAEsD,OAAS,SACXhJ,GAAM0F,IAIV1F,GAAM0F,KAKVA,EAAE3F,KAAOuV,IAAIC,gBAAgBJ,GAC7BK,YAAW,WACPF,IAAIG,gBAAgB/P,EAAE3F,KAC1B,GAAG,KACHyV,YAAW,WACPxV,GAAM0F,EACV,GAAG,GAEX,EApCgB,qBAAsBmP,GAqCtC,SAAkBM,EAAMhb,EAAO,WAAY4Z,GACvC,GAAoB,iBAAToB,EACP,GAAIX,GAAYW,GACZrV,GAASqV,EAAMhb,EAAM4Z,OAEpB,CACD,MAAMrO,EAAI9F,SAASC,cAAc,KACjC6F,EAAE3F,KAAOoV,EACTzP,EAAEsD,OAAS,SACXwM,YAAW,WACPxV,GAAM0F,EACV,GACJ,MAIAoP,UAAUY,iBA/GlB,SAAaP,GAAM,QAAEQ,GAAU,GAAU,CAAC,GAGtC,OAAIA,GACA,6EAA6EV,KAAKE,EAAKxX,MAChF,IAAIiY,KAAK,CAACzP,OAAO0P,aAAa,OAASV,GAAO,CAAExX,KAAMwX,EAAKxX,OAE/DwX,CACX,CAuGmCW,CAAIX,EAAMpB,GAAO5Z,EAEpD,EACA,SAAyBgb,EAAMhb,EAAM4Z,EAAMgC,GAOvC,IAJAA,EAAQA,GAAS7I,KAAK,GAAI,aAEtB6I,EAAMnW,SAASoW,MAAQD,EAAMnW,SAASkS,KAAKmE,UAAY,kBAEvC,iBAATd,EACP,OAAOrV,GAASqV,EAAMhb,EAAM4Z,GAChC,MAAMmC,EAAsB,6BAAdf,EAAKxX,KACbwY,EAAW,eAAelB,KAAK9O,OAAOuN,GAAQI,eAAiB,WAAYJ,GAC3E0C,EAAc,eAAenB,KAAKH,UAAUC,WAClD,IAAKqB,GAAgBF,GAASC,GAAanB,KACjB,oBAAfqB,WAA4B,CAEnC,MAAMC,EAAS,IAAID,WACnBC,EAAOC,UAAY,WACf,IAAI7W,EAAM4W,EAAOhX,OACjB,GAAmB,iBAARI,EAEP,MADAqW,EAAQ,KACF,IAAIhQ,MAAM,4BAEpBrG,EAAM0W,EACA1W,EACAA,EAAI8W,QAAQ,eAAgB,yBAC9BT,EACAA,EAAM3T,SAASrC,KAAOL,EAGtB0C,SAASqU,OAAO/W,GAEpBqW,EAAQ,IACZ,EACAO,EAAOI,cAAcvB,EACzB,KACK,CACD,MAAMzV,EAAM4V,IAAIC,gBAAgBJ,GAC5BY,EACAA,EAAM3T,SAASqU,OAAO/W,GAEtB0C,SAASrC,KAAOL,EACpBqW,EAAQ,KACRP,YAAW,WACPF,IAAIG,gBAAgB/V,EACxB,GAAG,IACP,CACJ,EA7GM,OAqHN,SAASiX,GAAatM,EAAS1M,GAC3B,MAAMiZ,EAAe,MAAQvM,EACS,mBAA3BwM,uBAEPA,uBAAuBD,EAAcjZ,GAEvB,UAATA,EACL2W,GAAQzV,MAAM+X,GAEA,SAATjZ,EACL2W,GAAQwC,KAAKF,GAGbtC,GAAQyC,IAAIH,EAEpB,CACA,SAASI,GAAQ5D,GACb,MAAO,OAAQA,GAAK,YAAaA,CACrC,CAMA,SAAS6D,KACL,KAAM,cAAenC,WAEjB,OADA6B,GAAa,iDAAkD,UACxD,CAEf,CACA,SAASO,GAAqBrY,GAC1B,SAAIA,aAAiBkH,OACjBlH,EAAMwL,QAAQ8M,cAAcrM,SAAS,8BACrC6L,GAAa,kGAAmG,SACzG,EAGf,CAwCA,IAAIS,GAyCJ,SAASC,GAAgBrE,EAAOjE,GAC5B,IAAK,MAAMzN,KAAOyN,EAAO,CACrB,MAAMuI,EAAatE,EAAMjE,MAAMwI,MAAMjW,GAEjCgW,EACA5e,OAAO+d,OAAOa,EAAYvI,EAAMzN,IAIhC0R,EAAMjE,MAAMwI,MAAMjW,GAAOyN,EAAMzN,EAEvC,CACJ,CAEA,SAASkW,GAAcC,GACnB,MAAO,CACHC,QAAS,CACLD,WAGZ,CACA,MAAME,GAAmB,kBACnBC,GAAgB,QACtB,SAASC,GAA4BC,GACjC,OAAOd,GAAQc,GACT,CACE3a,GAAIya,GACJrM,MAAOoM,IAET,CACExa,GAAI2a,EAAMC,IACVxM,MAAOuM,EAAMC,IAEzB,CAmDA,SAASC,GAAgB9d,GACrB,OAAKA,EAEDa,MAAMkd,QAAQ/d,GAEPA,EAAO+J,QAAO,CAAC1B,EAAMjJ,KACxBiJ,EAAK2V,KAAKve,KAAKL,EAAMgI,KACrBiB,EAAK4V,WAAWxe,KAAKL,EAAMqE,MAC3B4E,EAAK6V,SAAS9e,EAAMgI,KAAOhI,EAAM8e,SACjC7V,EAAK8V,SAAS/e,EAAMgI,KAAOhI,EAAM+e,SAC1B9V,IACR,CACC6V,SAAU,CAAC,EACXF,KAAM,GACNC,WAAY,GACZE,SAAU,CAAC,IAIR,CACHC,UAAWd,GAActd,EAAOyD,MAChC2D,IAAKkW,GAActd,EAAOoH,KAC1B8W,SAAUle,EAAOke,SACjBC,SAAUne,EAAOme,UArBd,CAAC,CAwBhB,CACA,SAASE,GAAmB5a,GACxB,OAAQA,GACJ,KAAK2V,GAAakF,OACd,MAAO,WACX,KAAKlF,GAAamF,cAElB,KAAKnF,GAAaoF,YACd,MAAO,SACX,QACI,MAAO,UAEnB,CAGA,IAAIC,IAAmB,EACvB,MAAMC,GAAsB,GACtBC,GAAqB,kBACrBC,GAAe,SACbrC,OAAQsC,IAAargB,OAOvBsgB,GAAgB7b,GAAO,MAAQA,EAQrC,SAAS8b,GAAsBC,EAAKlG,IAChC,SAAoB,CAChB7V,GAAI,gBACJoO,MAAO,WACP4N,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,uBACAM,QACAI,IACuB,mBAAZA,EAAIC,KACX5C,GAAa,2MAEjB2C,EAAIE,iBAAiB,CACjBrc,GAAI0b,GACJtN,MAAO,WACPkO,MAAO,WAEXH,EAAII,aAAa,CACbvc,GAAI2b,GACJvN,MAAO,WACPG,KAAM,UACNiO,sBAAuB,gBACvBC,QAAS,CACL,CACIlO,KAAM,eACNzO,OAAQ,MA1P5BoC,eAAqC2T,GACjC,IAAIiE,KAEJ,UACUnC,UAAU+E,UAAUC,UAAUrZ,KAAKC,UAAUsS,EAAMjE,MAAMwI,QAC/DZ,GAAa,oCACjB,CACA,MAAO9X,GACH,GAAIqY,GAAqBrY,GACrB,OACJ8X,GAAa,qEAAsE,SACnFrC,GAAQzV,MAAMA,EAClB,CACJ,CA8OwBkb,CAAsB/G,EAAM,EAEhCgH,QAAS,gCAEb,CACItO,KAAM,gBACNzO,OAAQoC,gBAnP5BA,eAAsC2T,GAClC,IAAIiE,KAEJ,IACII,GAAgBrE,EAAOvS,KAAKQ,YAAY6T,UAAU+E,UAAUI,aAC5DtD,GAAa,sCACjB,CACA,MAAO9X,GACH,GAAIqY,GAAqBrY,GACrB,OACJ8X,GAAa,sFAAuF,SACpGrC,GAAQzV,MAAMA,EAClB,CACJ,CAuO8Bqb,CAAuBlH,GAC7BsG,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,GAAa,EAExCkB,QAAS,wDAEb,CACItO,KAAM,OACNzO,OAAQ,MA9O5BoC,eAAqC2T,GACjC,IACIoB,GAAO,IAAIwB,KAAK,CAACnV,KAAKC,UAAUsS,EAAMjE,MAAMwI,QAAS,CACjD5Z,KAAM,6BACN,mBACR,CACA,MAAOkB,GACH8X,GAAa,0EAA2E,SACxFrC,GAAQzV,MAAMA,EAClB,CACJ,CAqOwBwb,CAAsBrH,EAAM,EAEhCgH,QAAS,iCAEb,CACItO,KAAM,cACNzO,OAAQoC,gBAhN5BA,eAAyC2T,GACrC,IACI,MAAM9F,GA1BLkK,KACDA,GAAYxX,SAASC,cAAc,SACnCuX,GAAUzZ,KAAO,OACjByZ,GAAUkD,OAAS,SAEvB,WACI,OAAO,IAAIpb,SAAQ,CAACC,EAASiI,KACzBgQ,GAAUmD,SAAWlb,UACjB,MAAMmB,EAAQ4W,GAAU5W,MACxB,IAAKA,EACD,OAAOrB,EAAQ,MACnB,MAAMqb,EAAOha,EAAMia,KAAK,GACxB,OAEOtb,EAFFqb,EAEU,CAAEE,WAAYF,EAAKE,OAAQF,QADvB,KAC8B,EAGrDpD,GAAUuD,SAAW,IAAMxb,EAAQ,MACnCiY,GAAU/C,QAAUjN,EACpBgQ,GAAUpX,OAAO,GAEzB,GAMUV,QAAe4N,IACrB,IAAK5N,EACD,OACJ,MAAM,KAAEob,EAAI,KAAEF,GAASlb,EACvB+X,GAAgBrE,EAAOvS,KAAKQ,MAAMyZ,IAClC/D,GAAa,+BAA+B6D,EAAKrgB,SACrD,CACA,MAAO0E,GACH8X,GAAa,4EAA6E,SAC1FrC,GAAQzV,MAAMA,EAClB,CACJ,CAmM8B+b,CAA0B5H,GAChCsG,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,GAAa,EAExCkB,QAAS,sCAGjBa,YAAa,CACT,CACInP,KAAM,UACNsO,QAAS,kCACT/c,OAAS6d,IACL,MAAMhD,EAAQ9E,EAAMxD,GAAGuL,IAAID,GACtBhD,EAG4B,mBAAjBA,EAAMkD,OAClBrE,GAAa,iBAAiBmE,kEAAwE,SAGtGhD,EAAMkD,SACNrE,GAAa,UAAUmE,cAPvBnE,GAAa,iBAAiBmE,oCAA0C,OAQ5E,MAKhBxB,EAAIxd,GAAGmf,kBAAiB,CAACC,EAASC,KAC9B,MAAM1L,EAASyL,EAAQE,mBACnBF,EAAQE,kBAAkB3L,MAC9B,GAAIA,GAASA,EAAM4L,SAAU,CACzB,MAAMC,EAAcJ,EAAQE,kBAAkB3L,MAAM4L,SACpD3iB,OAAO6iB,OAAOD,GAAaE,SAAS1D,IAChCoD,EAAQO,aAAa1M,MAAMpV,KAAK,CAC5BgE,KAAMqb,GAAalB,EAAMC,KACzBzW,IAAK,QACLoa,UAAU,EACVnE,MAAOO,EAAM6D,cACP,CACEjE,QAAS,CACLH,OAAO,SAAMO,EAAM8D,QACnBhC,QAAS,CACL,CACIlO,KAAM,UACNsO,QAAS,gCACT/c,OAAQ,IAAM6a,EAAMkD,aAMhCtiB,OAAOwf,KAAKJ,EAAM8D,QAAQ3X,QAAO,CAAC8K,EAAOzN,KACrCyN,EAAMzN,GAAOwW,EAAM8D,OAAOta,GACnByN,IACR,CAAC,KAEZ+I,EAAM+D,UAAY/D,EAAM+D,SAAShhB,QACjCqgB,EAAQO,aAAa1M,MAAMpV,KAAK,CAC5BgE,KAAMqb,GAAalB,EAAMC,KACzBzW,IAAK,UACLoa,UAAU,EACVnE,MAAOO,EAAM+D,SAAS5X,QAAO,CAAC6X,EAASxa,KACnC,IACIwa,EAAQxa,GAAOwW,EAAMxW,EACzB,CACA,MAAOzC,GAEHid,EAAQxa,GAAOzC,CACnB,CACA,OAAOid,CAAO,GACf,CAAC,IAEZ,GAER,KAEJxC,EAAIxd,GAAGigB,kBAAkBb,IACrB,GAAIA,EAAQhC,MAAQA,GAAOgC,EAAQc,cAAgBlD,GAAc,CAC7D,IAAImD,EAAS,CAACjJ,GACdiJ,EAASA,EAAOzhB,OAAOO,MAAMmhB,KAAKlJ,EAAMxD,GAAG+L,WAC3CL,EAAQiB,WAAajB,EAAQpT,OACvBmU,EAAOnU,QAAQgQ,GAAU,QAASA,EAC9BA,EAAMC,IACHZ,cACArM,SAASoQ,EAAQpT,OAAOqP,eAC3BQ,GAAiBR,cAAcrM,SAASoQ,EAAQpT,OAAOqP,iBAC3D8E,GAAQ9d,IAAI0Z,GACtB,KAEJyB,EAAIxd,GAAGsgB,mBAAmBlB,IACtB,GAAIA,EAAQhC,MAAQA,GAAOgC,EAAQc,cAAgBlD,GAAc,CAC7D,MAAMuD,EAAiBnB,EAAQJ,SAAWlD,GACpC5E,EACAA,EAAMxD,GAAGuL,IAAIG,EAAQJ,QAC3B,IAAKuB,EAGD,OAEAA,IACAnB,EAAQnM,MApQ5B,SAAsC+I,GAClC,GAAId,GAAQc,GAAQ,CAChB,MAAMwE,EAAavhB,MAAMmhB,KAAKpE,EAAMtI,GAAG0I,QACjCqE,EAAWzE,EAAMtI,GACjBT,EAAQ,CACVA,MAAOuN,EAAWne,KAAKqe,IAAY,CAC/Bd,UAAU,EACVpa,IAAKkb,EACLjF,MAAOO,EAAM/I,MAAMwI,MAAMiF,OAE7BV,QAASQ,EACJxU,QAAQ3K,GAAOof,EAASxB,IAAI5d,GAAI0e,WAChC1d,KAAKhB,IACN,MAAM2a,EAAQyE,EAASxB,IAAI5d,GAC3B,MAAO,CACHue,UAAU,EACVpa,IAAKnE,EACLoa,MAAOO,EAAM+D,SAAS5X,QAAO,CAAC6X,EAASxa,KACnCwa,EAAQxa,GAAOwW,EAAMxW,GACdwa,IACR,CAAC,GACP,KAGT,OAAO/M,CACX,CACA,MAAMA,EAAQ,CACVA,MAAOrW,OAAOwf,KAAKJ,EAAM8D,QAAQzd,KAAKmD,IAAQ,CAC1Coa,UAAU,EACVpa,MACAiW,MAAOO,EAAM8D,OAAOta,QAkB5B,OAdIwW,EAAM+D,UAAY/D,EAAM+D,SAAShhB,SACjCkU,EAAM+M,QAAUhE,EAAM+D,SAAS1d,KAAKse,IAAe,CAC/Cf,UAAU,EACVpa,IAAKmb,EACLlF,MAAOO,EAAM2E,QAGjB3E,EAAM4E,kBAAkB/V,OACxBoI,EAAM4N,iBAAmB5hB,MAAMmhB,KAAKpE,EAAM4E,mBAAmBve,KAAKmD,IAAQ,CACtEoa,UAAU,EACVpa,MACAiW,MAAOO,EAAMxW,QAGdyN,CACX,CAmNoC6N,CAA6BP,GAErD,KAEJ/C,EAAIxd,GAAG+gB,oBAAmB,CAAC3B,EAASC,KAChC,GAAID,EAAQhC,MAAQA,GAAOgC,EAAQc,cAAgBlD,GAAc,CAC7D,MAAMuD,EAAiBnB,EAAQJ,SAAWlD,GACpC5E,EACAA,EAAMxD,GAAGuL,IAAIG,EAAQJ,QAC3B,IAAKuB,EACD,OAAO1F,GAAa,UAAUuE,EAAQJ,oBAAqB,SAE/D,MAAM,KAAElZ,GAASsZ,EACZlE,GAAQqF,GAUTza,EAAKkb,QAAQ,SARO,IAAhBlb,EAAK/G,QACJwhB,EAAeK,kBAAkBjkB,IAAImJ,EAAK,OAC3CA,EAAK,KAAMya,EAAeT,SAC1Bha,EAAKkb,QAAQ,UAOrBnE,IAAmB,EACnBuC,EAAQ6B,IAAIV,EAAgBza,EAAMsZ,EAAQnM,MAAMwI,OAChDoB,IAAmB,CACvB,KAEJW,EAAIxd,GAAGkhB,oBAAoB9B,IACvB,GAAIA,EAAQvd,KAAK8D,WAAW,MAAO,CAC/B,MAAM+a,EAAUtB,EAAQvd,KAAK6Y,QAAQ,SAAU,IACzCsB,EAAQ9E,EAAMxD,GAAGuL,IAAIyB,GAC3B,IAAK1E,EACD,OAAOnB,GAAa,UAAU6F,eAAsB,SAExD,MAAM,KAAE5a,GAASsZ,EACjB,GAAgB,UAAZtZ,EAAK,GACL,OAAO+U,GAAa,2BAA2B6F,QAAc5a,kCAIjEA,EAAK,GAAK,SACV+W,IAAmB,EACnBuC,EAAQ6B,IAAIjF,EAAOlW,EAAMsZ,EAAQnM,MAAMwI,OACvCoB,IAAmB,CACvB,IACF,GAEV,CAgLA,IACIsE,GADAC,GAAkB,EAUtB,SAASC,GAAuBrF,EAAOsF,EAAaC,GAEhD,MAAMzD,EAAUwD,EAAYnZ,QAAO,CAACqZ,EAAcC,KAE9CD,EAAaC,IAAc,SAAMzF,GAAOyF,GACjCD,IACR,CAAC,GACJ,IAAK,MAAMC,KAAc3D,EACrB9B,EAAMyF,GAAc,WAEhB,MAAMC,EAAYN,GACZO,EAAeJ,EACf,IAAIK,MAAM5F,EAAO,CACfiD,IAAG,IAAIxf,KACH0hB,GAAeO,EACRG,QAAQ5C,OAAOxf,IAE1BwhB,IAAG,IAAIxhB,KACH0hB,GAAeO,EACRG,QAAQZ,OAAOxhB,MAG5Buc,EAENmF,GAAeO,EACf,MAAMI,EAAWhE,EAAQ2D,GAAY3hB,MAAM6hB,EAAchiB,WAGzD,OADAwhB,QAAethB,EACRiiB,CACX,CAER,CAIA,SAASC,IAAe,IAAE3E,EAAG,MAAEpB,EAAK,QAAEtU,IAElC,GAAIsU,EAAMC,IAAItW,WAAW,UACrB,OAGJqW,EAAM6D,gBAAkBnY,EAAQuL,MAChCoO,GAAuBrF,EAAOpf,OAAOwf,KAAK1U,EAAQoW,SAAU9B,EAAM6D,eAElE,MAAMmC,EAAoBhG,EAAMiG,YAChC,SAAMjG,GAAOiG,WAAa,SAAUC,GAChCF,EAAkBliB,MAAMzC,KAAMsC,WAC9B0hB,GAAuBrF,EAAOpf,OAAOwf,KAAK8F,EAASC,YAAYrE,WAAY9B,EAAM6D,cACrF,EAzOJ,SAA4BzC,EAAKpB,GACxBc,GAAoB9N,SAASkO,GAAalB,EAAMC,OACjDa,GAAoBjf,KAAKqf,GAAalB,EAAMC,OAEhD,SAAoB,CAChB5a,GAAI,gBACJoO,MAAO,WACP4N,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,uBACAM,MACAgF,SAAU,CACNC,gBAAiB,CACb5S,MAAO,kCACP5N,KAAM,UACNygB,cAAc,MAQtB9E,IAEA,MAAMC,EAAyB,mBAAZD,EAAIC,IAAqBD,EAAIC,IAAI8E,KAAK/E,GAAO9S,KAAK+S,IACrEzB,EAAMwG,WAAU,EAAGC,QAAOC,UAASrkB,OAAMoB,WACrC,MAAMkjB,EAAUvB,KAChB5D,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTvf,MAAO,CACHslB,KAAMrF,IACNvD,MAAO,MAAQ7b,EACf0kB,SAAU,QACVtc,KAAM,CACFuV,MAAON,GAAcM,EAAMC,KAC3B9a,OAAQua,GAAcrd,GACtBoB,QAEJkjB,aAGRF,GAAOjf,IACH2d,QAAethB,EACf2d,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTvf,MAAO,CACHslB,KAAMrF,IACNvD,MAAO,MAAQ7b,EACf0kB,SAAU,MACVtc,KAAM,CACFuV,MAAON,GAAcM,EAAMC,KAC3B9a,OAAQua,GAAcrd,GACtBoB,OACA+D,UAEJmf,YAEN,IAEND,GAAS3f,IACLoe,QAAethB,EACf2d,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTvf,MAAO,CACHslB,KAAMrF,IACNuF,QAAS,QACT9I,MAAO,MAAQ7b,EACf0kB,SAAU,MACVtc,KAAM,CACFuV,MAAON,GAAcM,EAAMC,KAC3B9a,OAAQua,GAAcrd,GACtBoB,OACAsD,SAEJ4f,YAEN,GACJ,IACH,GACH3G,EAAM4E,kBAAkBlB,SAASrhB,KAC7B,UAAM,KAAM,SAAM2d,EAAM3d,MAAQ,CAACke,EAAUD,KACvCkB,EAAIyF,wBACJzF,EAAIc,mBAAmBtB,IACnBH,IACAW,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTvf,MAAO,CACHslB,KAAMrF,IACNvD,MAAO,SACP6I,SAAU1kB,EACVoI,KAAM,CACF8V,WACAD,YAEJqG,QAASxB,KAGrB,GACD,CAAE+B,MAAM,GAAO,IAEtBlH,EAAMmH,YAAW,EAAG/kB,SAAQyD,QAAQoR,KAGhC,GAFAuK,EAAIyF,wBACJzF,EAAIc,mBAAmBtB,KAClBH,GACD,OAEJ,MAAMuG,EAAY,CACdN,KAAMrF,IACNvD,MAAOuC,GAAmB5a,GAC1B4E,KAAMwW,GAAS,CAAEjB,MAAON,GAAcM,EAAMC,MAAQC,GAAgB9d,IACpEukB,QAASxB,IAETtf,IAAS2V,GAAamF,cACtByG,EAAUL,SAAW,KAEhBlhB,IAAS2V,GAAaoF,YAC3BwG,EAAUL,SAAW,KAEhB3kB,IAAWa,MAAMkd,QAAQ/d,KAC9BglB,EAAUL,SAAW3kB,EAAOyD,MAE5BzD,IACAglB,EAAU3c,KAAK,eAAiB,CAC5BmV,QAAS,CACLD,QAAS,gBACT9Z,KAAM,SACNqc,QAAS,sBACTzC,MAAOrd,KAInBof,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTvf,MAAO4lB,GACT,GACH,CAAEC,UAAU,EAAMC,MAAO,SAC5B,MAAMC,EAAYvH,EAAMiG,WACxBjG,EAAMiG,YAAa,UAASC,IACxBqB,EAAUrB,GACV1E,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTvf,MAAO,CACHslB,KAAMrF,IACNvD,MAAO,MAAQ8B,EAAMC,IACrB8G,SAAU,aACVtc,KAAM,CACFuV,MAAON,GAAcM,EAAMC,KAC3B1G,KAAMmG,GAAc,kBAKhC8B,EAAIyF,wBACJzF,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,GAAa,IAExC,MAAM,SAAEwG,GAAaxH,EACrBA,EAAMwH,SAAW,KACbA,IACAhG,EAAIyF,wBACJzF,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,IACvBQ,EAAIiG,cAAcpB,iBACdxH,GAAa,aAAamB,EAAMC,gBAAgB,EAGxDuB,EAAIyF,wBACJzF,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,IACvBQ,EAAIiG,cAAcpB,iBACdxH,GAAa,IAAImB,EAAMC,0BAA0B,GAE7D,CA4DIyH,CAAmBtG,EAEnBpB,EACJ,CAuJA,MAAM2H,GAAO,OACb,SAASC,GAAgBC,EAAe/T,EAAUuT,EAAUS,EAAYH,IACpEE,EAAchmB,KAAKiS,GACnB,MAAMiU,EAAqB,KACvB,MAAMC,EAAMH,EAAcI,QAAQnU,GAC9BkU,GAAO,IACPH,EAAcK,OAAOF,EAAK,GAC1BF,IACJ,EAKJ,OAHKT,IAAY,aACb,SAAeU,GAEZA,CACX,CACA,SAASI,GAAqBN,KAAkBpkB,GAC5CokB,EAAcrlB,QAAQkhB,SAAS5P,IAC3BA,KAAYrQ,EAAK,GAEzB,CAEA,MAAM2kB,GAA0BlnB,GAAOA,IACvC,SAASmnB,GAAqBnX,EAAQoX,GAE9BpX,aAAkBqX,KAAOD,aAAwBC,KACjDD,EAAa5E,SAAQ,CAACjE,EAAOjW,IAAQ0H,EAAO+T,IAAIzb,EAAKiW,KAGrDvO,aAAkBsX,KAAOF,aAAwBE,KACjDF,EAAa5E,QAAQxS,EAAO5J,IAAK4J,GAGrC,IAAK,MAAM1H,KAAO8e,EAAc,CAC5B,IAAKA,EAAaxnB,eAAe0I,GAC7B,SACJ,MAAMif,EAAWH,EAAa9e,GACxBkf,EAAcxX,EAAO1H,GACvB6R,GAAcqN,IACdrN,GAAcoN,IACdvX,EAAOpQ,eAAe0I,MACrB,SAAMif,MACN,SAAWA,GAIZvX,EAAO1H,GAAO6e,GAAqBK,EAAaD,GAIhDvX,EAAO1H,GAAOif,CAEtB,CACA,OAAOvX,CACX,CACA,MAAMyX,GAE2BvN,SAC3BwN,GAA+B,IAAIC,SAyBjClK,OAAM,IAAK/d,OA8CnB,SAASkoB,GAAiB7I,EAAK8I,EAAOrd,EAAU,CAAC,EAAGwP,EAAO8N,EAAKC,GAC5D,IAAI1f,EACJ,MAAM2f,EAAmB,GAAO,CAAEpH,QAAS,CAAC,GAAKpW,GAM3Cyd,EAAoB,CACtBjC,MAAM,GAwBV,IAAIkC,EACAC,EAGAC,EAFAzB,EAAgB,GAChB0B,EAAsB,GAE1B,MAAMC,EAAetO,EAAMjE,MAAMwI,MAAMQ,GAGlCgJ,GAAmBO,IAEhB,OACA,SAAItO,EAAMjE,MAAMwI,MAAOQ,EAAK,CAAC,GAG7B/E,EAAMjE,MAAMwI,MAAMQ,GAAO,CAAC,GAGlC,MAAMwJ,GAAW,SAAI,CAAC,GAGtB,IAAIC,EACJ,SAASC,EAAOC,GACZ,IAAIC,EACJT,EAAcC,GAAkB,EAMK,mBAA1BO,GACPA,EAAsB1O,EAAMjE,MAAMwI,MAAMQ,IACxC4J,EAAuB,CACnBhkB,KAAM2V,GAAamF,cACnB+D,QAASzE,EACT7d,OAAQknB,KAIZjB,GAAqBnN,EAAMjE,MAAMwI,MAAMQ,GAAM2J,GAC7CC,EAAuB,CACnBhkB,KAAM2V,GAAaoF,YACnBwC,QAASwG,EACTlF,QAASzE,EACT7d,OAAQknB,IAGhB,MAAMQ,EAAgBJ,EAAiBtO,UACvC,WAAW2O,MAAK,KACRL,IAAmBI,IACnBV,GAAc,EAClB,IAEJC,GAAkB,EAElBlB,GAAqBN,EAAegC,EAAsB3O,EAAMjE,MAAMwI,MAAMQ,GAChF,CACA,MAAMiD,EAAS+F,EACT,WACE,MAAM,MAAEhS,GAAUvL,EACZse,EAAW/S,EAAQA,IAAU,CAAC,EAEpC5V,KAAKsoB,QAAQ7F,IACT,GAAOA,EAAQkG,EAAS,GAEhC,EAMUrC,GAcd,SAASsC,EAAW5nB,EAAM8C,GACtB,OAAO,WACH8V,GAAeC,GACf,MAAMzX,EAAOR,MAAMmhB,KAAKzgB,WAClBumB,EAAoB,GACpBC,EAAsB,GAe5B,IAAIC,EAPJjC,GAAqBoB,EAAqB,CACtC9lB,OACApB,OACA2d,QACAyG,MAXJ,SAAe3S,GACXoW,EAAkBroB,KAAKiS,EAC3B,EAUI4S,QATJ,SAAiB5S,GACbqW,EAAoBtoB,KAAKiS,EAC7B,IAUA,IACIsW,EAAMjlB,EAAOrB,MAAMzC,MAAQA,KAAK4e,MAAQA,EAAM5e,KAAO2e,EAAOvc,EAEhE,CACA,MAAOsD,GAEH,MADAohB,GAAqBgC,EAAqBpjB,GACpCA,CACV,CACA,OAAIqjB,aAAehjB,QACRgjB,EACFL,MAAMtK,IACP0I,GAAqB+B,EAAmBzK,GACjCA,KAENxL,OAAOlN,IACRohB,GAAqBgC,EAAqBpjB,GACnCK,QAAQkI,OAAOvI,OAI9BohB,GAAqB+B,EAAmBE,GACjCA,EACX,CACJ,CACA,MAAMjE,GAA4B,SAAQ,CACtCrE,QAAS,CAAC,EACVkC,QAAS,CAAC,EACV/M,MAAO,GACPwS,aAEEY,EAAe,CACjBC,GAAIpP,EAEJ+E,MACAuG,UAAWoB,GAAgBrB,KAAK,KAAMgD,GACtCI,SACAzG,SACA,UAAAiE,CAAWrT,EAAUpI,EAAU,CAAC,GAC5B,MAAMqc,EAAqBH,GAAgBC,EAAe/T,EAAUpI,EAAQ2b,UAAU,IAAMkD,MACtFA,EAAchhB,EAAMihB,KAAI,KAAM,UAAM,IAAMtP,EAAMjE,MAAMwI,MAAMQ,KAAOhJ,KAC/C,SAAlBvL,EAAQ4b,MAAmB+B,EAAkBD,IAC7CtV,EAAS,CACL4Q,QAASzE,EACTpa,KAAM2V,GAAakF,OACnBte,OAAQknB,GACTrS,EACP,GACD,GAAO,CAAC,EAAGkS,EAAmBzd,MACjC,OAAOqc,CACX,EACAP,SApFJ,WACIje,EAAMkhB,OACN5C,EAAgB,GAChB0B,EAAsB,GACtBrO,EAAMxD,GAAG7Q,OAAOoZ,EACpB,GAkFI,QAEAoK,EAAaK,IAAK,GAEtB,MAAM1K,GAAQ,SAAoDtE,GAC5D,GAAO,CACLyK,cACAvB,mBAAmB,SAAQ,IAAI4D,MAChC6B,GAIDA,GAGNnP,EAAMxD,GAAGuN,IAAIhF,EAAKD,GAClB,MAEM2K,GAFkBzP,EAAM0P,IAAM1P,EAAM0P,GAAGC,gBAAmBzC,KAE9B,IAAMlN,EAAM4P,GAAGN,KAAI,KAAOjhB,GAAQ,YAAeihB,IAAIzB,OAEvF,IAAK,MAAMvf,KAAOmhB,EAAY,CAC1B,MAAMI,EAAOJ,EAAWnhB,GACxB,IAAK,SAAMuhB,KAlQCzP,EAkQoByP,IAjQ1B,SAAMzP,KAAMA,EAAE0P,UAiQsB,SAAWD,GAOvC9B,KAEFO,IAjRGyB,EAiR2BF,EAhRvC,MAC2BnC,GAAejoB,IAAIsqB,GAC9C5P,GAAc4P,IAASA,EAAInqB,eAAe6nB,QA+Q7B,SAAMoC,GACNA,EAAKtL,MAAQ+J,EAAahgB,GAK1B6e,GAAqB0C,EAAMvB,EAAahgB,KAK5C,OACA,SAAI0R,EAAMjE,MAAMwI,MAAMQ,GAAMzW,EAAKuhB,GAGjC7P,EAAMjE,MAAMwI,MAAMQ,GAAKzW,GAAOuhB,QASrC,GAAoB,mBAATA,EAAqB,CAEjC,MAAMG,EAAsEjB,EAAWzgB,EAAKuhB,GAIxF,OACA,SAAIJ,EAAYnhB,EAAK0hB,GAIrBP,EAAWnhB,GAAO0hB,EAQtBhC,EAAiBpH,QAAQtY,GAAOuhB,CACpC,CAgBJ,CA9UJ,IAAuBE,EAMH3P,EA4ahB,GAjGI,MACA1a,OAAOwf,KAAKuK,GAAYjH,SAASla,KAC7B,SAAIwW,EAAOxW,EAAKmhB,EAAWnhB,GAAK,KAIpC,GAAOwW,EAAO2K,GAGd,IAAO,SAAM3K,GAAQ2K,IAKzB/pB,OAAOuqB,eAAenL,EAAO,SAAU,CACnCiD,IAAK,IAAyE/H,EAAMjE,MAAMwI,MAAMQ,GAChGgF,IAAMhO,IAKF0S,GAAQ7F,IACJ,GAAOA,EAAQ7M,EAAM,GACvB,IA0ENyE,GAAc,CACd,MAAM0P,EAAgB,CAClBC,UAAU,EACVC,cAAc,EAEdC,YAAY,GAEhB,CAAC,KAAM,cAAe,WAAY,qBAAqB7H,SAAS8H,IAC5D5qB,OAAOuqB,eAAenL,EAAOwL,EAAG,GAAO,CAAE/L,MAAOO,EAAMwL,IAAMJ,GAAe,GAEnF,CA6CA,OA3CI,QAEApL,EAAM0K,IAAK,GAGfxP,EAAMoP,GAAG5G,SAAS+H,IAEd,GAAI/P,GAAc,CACd,MAAMgQ,EAAaniB,EAAMihB,KAAI,IAAMiB,EAAS,CACxCzL,QACAoB,IAAKlG,EAAM0P,GACX1P,QACAxP,QAASwd,MAEbtoB,OAAOwf,KAAKsL,GAAc,CAAC,GAAGhI,SAASla,GAAQwW,EAAM4E,kBAAkBtd,IAAIkC,KAC3E,GAAOwW,EAAO0L,EAClB,MAEI,GAAO1L,EAAOzW,EAAMihB,KAAI,IAAMiB,EAAS,CACnCzL,QACAoB,IAAKlG,EAAM0P,GACX1P,QACAxP,QAASwd,MAEjB,IAYAM,GACAP,GACAvd,EAAQigB,SACRjgB,EAAQigB,QAAQ3L,EAAM8D,OAAQ0F,GAElCJ,GAAc,EACdC,GAAkB,EACXrJ,CACX,CAyRA,MCl6DM4L,IAAazS,EAAAA,GAAAA,GAAU,QAAS,SAAU,CAC5C0S,aAAa,EACbC,qBAAqB,EACrBC,sBAAsB,EACtBC,oBAAoB,EACpBC,WAAW,ICWF/Q,GFg7Bb,WACI,MAAM3R,GAAQ,UAAY,GAGpB0N,EAAQ1N,EAAMihB,KAAI,KAAM,SAAI,CAAC,KACnC,IAAIF,EAAK,GAEL4B,EAAgB,GACpB,MAAMhR,GAAQ,SAAQ,CAClB,OAAAiR,CAAQ/K,GAGJnG,GAAeC,GACV,QACDA,EAAM0P,GAAKxJ,EACXA,EAAIgL,QAAQjR,GAAaD,GACzBkG,EAAIiL,OAAOC,iBAAiBC,OAASrR,EAEjCQ,IACAyF,GAAsBC,EAAKlG,GAE/BgR,EAAcxI,SAAS8I,GAAWlC,EAAGzoB,KAAK2qB,KAC1CN,EAAgB,GAExB,EACA,GAAAO,CAAID,GAOA,OANKnrB,KAAKupB,IAAO,MAIbN,EAAGzoB,KAAK2qB,GAHRN,EAAcrqB,KAAK2qB,GAKhBnrB,IACX,EACAipB,KAGAM,GAAI,KACJE,GAAIvhB,EACJmO,GAAI,IAAI6Q,IACRtR,UAOJ,OAHIyE,IAAiC,oBAAVkK,OACvB1K,EAAMuR,IAAI1G,IAEP7K,CACX,CEh+BqBwR,GClBf5f,IAAS+D,EAAAA,EAAAA,MACT8b,GAAwBtkB,KAAKukB,MAAOle,KAAK+S,MAAQ,IAAS,UCoChEoL,EAAAA,EAAAA,IAAmBC,IACnBD,EAAAA,EAAAA,IAAmBE,IACnBF,EAAAA,EAAAA,IAAmBG,IACnBH,EAAAA,EAAAA,IAAmBI,IACnBJ,EAAAA,EAAAA,IAAmBK,KACnBL,EAAAA,EAAAA,IAAmBM,KACnBN,EAAAA,EAAAA,IAAmBO,KACnBP,EAAAA,EAAAA,IAAmBQ,KACnBR,EAAAA,EAAAA,IAAmBS,KACnBT,EAAAA,EAAAA,IAAmBU,KAEnBC,EAAAA,EAAAA,IAAoBC,KACpBD,EAAAA,EAAAA,IAAoBE,KPEEvU,EAAAA,GAAAA,GAAU,QAAS,YAAa,IAExCuK,SAAQ,CAACiK,EAAU/c,MACzB4c,EAAAA,EAAAA,IAAoB,CAChBnoB,GAAI,gBAAF3C,OAAkBirB,EAASvM,IAAG,KAAA1e,OAAIkO,GACpCtL,YAAaqoB,EAASla,MAEtBma,UAAWD,EAASC,WAAa,YACjCxnB,QAAQjF,MACIA,EAAQmF,YAAcE,EAAAA,GAAWuM,QAE7CrL,MAAO,GACP,aAAM6Q,CAAQpX,EAASqX,GACnB,MAAMqV,EAAiB/T,GAAkB3Y,GACnCkB,QAAa0V,GAAY,GAADrV,OAAIirB,EAASla,OAAK/Q,OAAGirB,EAASG,WAAatV,EAAS,CAC9E/E,OAAOjO,EAAAA,EAAAA,IAAE,QAAS,YAClBnD,KAAMsrB,EAASla,QAEN,OAATpR,UAEqBwrB,GACdzY,KAAK/S,EAAMsrB,EAE1B,GACF,IElDV,MAEI,MAAMI,GAAkB5U,EAAAA,GAAAA,GAAU,QAAS,kBAAmB,IACxD6U,EAAuBD,EAAgB1nB,KAAI,CAAC0J,EAAQa,IAAU+J,GAA2B5K,EAAQa,KACvG5J,EAAAA,EAAOwL,MAAM,4BAA6B,CAAEub,oBAC5C,MAAME,GAAaC,EAAAA,EAAAA,MACnBD,EAAWE,SAAS,IAAIvT,EAAAA,GAAK,CACzBvV,GAAI,YACJhD,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,aACjB4oB,SAAS5oB,EAAAA,EAAAA,IAAE,QAAS,wCACpB6oB,YAAY7oB,EAAAA,EAAAA,IAAE,QAAS,oBACvB8oB,cAAc9oB,EAAAA,EAAAA,IAAE,QAAS,4DACzBoO,KAAMrI,EACN7D,MAAO,EACPqT,QAAS,GACT/L,YAAWA,MAEfgf,EAAqBtK,SAAQne,GAAQ0oB,EAAWE,SAAS5oB,MAIzDgpB,EAAAA,EAAAA,IAAU,yBAA0B1pB,IAAS,IAAA4E,EACrC5E,EAAKgB,OAASC,EAAAA,GAASG,SAIT,OAAdpB,EAAKiF,MAA2B,QAAVL,EAAC5E,EAAK6E,YAAI,IAAAD,GAATA,EAAWE,WAAW,UAIjD6kB,EAAe3pB,GAHXmC,EAAAA,EAAOD,MAAM,gDAAiD,CAAElC,SAGhD,KAKxB0pB,EAAAA,EAAAA,IAAU,2BAA4B1pB,IAAS,IAAA4pB,EACvC5pB,EAAKgB,OAASC,EAAAA,GAASG,SAIT,OAAdpB,EAAKiF,MAA2B,QAAV2kB,EAAC5pB,EAAK6E,YAAI,IAAA+kB,GAATA,EAAW9kB,WAAW,UAIjD+kB,EAAwB7pB,EAAKiF,MAHzB9C,EAAAA,EAAOD,MAAM,gDAAiD,CAAElC,SAGlC,IAMtC,MAAM8pB,EAAqB,WACvBZ,EAAgBa,MAAK,CAAChhB,EAAGC,IAAMD,EAAE9D,KAAK+kB,cAAchhB,EAAE/D,MAAMglB,EAAAA,EAAAA,MAAe,CAAEC,mBAAmB,MAChGhB,EAAgBrK,SAAQ,CAAC3T,EAAQa,KAC7B,MAAMrL,EAAOyoB,EAAqB3kB,MAAM9D,GAASA,EAAKF,KAAOwV,GAAmB9K,EAAOjG,QACnFvE,IACAA,EAAKmC,MAAQkJ,EACjB,GAER,EAEM4d,EAAiB,SAAU3pB,GAC7B,MAAMmqB,EAAoB,CAAEllB,KAAMjF,EAAKiF,KAAM0E,OAAQ3J,EAAK2J,QACpDjJ,EAAOoV,GAA2BqU,GAEpCjB,EAAgB1kB,MAAM0G,GAAWA,EAAOjG,OAASjF,EAAKiF,SAI1DikB,EAAgBlsB,KAAKmtB,GACrBhB,EAAqBnsB,KAAK0D,GAE1BopB,IACAV,EAAWE,SAAS5oB,GACxB,EAEMmpB,EAA0B,SAAU5kB,GACtC,MAAMzE,EAAKwV,GAAmB/Q,GACxB8G,EAAQmd,EAAgBkB,WAAWlf,GAAWA,EAAOjG,OAASA,KAErD,IAAX8G,IAIJmd,EAAgB7F,OAAOtX,EAAO,GAC9Bod,EAAqB9F,OAAOtX,EAAO,GAEnCqd,EAAWiB,OAAO7pB,GAClBspB,IACJ,CACH,EK9DDQ,IC9BuBjB,EAAAA,EAAAA,MACRC,SAAS,IAAIvT,EAAAA,GAAK,CACzBvV,GAAI,QACJhD,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,aACjB4oB,SAAS5oB,EAAAA,EAAAA,IAAE,QAAS,mCACpBoO,KAAMQ,GACN1M,MAAO,EACPsH,YAAWA,OCPIkf,EAAAA,EAAAA,MACRC,SAAS,IAAIvT,EAAAA,GAAK,CACzBvV,GAAI,SACJhD,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,UACjB4oB,SAAS5oB,EAAAA,EAAAA,IAAE,QAAS,gDACpB6oB,YAAY7oB,EAAAA,EAAAA,IAAE,QAAS,8BACvB8oB,cAAc9oB,EAAAA,EAAAA,IAAE,QAAS,8DACzBoO,6UACAlM,MAAO,EACP0nB,eAAgB,QAChBpgB,YHtBmBzH,iBAAsB,IAAA0C,EAAA,IAAfH,EAAInG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IACrC,MAAMqc,EFFwB,WAC9B,MAsBMqP,ED4mDV,SAEAC,EAAavG,EAAOwG,GAChB,IAAIlqB,EACAqG,EACJ,MAAM8jB,EAAgC,mBAAVzG,EAa5B,SAAS0G,EAASvU,EAAO8N,GACrB,MAAM0G,GAAa,WAoDnB,OAnDAxU,EAGuFA,IAC9EwU,GAAa,SAAOvU,GAAa,MAAQ,QAE9CF,GAAeC,IAMnBA,EAAQF,IACGtD,GAAG/W,IAAI0E,KAEVmqB,EACA1G,GAAiBzjB,EAAI0jB,EAAOrd,EAASwP,GAtgBrD,SAA4B7V,EAAIqG,EAASwP,EAAO8N,GAC5C,MAAM,MAAE/R,EAAK,QAAE6K,EAAO,QAAEkC,GAAYtY,EAC9B8d,EAAetO,EAAMjE,MAAMwI,MAAMpa,GACvC,IAAI2a,EAoCJA,EAAQ8I,GAAiBzjB,GAnCzB,WACSmkB,IAEG,OACA,SAAItO,EAAMjE,MAAMwI,MAAOpa,EAAI4R,EAAQA,IAAU,CAAC,GAG9CiE,EAAMjE,MAAMwI,MAAMpa,GAAM4R,EAAQA,IAAU,CAAC,GAInD,MAAM0Y,GAGA,SAAOzU,EAAMjE,MAAMwI,MAAMpa,IAC/B,OAAO,GAAOsqB,EAAY7N,EAASlhB,OAAOwf,KAAK4D,GAAW,CAAC,GAAG7X,QAAO,CAACyjB,EAAiBvtB,KAInFutB,EAAgBvtB,IAAQ,UAAQ,UAAS,KACrC4Y,GAAeC,GAEf,MAAM8E,EAAQ9E,EAAMxD,GAAGuL,IAAI5d,GAG3B,IAAI,OAAW2a,EAAM0K,GAKrB,OAAO1G,EAAQ3hB,GAAME,KAAKyd,EAAOA,EAAM,KAEpC4P,IACR,CAAC,GACR,GACoClkB,EAASwP,EAAO8N,GAAK,EAE7D,CAgegB6G,CAAmBxqB,EAAIqG,EAASwP,IAQ1BA,EAAMxD,GAAGuL,IAAI5d,EAyB/B,CAEA,MApE2B,iBAAhBiqB,GACPjqB,EAAKiqB,EAEL5jB,EAAU8jB,EAAeD,EAAexG,IAGxCrd,EAAU4jB,EACVjqB,EAAKiqB,EAAYjqB,IA4DrBoqB,EAASxP,IAAM5a,EACRoqB,CACX,CC7sDkBK,CAAY,aAAc,CACpC7Y,MAAOA,KAAA,CACH2U,gBAEJ9J,QAAS,CAILiO,QAAAA,CAASvmB,EAAKiW,GACVnU,EAAAA,GAAAA,IAAQjK,KAAKuqB,WAAYpiB,EAAKiW,EAClC,EAIA,YAAMuQ,CAAOxmB,EAAKiW,SACR7Y,EAAAA,EAAMqpB,KAAIxnB,EAAAA,EAAAA,IAAY,6BAA+Be,GAAM,CAC7DiW,WAEJtc,EAAAA,EAAAA,IAAK,uBAAwB,CAAEqG,MAAKiW,SACxC,IAGgBO,IAAMrc,WAQ9B,OANK0rB,EAAgBa,gBACjB3B,EAAAA,EAAAA,IAAU,wBAAwB,SAAAvZ,GAA0B,IAAhB,IAAExL,EAAG,MAAEiW,GAAOzK,EACtDqa,EAAgBU,SAASvmB,EAAKiW,EAClC,IACA4P,EAAgBa,cAAe,GAE5Bb,CACX,CE9BkBc,CAAmBjV,IAmB3BpL,SAXyBhD,GAAO4C,qBAAqB5F,EAAM,CAC7D6F,SAAS,EACTlF,MAAM2lB,EAAAA,EAAAA,IAAmBzD,IACzBrf,QAAS,CAELC,OAAQ,SAER,eAAgB,kCAEpB2Z,MAAM,KAEwBzc,KAClC,MAAO,CACHsF,OAAQ,IAAI9J,EAAAA,GAAO,CACfZ,GAAI,EACJ4B,OAAQ,GAAFvE,OAAK2tB,EAAAA,IAAY3tB,OAAGsO,EAAAA,IAC1BtH,KAAMsH,EAAAA,GACN5C,OAAuB,QAAhBnE,GAAAG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,MAAO,KAChC7D,YAAaE,EAAAA,GAAWuC,OAE5B+G,SAAUA,EAASzJ,KAAKiqB,IAAM5e,EAAAA,EAAAA,IAAgB4e,KAAItgB,QAvBhCnL,GAAkB,MAATiF,GACxBkW,EAAM4L,WAAWC,cAChBhnB,EAAKwG,QAAQsC,MAAM,KAAKjI,MAAMiB,GAAQA,EAAIgD,WAAW,SAuBjE,KIpBK,kBAAmBqT,UAEtB3S,OAAOkmB,iBAAiB,QAAQhpB,UAC/B,IACC,MAAMK,GAAMa,EAAAA,EAAAA,IAAY,wCAAyC,CAAC,EAAG,CAAE+nB,WAAW,IAC5EC,QAAqBzT,UAAU0T,cAAcvC,SAASvmB,EAAK,CAAE2B,MAAO,MAC1EvC,EAAAA,EAAOwL,MAAM,kBAAmB,CAAEie,gBACnC,CAAE,MAAO1pB,GACRC,EAAAA,EAAOD,MAAM,2BAA4B,CAAEA,SAC5C,KAGDC,EAAAA,EAAOwL,MAAM,mDHwBfme,EAAAA,EAAAA,IAAoB,YAAa,CAAEC,GAAI,6BACvCD,EAAAA,EAAAA,IAAoB,mBAAoB,CAAEC,GAAI,6BIvC1CD,EAAAA,EAAAA,IAAoB,+BAAgC,CAAEC,GAAI,sHCWvD,MAAMxf,EAAgB,SAAC/O,EAAMuT,GAChC,MAAMqG,EAAO,CACT3K,OAASD,GAAC,IAAA3O,OAAS2O,EAAC,KACpBE,qBAAqB,KAH0B5N,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,GAMvD,IAAIktB,EAAUxuB,EACVQ,EAAI,EACR,KAAO+S,EAAW5C,SAAS6d,IAAU,CACjC,MAAMC,EAAM7U,EAAK1K,oBAAsB,IAAKwf,EAAAA,EAAAA,SAAQ1uB,GAC9C2uB,GAAOnoB,EAAAA,EAAAA,UAASxG,EAAMyuB,GAC5BD,EAAU,GAAHnuB,OAAMsuB,EAAI,KAAAtuB,OAAIuZ,EAAK3K,OAAOzO,MAAIH,OAAGouB,EAC5C,CACA,OAAOD,CACX,EACaI,EAAiB,SAAUnnB,GACpC,MAAMonB,GAAgBpnB,EAAKH,WAAW,KAAOG,EAAO,IAAHpH,OAAOoH,IAAQ6D,MAAM,KACtE,IAAIwjB,EAAe,GAMnB,OALAD,EAAaxN,SAAS0N,IACF,KAAZA,IACAD,GAAgB,IAAMtY,mBAAmBuY,GAC7C,IAEGD,CACX,gHCtDIE,EAAgC,IAAI7T,IAAI,cACxC8T,EAAgC,IAAI9T,IAAI,cACxC+T,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwB1vB,KAAK,CAACuC,EAAOiB,GAAI,0hEAiEfmsB,+oCAyCAC,s+MA8QvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,24FAA24F,eAAiB,CAAC,sqUAAsqU,WAAa,MAElsa,4FCjYIF,QAA0B,GAA4B,KAE1DA,EAAwB1vB,KAAK,CAACuC,EAAOiB,GAAI,0zBAsCtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,yTAAyT,eAAiB,CAAC,2zBAA2zB,WAAa,MAEpxC,qBC1BA,SAASqsB,EAAcC,EAAWC,GAChC,OAAO,MAACD,EAAiCC,EAAID,CAC/C,CA8EAvtB,EAAOC,QA5EP,SAAiBqH,GAEf,IAbyBmmB,EAarBC,EAAMJ,GADVhmB,EAAUA,GAAW,CAAC,GACAomB,IAAK,GACvB1lB,EAAMslB,EAAIhmB,EAAQU,IAAK,GACvB2lB,EAAYL,EAAIhmB,EAAQqmB,WAAW,GACnCC,EAAqBN,EAAIhmB,EAAQsmB,oBAAoB,GAErDC,EAA2B,KAC3BC,EAAoC,KACpCC,EAAmC,KAEnCniB,GAtBqB6hB,EAsBMH,EAAIhmB,EAAQ0mB,oBAAqB,KArBzD,SAAUC,EAAgBzb,EAAO0b,GAEtC,OAAOD,EADOC,GAAMA,EAAKT,IACQjb,EAAQyb,EAC3C,GAoBA,SAASE,IACPC,EAAOpmB,EACT,CAWA,SAASomB,EAAOC,EAAwBC,GAKtC,GAJyB,iBAAdA,IACTA,EAAYhkB,KAAK+S,OAGfyQ,IAAkBQ,KAClBV,GAAsBG,IAAiBM,GAA3C,CAEA,GAAsB,OAAlBP,GAA2C,OAAjBC,EAG5B,OAFAA,EAAeM,OACfP,EAAgBQ,GAIlB,IACIC,EAAiB,MAASD,EAAYR,GACtCU,GAFgBH,EAAWN,GAEGQ,EAElCV,EAAgB,OAATA,EACHW,EACA5iB,EAAOiiB,EAAMW,EAAaD,GAC9BR,EAAeM,EACfP,EAAgBQ,CAhB+C,CAiBjE,CAkBA,MAAO,CACLH,MAAOA,EACPM,MApDF,WACEZ,EAAO,KACPC,EAAgB,KAChBC,EAAe,KACXJ,GACFQ,GAEJ,EA8CEC,OAAQA,EACRM,SApBF,SAAkBJ,GAChB,GAAqB,OAAjBP,EAAyB,OAAOY,IACpC,GAAIZ,GAAgBL,EAAO,OAAO,EAClC,GAAa,OAATG,EAAiB,OAAOc,IAE5B,IAAIC,GAAiBlB,EAAMK,GAAgBF,EAI3C,MAHyB,iBAAdS,GAAmD,iBAAlBR,IAC1Cc,GAA+C,MAA7BN,EAAYR,IAEzB7pB,KAAKypB,IAAI,EAAGkB,EACrB,EAWEf,KATF,WACE,OAAgB,OAATA,EAAgB,EAAIA,CAC7B,EASF,g+BCpEA,MAMMjrB,EALS,QADIisB,GAMM,YAJd,UAAmB1uB,OAAO,SAASE,SAErC,UAAmBF,OAAO,SAAS2uB,OAAOD,EAAK9oB,KAAK1F,QAJ3C,IAACwuB,EAkCnB,MAAME,EACJC,SAAW,GACX,aAAAC,CAAc/a,GACZjX,KAAKiyB,cAAchb,GACnBA,EAAMib,SAAWjb,EAAMib,UAAY,EACnClyB,KAAK+xB,SAASvxB,KAAKyW,EACrB,CACA,eAAAkb,CAAgBlb,GACd,MAAMmb,EAA8B,iBAAVnb,EAAqBjX,KAAKqyB,cAAcpb,GAASjX,KAAKqyB,cAAcpb,EAAMjT,KAChF,IAAhBouB,EAIJpyB,KAAK+xB,SAASlL,OAAOuL,EAAY,GAH/BzsB,EAAOgY,KAAK,mCAAoC,CAAE1G,QAAOqb,QAAStyB,KAAKuyB,cAI3E,CAMA,UAAAA,CAAWzyB,GACT,OAAIA,EACKE,KAAK+xB,SAASpjB,QAAQsI,GAAmC,mBAAlBA,EAAMlS,SAAyBkS,EAAMlS,QAAQjF,KAEtFE,KAAK+xB,QACd,CACA,aAAAM,CAAcruB,GACZ,OAAOhE,KAAK+xB,SAASnE,WAAW3W,GAAUA,EAAMjT,KAAOA,GACzD,CACA,aAAAiuB,CAAchb,GACZ,IAAKA,EAAMjT,KAAOiT,EAAMhT,cAAiBgT,EAAMnS,gBAAiBmS,EAAMsV,YAAetV,EAAMC,QACzF,MAAM,IAAItK,MAAM,iBAElB,GAAwB,iBAAbqK,EAAMjT,IAAgD,iBAAtBiT,EAAMhT,YAC/C,MAAM,IAAI2I,MAAM,sCAElB,GAAIqK,EAAMsV,WAAwC,iBAApBtV,EAAMsV,WAA0BtV,EAAMnS,eAAgD,iBAAxBmS,EAAMnS,cAChG,MAAM,IAAI8H,MAAM,yBAElB,QAAsB,IAAlBqK,EAAMlS,SAA+C,mBAAlBkS,EAAMlS,QAC3C,MAAM,IAAI6H,MAAM,4BAElB,GAA6B,mBAAlBqK,EAAMC,QACf,MAAM,IAAItK,MAAM,4BAElB,GAAI,UAAWqK,GAAgC,iBAAhBA,EAAM5Q,MACnC,MAAM,IAAIuG,MAAM,0BAElB,IAAsC,IAAlC5M,KAAKqyB,cAAcpb,EAAMjT,IAC3B,MAAM,IAAI4I,MAAM,kBAEpB,EAEF,MAAM4lB,EAAiB,WAKrB,YAJsC,IAA3BxpB,OAAOypB,kBAChBzpB,OAAOypB,gBAAkB,IAAIX,EAC7BnsB,EAAOwL,MAAM,4BAERnI,OAAOypB,eAChB,EAsBA,IAAInf,EAA8B,CAAEof,IAClCA,EAAsB,QAAI,UAC1BA,EAAqB,OAAI,SAClBA,GAHyB,CAI/Bpf,GAAe,CAAC,GACnB,MAAMvP,EACJ4uB,QACA,WAAAC,CAAY9uB,GACV9D,KAAK6yB,eAAe/uB,GACpB9D,KAAK2yB,QAAU7uB,CACjB,CACA,MAAIE,GACF,OAAOhE,KAAK2yB,QAAQ3uB,EACtB,CACA,eAAIC,GACF,OAAOjE,KAAK2yB,QAAQ1uB,WACtB,CACA,SAAI4Y,GACF,OAAO7c,KAAK2yB,QAAQ9V,KACtB,CACA,iBAAI/X,GACF,OAAO9E,KAAK2yB,QAAQ7tB,aACtB,CACA,WAAIC,GACF,OAAO/E,KAAK2yB,QAAQ5tB,OACtB,CACA,QAAIM,GACF,OAAOrF,KAAK2yB,QAAQttB,IACtB,CACA,aAAIQ,GACF,OAAO7F,KAAK2yB,QAAQ9sB,SACtB,CACA,SAAIQ,GACF,OAAOrG,KAAK2yB,QAAQtsB,KACtB,CACA,UAAI0S,GACF,OAAO/Y,KAAK2yB,QAAQ5Z,MACtB,CACA,WAAI,GACF,OAAO/Y,KAAK2yB,QAAQtf,OACtB,CACA,UAAIyf,GACF,OAAO9yB,KAAK2yB,QAAQG,MACtB,CACA,gBAAIC,GACF,OAAO/yB,KAAK2yB,QAAQI,YACtB,CACA,cAAAF,CAAe/uB,GACb,IAAKA,EAAOE,IAA2B,iBAAdF,EAAOE,GAC9B,MAAM,IAAI4I,MAAM,cAElB,IAAK9I,EAAOG,aAA6C,mBAAvBH,EAAOG,YACvC,MAAM,IAAI2I,MAAM,gCAElB,GAAI,UAAW9I,GAAkC,mBAAjBA,EAAO+Y,MACrC,MAAM,IAAIjQ,MAAM,0BAElB,IAAK9I,EAAOgB,eAAiD,mBAAzBhB,EAAOgB,cACzC,MAAM,IAAI8H,MAAM,kCAElB,IAAK9I,EAAOuB,MAA+B,mBAAhBvB,EAAOuB,KAChC,MAAM,IAAIuH,MAAM,yBAElB,GAAI,YAAa9I,GAAoC,mBAAnBA,EAAOiB,QACvC,MAAM,IAAI6H,MAAM,4BAElB,GAAI,cAAe9I,GAAsC,mBAArBA,EAAO+B,UACzC,MAAM,IAAI+G,MAAM,8BAElB,GAAI,UAAW9I,GAAkC,iBAAjBA,EAAOuC,MACrC,MAAM,IAAIuG,MAAM,iBAElB,GAAI,WAAY9I,GAAmC,iBAAlBA,EAAOiV,OACtC,MAAM,IAAInM,MAAM,kBAElB,GAAI9I,EAAOuP,UAAY9T,OAAO6iB,OAAO9O,GAAa3B,SAAS7N,EAAOuP,SAChE,MAAM,IAAIzG,MAAM,mBAElB,GAAI,WAAY9I,GAAmC,mBAAlBA,EAAOgvB,OACtC,MAAM,IAAIlmB,MAAM,2BAElB,GAAI,iBAAkB9I,GAAyC,mBAAxBA,EAAOivB,aAC5C,MAAM,IAAInmB,MAAM,gCAEpB,EAEF,MAAM4e,EAAqB,SAAS1nB,QACI,IAA3BkF,OAAOgqB,kBAChBhqB,OAAOgqB,gBAAkB,GACzBrtB,EAAOwL,MAAM,4BAEXnI,OAAOgqB,gBAAgBhrB,MAAMirB,GAAWA,EAAOjvB,KAAOF,EAAOE,KAC/D2B,EAAOD,MAAM,cAAc5B,EAAOE,wBAAyB,CAAEF,WAG/DkF,OAAOgqB,gBAAgBxyB,KAAKsD,EAC9B,EA2GA,IAAIqB,EAA6B,CAAE+tB,IACjCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAmB,MAAI,IAAM,QACzCA,EAAYA,EAAiB,IAAI,IAAM,MAChCA,GARwB,CAS9B/tB,GAAc,CAAC,GAuBlB,MAAMguB,EAAuB,CAC3B,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WAEIC,EAAuB,CAC3B7C,EAAG,OACHhB,GAAI,0BACJ8D,GAAI,yBACJhqB,IAAK,6CAEDimB,EAAsB,SAAS5F,EAAM4J,EAAY,CAAE/D,GAAI,iCAClB,IAA9BvmB,OAAOuqB,qBAChBvqB,OAAOuqB,mBAAqB,IAAIJ,GAChCnqB,OAAOwqB,mBAAqB,IAAKJ,IAEnC,MAAMK,EAAa,IAAKzqB,OAAOwqB,sBAAuBF,GACtD,OAAItqB,OAAOuqB,mBAAmBvrB,MAAMirB,GAAWA,IAAWvJ,KACxD/jB,EAAOgY,KAAK,GAAG+L,uBAA2B,CAAEA,UACrC,GAELA,EAAKphB,WAAW,MAAmC,IAA3BohB,EAAKpd,MAAM,KAAK5K,QAC1CiE,EAAOD,MAAM,GAAGgkB,2CAA+C,CAAEA,UAC1D,GAGJ+J,EADM/J,EAAKpd,MAAM,KAAK,KAK3BtD,OAAOuqB,mBAAmB/yB,KAAKkpB,GAC/B1gB,OAAOwqB,mBAAqBC,GACrB,IALL9tB,EAAOD,MAAM,GAAGgkB,sBAA0B,CAAEA,OAAM+J,gBAC3C,EAKX,EACMC,EAAmB,WAIvB,YAHyC,IAA9B1qB,OAAOuqB,qBAChBvqB,OAAOuqB,mBAAqB,IAAIJ,IAE3BnqB,OAAOuqB,mBAAmBvuB,KAAK0kB,GAAS,IAAIA,SAAWha,KAAK,IACrE,EACMikB,EAAmB,WAIvB,YAHyC,IAA9B3qB,OAAOwqB,qBAChBxqB,OAAOwqB,mBAAqB,IAAKJ,IAE5B7zB,OAAOwf,KAAK/V,OAAOwqB,oBAAoBxuB,KAAK4uB,GAAO,SAASA,MAAO5qB,OAAOwqB,qBAAqBI,QAAQlkB,KAAK,IACrH,EACM3B,EAAwB,WAC5B,MAAO,0CACO4lB,iCAEVD,yCAGN,EACMta,EAAwB,WAC5B,MAAO,+CACYua,iCAEfD,uIAMN,EACM3E,EAAqB,SAAS8E,GAClC,MAAO,4DACUF,8HAKbD,iGAKe,WAAkB5qB,0nBA0BrB+qB,yXAkBlB,EAuBM/mB,EAAsB,SAASgnB,EAAa,IAChD,IAAI7uB,EAAcE,EAAWiF,KAC7B,OAAK0pB,IAGDA,EAAWniB,SAAS,MAAQmiB,EAAWniB,SAAS,QAClD1M,GAAeE,EAAWuM,QAExBoiB,EAAWniB,SAAS,OACtB1M,GAAeE,EAAWuC,OAExBosB,EAAWniB,SAAS,MAAQmiB,EAAWniB,SAAS,MAAQmiB,EAAWniB,SAAS,QAC9E1M,GAAeE,EAAWqD,QAExBsrB,EAAWniB,SAAS,OACtB1M,GAAeE,EAAWC,QAExB0uB,EAAWniB,SAAS,OACtB1M,GAAeE,EAAW4uB,OAErB9uB,GAjBEA,CAkBX,EAsBA,IAAIR,EAA2B,CAAEuvB,IAC/BA,EAAkB,OAAI,SACtBA,EAAgB,KAAI,OACbA,GAHsB,CAI5BvvB,GAAY,CAAC,GAsBhB,MAAMuO,EAAiB,SAASpN,EAAQquB,GACtC,OAAoC,OAA7BruB,EAAOsuB,MAAMD,EACtB,EACME,EAAe,CAAC/qB,EAAM6qB,KAC1B,GAAI7qB,EAAKpF,IAAyB,iBAAZoF,EAAKpF,GACzB,MAAM,IAAI4I,MAAM,4BAElB,IAAKxD,EAAKxD,OACR,MAAM,IAAIgH,MAAM,4BAElB,IACE,IAAIuP,IAAI/S,EAAKxD,OACf,CAAE,MAAOkN,GACP,MAAM,IAAIlG,MAAM,oDAClB,CACA,IAAKxD,EAAKxD,OAAO0C,WAAW,QAC1B,MAAM,IAAIsE,MAAM,oDAElB,GAAIxD,EAAKgE,SAAWhE,EAAKgE,iBAAiBC,MACxC,MAAM,IAAIT,MAAM,sBAElB,GAAIxD,EAAKgrB,UAAYhrB,EAAKgrB,kBAAkB/mB,MAC1C,MAAM,IAAIT,MAAM,uBAElB,IAAKxD,EAAKmE,MAA6B,iBAAdnE,EAAKmE,OAAsBnE,EAAKmE,KAAK2mB,MAAM,yBAClE,MAAM,IAAItnB,MAAM,qCAElB,GAAI,SAAUxD,GAA6B,iBAAdA,EAAKoE,WAAmC,IAAdpE,EAAKoE,KAC1D,MAAM,IAAIZ,MAAM,qBAElB,GAAI,gBAAiBxD,QAA6B,IAArBA,EAAKnE,eAAwD,iBAArBmE,EAAKnE,aAA4BmE,EAAKnE,aAAeE,EAAWiF,MAAQhB,EAAKnE,aAAeE,EAAW6F,KAC1K,MAAM,IAAI4B,MAAM,uBAElB,GAAIxD,EAAK2D,OAAwB,OAAf3D,EAAK2D,OAAwC,iBAAf3D,EAAK2D,MACnD,MAAM,IAAIH,MAAM,sBAElB,GAAIxD,EAAK3F,YAAyC,iBAApB2F,EAAK3F,WACjC,MAAM,IAAImJ,MAAM,2BAElB,GAAIxD,EAAKf,MAA6B,iBAAde,EAAKf,KAC3B,MAAM,IAAIuE,MAAM,qBAElB,GAAIxD,EAAKf,OAASe,EAAKf,KAAKC,WAAW,KACrC,MAAM,IAAIsE,MAAM,wCAElB,GAAIxD,EAAKf,OAASe,EAAKxD,OAAO+L,SAASvI,EAAKf,MAC1C,MAAM,IAAIuE,MAAM,mCAElB,GAAIxD,EAAKf,MAAQ2K,EAAe5J,EAAKxD,OAAQquB,GAAa,CACxD,MAAMI,EAAUjrB,EAAKxD,OAAOsuB,MAAMD,GAAY,GAC9C,IAAK7qB,EAAKxD,OAAO+L,UAAS,IAAAjC,MAAK2kB,EAASjrB,EAAKf,OAC3C,MAAM,IAAIuE,MAAM,4DAEpB,CACA,GAAIxD,EAAK6H,SAAW1R,OAAO6iB,OAAOhT,GAAYuC,SAASvI,EAAK6H,QAC1D,MAAM,IAAIrE,MAAM,oCAClB,EAuBF,IAAIwC,EAA6B,CAAEklB,IACjCA,EAAiB,IAAI,MACrBA,EAAoB,OAAI,SACxBA,EAAqB,QAAI,UACzBA,EAAoB,OAAI,SACjBA,GALwB,CAM9BllB,GAAc,CAAC,GAClB,MAAMmlB,EACJC,MACAC,YACAC,iBAAmB,mCACnBC,mBAAqBp1B,OAAO+yB,QAAQ/yB,OAAOq1B,0BAA0BL,EAAK/0B,YAAYmP,QAAQmE,GAA0B,mBAAbA,EAAE,GAAG8O,KAA+B,cAAT9O,EAAE,KAAoB9N,KAAK8N,GAAMA,EAAE,KACzKoE,QAAU,CACR0M,IAAK,CAAC/T,EAAQ6Z,EAAMtL,KACdpe,KAAK20B,mBAAmBhjB,SAAS+X,KAGrC1pB,KAAK60B,cACErQ,QAAQZ,IAAI/T,EAAQ6Z,EAAMtL,IAEnC0W,eAAgB,CAACjlB,EAAQ6Z,KACnB1pB,KAAK20B,mBAAmBhjB,SAAS+X,KAGrC1pB,KAAK60B,cACErQ,QAAQsQ,eAAejlB,EAAQ6Z,IAGxC9H,IAAK,CAAC/R,EAAQ6Z,EAAMqL,IACd/0B,KAAK20B,mBAAmBhjB,SAAS+X,IACnC/jB,EAAOgY,KAAK,8BAA8B+L,8DACnClF,QAAQ5C,IAAI5hB,KAAM0pB,IAEpBlF,QAAQ5C,IAAI/R,EAAQ6Z,EAAMqL,IAGrC,WAAAnC,CAAYxpB,EAAM6qB,GAChBE,EAAa/qB,EAAM6qB,GAAcj0B,KAAK00B,kBACtC10B,KAAKw0B,MAAQ,IAAKprB,EAAM3F,WAAY,CAAC,GACrCzD,KAAKy0B,YAAc,IAAIlQ,MAAMvkB,KAAKw0B,MAAM/wB,WAAYzD,KAAKkX,SACzDlX,KAAK2uB,OAAOvlB,EAAK3F,YAAc,CAAC,GAChCzD,KAAKw0B,MAAMpnB,MAAQhE,EAAKgE,MACpB6mB,IACFj0B,KAAK00B,iBAAmBT,EAE5B,CAMA,UAAIruB,GACF,OAAO5F,KAAKw0B,MAAM5uB,OAAOyX,QAAQ,OAAQ,GAC3C,CAIA,iBAAI5X,GACF,MAAM,OAAEyW,GAAW,IAAIC,IAAInc,KAAK4F,QAChC,OAAOsW,GAAS,QAAWlc,KAAK4F,OAAOzE,MAAM+a,EAAOxa,QACtD,CAMA,YAAI8F,GACF,OAAO,IAAAA,UAASxH,KAAK4F,OACvB,CAMA,aAAI6mB,GACF,OAAO,IAAAiD,SAAQ1vB,KAAK4F,OACtB,CAQA,WAAIoE,GACF,GAAIhK,KAAKqI,KAAM,CACb,IAAIzC,EAAS5F,KAAK4F,OACd5F,KAAKgT,iBACPpN,EAASA,EAAO0G,MAAMtM,KAAK00B,kBAAkBM,OAE/C,MAAMC,EAAarvB,EAAOghB,QAAQ5mB,KAAKqI,MACjCA,EAAOrI,KAAKqI,KAAKgV,QAAQ,MAAO,IACtC,OAAO,IAAArT,SAAQpE,EAAOzE,MAAM8zB,EAAa5sB,EAAK3G,SAAW,IAC3D,CACA,MAAM6E,EAAM,IAAI4V,IAAInc,KAAK4F,QACzB,OAAO,IAAAoE,SAAQzD,EAAI2uB,SACrB,CAKA,QAAI3nB,GACF,OAAOvN,KAAKw0B,MAAMjnB,IACpB,CAMA,SAAIH,GACF,OAAOpN,KAAKw0B,MAAMpnB,KACpB,CAKA,UAAIgnB,GACF,OAAOp0B,KAAKw0B,MAAMJ,MACpB,CAIA,QAAI5mB,GACF,OAAOxN,KAAKw0B,MAAMhnB,IACpB,CAIA,QAAIA,CAAKA,GACPxN,KAAK60B,cACL70B,KAAKw0B,MAAMhnB,KAAOA,CACpB,CAKA,cAAI/J,GACF,OAAOzD,KAAKy0B,WACd,CAIA,eAAIxvB,GACF,OAAmB,OAAfjF,KAAK+M,OAAmB/M,KAAKgT,oBAGC,IAA3BhT,KAAKw0B,MAAMvvB,YAAyBjF,KAAKw0B,MAAMvvB,YAAcE,EAAWiF,KAFtEjF,EAAWuC,IAGtB,CAIA,eAAIzC,CAAYA,GACdjF,KAAK60B,cACL70B,KAAKw0B,MAAMvvB,YAAcA,CAC3B,CAKA,SAAI8H,GACF,OAAK/M,KAAKgT,eAGHhT,KAAKw0B,MAAMznB,MAFT,IAGX,CAIA,kBAAIiG,GACF,OAAOA,EAAehT,KAAK4F,OAAQ5F,KAAK00B,iBAC1C,CAKA,QAAIrsB,GACF,OAAIrI,KAAKw0B,MAAMnsB,KACNrI,KAAKw0B,MAAMnsB,KAAKgV,QAAQ,WAAY,MAEzCrd,KAAKgT,iBACM,IAAAhJ,SAAQhK,KAAK4F,QACd0G,MAAMtM,KAAK00B,kBAAkBM,OAEpC,IACT,CAIA,QAAIvsB,GACF,GAAIzI,KAAKqI,KAAM,CACb,IAAIzC,EAAS5F,KAAK4F,OACd5F,KAAKgT,iBACPpN,EAASA,EAAO0G,MAAMtM,KAAK00B,kBAAkBM,OAE/C,MAAMC,EAAarvB,EAAOghB,QAAQ5mB,KAAKqI,MACjCA,EAAOrI,KAAKqI,KAAKgV,QAAQ,MAAO,IACtC,OAAOzX,EAAOzE,MAAM8zB,EAAa5sB,EAAK3G,SAAW,GACnD,CACA,OAAQ1B,KAAKgK,QAAU,IAAMhK,KAAKwH,UAAU6V,QAAQ,QAAS,IAC/D,CAKA,UAAIlQ,GACF,OAAOnN,KAAKw0B,OAAOxwB,EACrB,CAIA,UAAIiN,GACF,OAAOjR,KAAKw0B,OAAOvjB,MACrB,CAIA,UAAIA,CAAOA,GACTjR,KAAKw0B,MAAMvjB,OAASA,CACtB,CAOA,IAAAkkB,CAAKjmB,GACHilB,EAAa,IAAKn0B,KAAKw0B,MAAO5uB,OAAQsJ,GAAelP,KAAK00B,kBAC1D10B,KAAKw0B,MAAM5uB,OAASsJ,EACpBlP,KAAK60B,aACP,CAOA,MAAAO,CAAOC,GACL,GAAIA,EAAU1jB,SAAS,KACrB,MAAM,IAAI/E,MAAM,oBAElB5M,KAAKm1B,MAAK,IAAAnrB,SAAQhK,KAAK4F,QAAU,IAAMyvB,EACzC,CAIA,WAAAR,GACM70B,KAAKw0B,MAAMpnB,QACbpN,KAAKw0B,MAAMpnB,MAAwB,IAAIC,KAE3C,CAMA,MAAAshB,CAAOlrB,GACL,IAAK,MAAOzC,EAAMod,KAAU7e,OAAO+yB,QAAQ7uB,GACzC,SACgB,IAAV2a,SACKpe,KAAKyD,WAAWzC,GAEvBhB,KAAKyD,WAAWzC,GAAQod,CAE5B,CAAE,MAAOtL,GACP,GAAIA,aAAa1S,UACf,SAEF,MAAM0S,CACR,CAEJ,EAuBF,MAAMpO,UAAa6vB,EACjB,QAAI/vB,GACF,OAAOC,EAASC,IAClB,EAuBF,MAAME,UAAe2vB,EACnB,WAAA3B,CAAYxpB,GACVksB,MAAM,IACDlsB,EACHmE,KAAM,wBAEV,CACA,QAAI/I,GACF,OAAOC,EAASG,MAClB,CACA,aAAI6nB,GACF,OAAO,IACT,CACA,QAAIlf,GACF,MAAO,sBACT,EAwBF,MAAMoC,EAAc,WAAU,WAAkB7G,MAC1CkmB,GAAe,QAAkB,OACjCxf,EAAe,SAAS+lB,EAAYvG,EAAc/iB,EAAU,CAAC,GACjE,MAAMR,GAAS,QAAa8pB,EAAW,CAAEtpB,YACzC,SAASN,EAAWrC,GAClBmC,EAAOE,WAAW,IACbM,EAEH,mBAAoB,iBAEpBL,aAActC,GAAS,IAE3B,CAYA,OAXA,QAAqBqC,GACrBA,GAAW,YACK,UACRK,MAAM,SAAS,CAACzF,EAAK8D,KAC3B,MAAMmrB,EAAWnrB,EAAQ4B,QAKzB,OAJIupB,GAAUtpB,SACZ7B,EAAQ6B,OAASspB,EAAStpB,cACnBspB,EAAStpB,QAEXC,MAAM5F,EAAK8D,EAAQ,IAErBoB,CACT,EACMgqB,EAAmB,CAACC,EAAWjtB,EAAO,IAAKktB,EAAUhmB,KACzD,MAAM/B,EAAa,IAAIC,gBACvB,OAAO,IAAI,EAAAG,mBAAkB9H,MAAOF,EAASiI,EAAQC,KACnDA,GAAS,IAAMN,EAAWO,UAC1B,IAYEnI,SAX+B0vB,EAAUrnB,qBAAqB,GAAGsnB,IAAUltB,IAAQ,CACjF+F,OAAQZ,EAAWY,OACnBF,SAAS,EACTlF,KAAMgQ,IACNnN,QAAS,CAEPC,OAAQ,UAEVqC,aAAa,KAEgBnF,KAAKuF,QAAQnL,GAASA,EAAKyJ,WAAaxE,IAAMzD,KAAKmB,GAAWkK,EAAgBlK,EAAQwvB,KAEvH,CAAE,MAAOjwB,GACPuI,EAAOvI,EACT,IACA,EAEE2K,EAAkB,SAAS7M,EAAMoyB,EAAYjmB,EAAa4lB,EAAYvG,GAC1E,IAAIriB,GAAS,WAAkB7D,IAC/B,MAAM+sB,EAAWpvB,SAASqvB,cAAc,mBAAmB1X,MAC3D,GAAIyX,EACFlpB,EAASA,GAAUlG,SAASqvB,cAAc,wBAAwB1X,MAClEzR,EAASA,GAAU,iBACd,IAAKA,EACV,MAAM,IAAIC,MAAM,oBAElB,MAAMC,EAAQrJ,EAAKqJ,MACb5H,EAAc6H,EAAoBD,GAAO5H,aACzC8H,EAAQC,OAAOH,IAAQ,aAAeF,GACtCO,EAAW,CACflJ,GAAI6I,GAAOM,QAAU,EACrBvH,OAAQ,GAAG2vB,IAAY/xB,EAAKyJ,WAC5BG,MAAO,IAAIC,KAAKA,KAAKvF,MAAMtE,EAAK8J,UAChCC,KAAM/J,EAAK+J,MAAQ,2BACnBC,KAAMX,GAAOW,MAAQuoB,OAAOre,SAAS7K,EAAMmpB,kBAAoB,KAC/D/wB,cACA8H,QACA1E,KAAMutB,EACNnyB,WAAY,IACPD,KACAqJ,EACHY,WAAYZ,IAAQ,iBAIxB,cADOK,EAASzJ,YAAYoJ,MACP,SAAdrJ,EAAKgB,KAAkB,IAAIE,EAAKwI,GAAY,IAAItI,EAAOsI,EAChE,EAC4BlE,OAAOitB,WACJjtB,OAAOitB,YAAYC,uBAAwB,IAAIC,OAAOntB,OAAOitB,WAAWC,uBAgCvG,MAAME,EAAY,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAC1CC,EAAkB,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OAC1D,SAASC,EAAe9oB,EAAM+oB,GAAiB,EAAOC,GAAiB,EAAOC,GAAW,GACvFD,EAAiBA,IAAmBC,EAChB,iBAATjpB,IACTA,EAAOuoB,OAAOvoB,IAEhB,IAAInH,EAAQmH,EAAO,EAAIxG,KAAK0vB,MAAM1vB,KAAK4W,IAAIpQ,GAAQxG,KAAK4W,IAAI6Y,EAAW,IAAM,OAAS,EACtFpwB,EAAQW,KAAK+D,KAAKyrB,EAAiBH,EAAgB30B,OAAS00B,EAAU10B,QAAU,EAAG2E,GACnF,MAAMswB,EAAiBH,EAAiBH,EAAgBhwB,GAAS+vB,EAAU/vB,GAC3E,IAAIuwB,GAAgBppB,EAAOxG,KAAK6vB,IAAIJ,EAAW,IAAM,KAAMpwB,IAAQywB,QAAQ,GAC3E,OAAuB,IAAnBP,GAAqC,IAAVlwB,GACJ,QAAjBuwB,EAAyB,OAAS,OAASJ,EAAiBH,EAAgB,GAAKD,EAAU,KAGnGQ,EADEvwB,EAAQ,EACK0wB,WAAWH,GAAcE,QAAQ,GAEjCC,WAAWH,GAAcI,gBAAe,WAElDJ,EAAe,IAAMD,EAC9B,CAmHA,MAAM/J,EACJqK,OAAS,GACTC,aAAe,KACf,QAAApK,CAAS5oB,GACP,GAAIlE,KAAKi3B,OAAOjvB,MAAMirB,GAAWA,EAAOjvB,KAAOE,EAAKF,KAClD,MAAM,IAAI4I,MAAM,WAAW1I,EAAKF,4BAElChE,KAAKi3B,OAAOz2B,KAAK0D,EACnB,CACA,MAAA2pB,CAAO7pB,GACL,MAAMuL,EAAQvP,KAAKi3B,OAAOrJ,WAAW1pB,GAASA,EAAKF,KAAOA,KAC3C,IAAXuL,GACFvP,KAAKi3B,OAAOpQ,OAAOtX,EAAO,EAE9B,CACA,SAAI4nB,GACF,OAAOn3B,KAAKi3B,MACd,CACA,SAAAG,CAAUlzB,GACRlE,KAAKk3B,aAAehzB,CACtB,CACA,UAAImzB,GACF,OAAOr3B,KAAKk3B,YACd,EAEF,MAAMrK,EAAgB,WAKpB,YAJqC,IAA1B7jB,OAAOsuB,iBAChBtuB,OAAOsuB,eAAiB,IAAI1K,EAC5BjnB,EAAOwL,MAAM,mCAERnI,OAAOsuB,cAChB,EAsBA,MAAMC,EACJC,QACA,WAAA5E,CAAY6E,GACVC,EAAcD,GACdz3B,KAAKw3B,QAAUC,CACjB,CACA,MAAIzzB,GACF,OAAOhE,KAAKw3B,QAAQxzB,EACtB,CACA,SAAI6Y,GACF,OAAO7c,KAAKw3B,QAAQ3a,KACtB,CACA,UAAIhE,GACF,OAAO7Y,KAAKw3B,QAAQ3e,MACtB,CACA,QAAI0U,GACF,OAAOvtB,KAAKw3B,QAAQjK,IACtB,CACA,WAAIoK,GACF,OAAO33B,KAAKw3B,QAAQG,OACtB,EAEF,MAAMD,EAAgB,SAASD,GAC7B,IAAKA,EAAOzzB,IAA2B,iBAAdyzB,EAAOzzB,GAC9B,MAAM,IAAI4I,MAAM,2BAElB,IAAK6qB,EAAO5a,OAAiC,iBAAjB4a,EAAO5a,MACjC,MAAM,IAAIjQ,MAAM,8BAElB,IAAK6qB,EAAO5e,QAAmC,mBAAlB4e,EAAO5e,OAClC,MAAM,IAAIjM,MAAM,iCAElB,GAAI6qB,EAAOlK,MAA+B,mBAAhBkK,EAAOlK,KAC/B,MAAM,IAAI3gB,MAAM,0CAElB,GAAI6qB,EAAOE,SAAqC,mBAAnBF,EAAOE,QAClC,MAAM,IAAI/qB,MAAM,qCAElB,OAAO,CACT,EACA,IAAIgrB,EAAc,CAAC,EACfC,EAAS,CAAC,GACd,SAAU70B,GACR,MAAM80B,EAAgB,gLAEhBC,EAAa,IAAMD,EAAgB,KADxBA,EACE,iDACbE,EAAY,IAAI7B,OAAO,IAAM4B,EAAa,KAoBhD/0B,EAAQi1B,QAAU,SAASC,GACzB,YAAoB,IAANA,CAChB,EACAl1B,EAAQm1B,cAAgB,SAASvO,GAC/B,OAAmC,IAA5BrqB,OAAOwf,KAAK6K,GAAKloB,MAC1B,EACAsB,EAAQo1B,MAAQ,SAASvoB,EAAQtD,EAAG8rB,GAClC,GAAI9rB,EAAG,CACL,MAAMwS,EAAOxf,OAAOwf,KAAKxS,GACnBlK,EAAM0c,EAAKrd,OACjB,IAAK,IAAIF,EAAI,EAAGA,EAAIa,EAAKb,IAErBqO,EAAOkP,EAAKvd,IADI,WAAd62B,EACgB,CAAC9rB,EAAEwS,EAAKvd,KAER+K,EAAEwS,EAAKvd,GAG/B,CACF,EACAwB,EAAQs1B,SAAW,SAASJ,GAC1B,OAAIl1B,EAAQi1B,QAAQC,GACXA,EAEA,EAEX,EACAl1B,EAAQu1B,OA9BO,SAASC,GAEtB,QAAQ,MADMR,EAAU3yB,KAAKmzB,GAE/B,EA4BAx1B,EAAQy1B,cA9Cc,SAASD,EAAQE,GACrC,MAAMC,EAAU,GAChB,IAAIzE,EAAQwE,EAAMrzB,KAAKmzB,GACvB,KAAOtE,GAAO,CACZ,MAAM0E,EAAa,GACnBA,EAAWC,WAAaH,EAAMI,UAAY5E,EAAM,GAAGxyB,OACnD,MAAMW,EAAM6xB,EAAMxyB,OAClB,IAAK,IAAI6N,EAAQ,EAAGA,EAAQlN,EAAKkN,IAC/BqpB,EAAWp4B,KAAK0zB,EAAM3kB,IAExBopB,EAAQn4B,KAAKo4B,GACb1E,EAAQwE,EAAMrzB,KAAKmzB,EACrB,CACA,OAAOG,CACT,EAiCA31B,EAAQ+0B,WAAaA,CACtB,CArDD,CAqDGF,GACH,MAAMkB,EAASlB,EACTmB,EAAmB,CACvBC,wBAAwB,EAExBC,aAAc,IA4IhB,SAASC,EAAaC,GACpB,MAAgB,MAATA,GAAyB,OAATA,GAAyB,OAATA,GAA0B,OAATA,CAC1D,CACA,SAASC,EAAOC,EAAS93B,GACvB,MAAM0vB,EAAQ1vB,EACd,KAAOA,EAAI83B,EAAQ53B,OAAQF,IACzB,GAAkB,KAAd83B,EAAQ93B,IAA2B,KAAd83B,EAAQ93B,QAAjC,CACE,MAAM+3B,EAAUD,EAAQE,OAAOtI,EAAO1vB,EAAI0vB,GAC1C,GAAI1vB,EAAI,GAAiB,QAAZ+3B,EACX,OAAOE,GAAe,aAAc,6DAA8DC,GAAyBJ,EAAS93B,IAC/H,GAAkB,KAAd83B,EAAQ93B,IAA+B,KAAlB83B,EAAQ93B,EAAI,GAAW,CACrDA,IACA,KACF,CAGF,CAEF,OAAOA,CACT,CACA,SAASm4B,EAAoBL,EAAS93B,GACpC,GAAI83B,EAAQ53B,OAASF,EAAI,GAAwB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAClE,IAAKA,GAAK,EAAGA,EAAI83B,EAAQ53B,OAAQF,IAC/B,GAAmB,MAAf83B,EAAQ93B,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,OAEG,GAAI83B,EAAQ53B,OAASF,EAAI,GAAwB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,GAAY,CACvN,IAAIo4B,EAAqB,EACzB,IAAKp4B,GAAK,EAAGA,EAAI83B,EAAQ53B,OAAQF,IAC/B,GAAmB,MAAf83B,EAAQ93B,GACVo4B,SACK,GAAmB,MAAfN,EAAQ93B,KACjBo4B,IAC2B,IAAvBA,GACF,KAIR,MAAO,GAAIN,EAAQ53B,OAASF,EAAI,GAAwB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,GAC3M,IAAKA,GAAK,EAAGA,EAAI83B,EAAQ53B,OAAQF,IAC/B,GAAmB,MAAf83B,EAAQ93B,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,CAGJ,OAAOA,CACT,CA3LAo2B,EAAYiC,SAAW,SAASP,EAASjvB,GACvCA,EAAU9K,OAAO+d,OAAO,CAAC,EAAG0b,EAAkB3uB,GAC9C,MAAMR,EAAO,GACb,IAAIiwB,GAAW,EACXC,GAAc,EACC,WAAfT,EAAQ,KACVA,EAAUA,EAAQE,OAAO,IAE3B,IAAK,IAAIh4B,EAAI,EAAGA,EAAI83B,EAAQ53B,OAAQF,IAClC,GAAmB,MAAf83B,EAAQ93B,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAGpC,GAFAA,GAAK,EACLA,EAAI63B,EAAOC,EAAS93B,GAChBA,EAAEw4B,IACJ,OAAOx4B,MACJ,IAAmB,MAAf83B,EAAQ93B,GA4GZ,CACL,GAAI23B,EAAaG,EAAQ93B,IACvB,SAEF,OAAOi4B,GAAe,cAAe,SAAWH,EAAQ93B,GAAK,qBAAsBk4B,GAAyBJ,EAAS93B,GACvH,CAjH+B,CAC7B,IAAIy4B,EAAcz4B,EAElB,GADAA,IACmB,MAAf83B,EAAQ93B,GAAY,CACtBA,EAAIm4B,EAAoBL,EAAS93B,GACjC,QACF,CAAO,CACL,IAAI04B,GAAa,EACE,MAAfZ,EAAQ93B,KACV04B,GAAa,EACb14B,KAEF,IAAI24B,EAAU,GACd,KAAO34B,EAAI83B,EAAQ53B,QAAyB,MAAf43B,EAAQ93B,IAA6B,MAAf83B,EAAQ93B,IAA6B,OAAf83B,EAAQ93B,IAA6B,OAAf83B,EAAQ93B,IAA8B,OAAf83B,EAAQ93B,GAAaA,IACzI24B,GAAWb,EAAQ93B,GAOrB,GALA24B,EAAUA,EAAQC,OACkB,MAAhCD,EAAQA,EAAQz4B,OAAS,KAC3By4B,EAAUA,EAAQhzB,UAAU,EAAGgzB,EAAQz4B,OAAS,GAChDF,KAgQe+3B,EA9PIY,GA+PpBpB,EAAOR,OAAOgB,GA/PgB,CAC7B,IAAIc,EAMJ,OAJEA,EAD4B,IAA1BF,EAAQC,OAAO14B,OACX,2BAEA,QAAUy4B,EAAU,wBAErBV,GAAe,aAAcY,EAAKX,GAAyBJ,EAAS93B,GAC7E,CACA,MAAM2E,EAASm0B,GAAiBhB,EAAS93B,GACzC,IAAe,IAAX2E,EACF,OAAOszB,GAAe,cAAe,mBAAqBU,EAAU,qBAAsBT,GAAyBJ,EAAS93B,IAE9H,IAAI+4B,EAAUp0B,EAAOiY,MAErB,GADA5c,EAAI2E,EAAOoJ,MACyB,MAAhCgrB,EAAQA,EAAQ74B,OAAS,GAAY,CACvC,MAAM84B,EAAeh5B,EAAI+4B,EAAQ74B,OACjC64B,EAAUA,EAAQpzB,UAAU,EAAGozB,EAAQ74B,OAAS,GAChD,MAAM+4B,EAAUC,GAAwBH,EAASlwB,GACjD,IAAgB,IAAZowB,EAGF,OAAOhB,GAAegB,EAAQT,IAAIW,KAAMF,EAAQT,IAAIK,IAAKX,GAAyBJ,EAASkB,EAAeC,EAAQT,IAAIY,OAFtHd,GAAW,CAIf,MAAO,GAAII,EAAY,CACrB,IAAK/zB,EAAO00B,UACV,OAAOpB,GAAe,aAAc,gBAAkBU,EAAU,iCAAkCT,GAAyBJ,EAAS93B,IAC/H,GAAI+4B,EAAQH,OAAO14B,OAAS,EACjC,OAAO+3B,GAAe,aAAc,gBAAkBU,EAAU,+CAAgDT,GAAyBJ,EAASW,IAC7I,GAAoB,IAAhBpwB,EAAKnI,OACd,OAAO+3B,GAAe,aAAc,gBAAkBU,EAAU,yBAA0BT,GAAyBJ,EAASW,IACvH,CACL,MAAMa,EAAMjxB,EAAKmrB,MACjB,GAAImF,IAAYW,EAAIX,QAAS,CAC3B,IAAIY,EAAUrB,GAAyBJ,EAASwB,EAAIb,aACpD,OAAOR,GACL,aACA,yBAA2BqB,EAAIX,QAAU,qBAAuBY,EAAQH,KAAO,SAAWG,EAAQC,IAAM,6BAA+Bb,EAAU,KACjJT,GAAyBJ,EAASW,GAEtC,CACmB,GAAfpwB,EAAKnI,SACPq4B,GAAc,EAElB,CACF,KAAO,CACL,MAAMU,EAAUC,GAAwBH,EAASlwB,GACjD,IAAgB,IAAZowB,EACF,OAAOhB,GAAegB,EAAQT,IAAIW,KAAMF,EAAQT,IAAIK,IAAKX,GAAyBJ,EAAS93B,EAAI+4B,EAAQ74B,OAAS+4B,EAAQT,IAAIY,OAE9H,IAAoB,IAAhBb,EACF,OAAON,GAAe,aAAc,sCAAuCC,GAAyBJ,EAAS93B,KACzD,IAA3C6I,EAAQ6uB,aAAatS,QAAQuT,IAGtCtwB,EAAKrJ,KAAK,CAAE25B,UAASF,gBAEvBH,GAAW,CACb,CACA,IAAKt4B,IAAKA,EAAI83B,EAAQ53B,OAAQF,IAC5B,GAAmB,MAAf83B,EAAQ93B,GAAY,CACtB,GAAuB,MAAnB83B,EAAQ93B,EAAI,GAAY,CAC1BA,IACAA,EAAIm4B,EAAoBL,EAAS93B,GACjC,QACF,CAAO,GAAuB,MAAnB83B,EAAQ93B,EAAI,GAKrB,MAHA,GADAA,EAAI63B,EAAOC,IAAW93B,GAClBA,EAAEw4B,IACJ,OAAOx4B,CAIb,MAAO,GAAmB,MAAf83B,EAAQ93B,GAAY,CAC7B,MAAMy5B,EAAWC,GAAkB5B,EAAS93B,GAC5C,IAAiB,GAAby5B,EACF,OAAOxB,GAAe,cAAe,4BAA6BC,GAAyBJ,EAAS93B,IACtGA,EAAIy5B,CACN,MACE,IAAoB,IAAhBlB,IAAyBZ,EAAaG,EAAQ93B,IAChD,OAAOi4B,GAAe,aAAc,wBAAyBC,GAAyBJ,EAAS93B,IAIlF,MAAf83B,EAAQ93B,IACVA,GAEJ,CACF,CAKA,CAkKJ,IAAyB+3B,EAhKvB,OAAKO,EAEqB,GAAfjwB,EAAKnI,OACP+3B,GAAe,aAAc,iBAAmB5vB,EAAK,GAAGswB,QAAU,KAAMT,GAAyBJ,EAASzvB,EAAK,GAAGowB,gBAChHpwB,EAAKnI,OAAS,IAChB+3B,GAAe,aAAc,YAAcnyB,KAAKC,UAAUsC,EAAK7E,KAAKb,GAAMA,EAAEg2B,UAAU,KAAM,GAAG9c,QAAQ,SAAU,IAAM,WAAY,CAAEud,KAAM,EAAGI,IAAK,IAJnJvB,GAAe,aAAc,sBAAuB,EAO/D,EAmDA,MAAM0B,GAAc,IACdC,GAAc,IACpB,SAASd,GAAiBhB,EAAS93B,GACjC,IAAI+4B,EAAU,GACVc,EAAY,GACZR,GAAY,EAChB,KAAOr5B,EAAI83B,EAAQ53B,OAAQF,IAAK,CAC9B,GAAI83B,EAAQ93B,KAAO25B,IAAe7B,EAAQ93B,KAAO45B,GAC7B,KAAdC,EACFA,EAAY/B,EAAQ93B,GACX65B,IAAc/B,EAAQ93B,KAG/B65B,EAAY,SAET,GAAmB,MAAf/B,EAAQ93B,IACC,KAAd65B,EAAkB,CACpBR,GAAY,EACZ,KACF,CAEFN,GAAWjB,EAAQ93B,EACrB,CACA,MAAkB,KAAd65B,GAGG,CACLjd,MAAOmc,EACPhrB,MAAO/N,EACPq5B,YAEJ,CACA,MAAMS,GAAoB,IAAInF,OAAO,0DAA0D,KAC/F,SAASuE,GAAwBH,EAASlwB,GACxC,MAAMsuB,EAAUI,EAAON,cAAc8B,EAASe,IACxCC,EAAY,CAAC,EACnB,IAAK,IAAI/5B,EAAI,EAAGA,EAAIm3B,EAAQj3B,OAAQF,IAAK,CACvC,GAA6B,IAAzBm3B,EAAQn3B,GAAG,GAAGE,OAChB,OAAO+3B,GAAe,cAAe,cAAgBd,EAAQn3B,GAAG,GAAK,8BAA+Bg6B,GAAqB7C,EAAQn3B,KAC5H,QAAsB,IAAlBm3B,EAAQn3B,GAAG,SAAmC,IAAlBm3B,EAAQn3B,GAAG,GAChD,OAAOi4B,GAAe,cAAe,cAAgBd,EAAQn3B,GAAG,GAAK,sBAAuBg6B,GAAqB7C,EAAQn3B,KACpH,QAAsB,IAAlBm3B,EAAQn3B,GAAG,KAAkB6I,EAAQ4uB,uBAC9C,OAAOQ,GAAe,cAAe,sBAAwBd,EAAQn3B,GAAG,GAAK,oBAAqBg6B,GAAqB7C,EAAQn3B,KAEjI,MAAMi6B,EAAW9C,EAAQn3B,GAAG,GAC5B,IAAKk6B,GAAiBD,GACpB,OAAOhC,GAAe,cAAe,cAAgBgC,EAAW,wBAAyBD,GAAqB7C,EAAQn3B,KAExH,GAAK+5B,EAAU97B,eAAeg8B,GAG5B,OAAOhC,GAAe,cAAe,cAAgBgC,EAAW,iBAAkBD,GAAqB7C,EAAQn3B,KAF/G+5B,EAAUE,GAAY,CAI1B,CACA,OAAO,CACT,CAeA,SAASP,GAAkB5B,EAAS93B,GAElC,GAAmB,MAAf83B,IADJ93B,GAEE,OAAQ,EACV,GAAmB,MAAf83B,EAAQ93B,GAEV,OApBJ,SAAiC83B,EAAS93B,GACxC,IAAIm6B,EAAK,KAKT,IAJmB,MAAfrC,EAAQ93B,KACVA,IACAm6B,EAAK,cAEAn6B,EAAI83B,EAAQ53B,OAAQF,IAAK,CAC9B,GAAmB,MAAf83B,EAAQ93B,GACV,OAAOA,EACT,IAAK83B,EAAQ93B,GAAG0yB,MAAMyH,GACpB,KACJ,CACA,OAAQ,CACV,CAOWC,CAAwBtC,IAD/B93B,GAGF,IAAIq6B,EAAQ,EACZ,KAAOr6B,EAAI83B,EAAQ53B,OAAQF,IAAKq6B,IAC9B,KAAIvC,EAAQ93B,GAAG0yB,MAAM,OAAS2H,EAAQ,IAAtC,CAEA,GAAmB,MAAfvC,EAAQ93B,GACV,MACF,OAAQ,CAHE,CAKZ,OAAOA,CACT,CACA,SAASi4B,GAAekB,EAAMzpB,EAAS4qB,GACrC,MAAO,CACL9B,IAAK,CACHW,OACAN,IAAKnpB,EACL0pB,KAAMkB,EAAWlB,MAAQkB,EACzBd,IAAKc,EAAWd,KAGtB,CACA,SAASU,GAAiBD,GACxB,OAAO1C,EAAOR,OAAOkD,EACvB,CAIA,SAAS/B,GAAyBJ,EAAS/pB,GACzC,MAAMwsB,EAAQzC,EAAQnyB,UAAU,EAAGoI,GAAOjD,MAAM,SAChD,MAAO,CACLsuB,KAAMmB,EAAMr6B,OAEZs5B,IAAKe,EAAMA,EAAMr6B,OAAS,GAAGA,OAAS,EAE1C,CACA,SAAS85B,GAAqBtH,GAC5B,OAAOA,EAAM2E,WAAa3E,EAAM,GAAGxyB,MACrC,CACA,IAAIs6B,GAAiB,CAAC,EACtB,MAAMC,GAAmB,CACvBC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhBtD,wBAAwB,EAGxBuD,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAAS7C,EAAS8C,GACnC,OAAOA,CACT,EACAC,wBAAyB,SAASzB,EAAUwB,GAC1C,OAAOA,CACT,EACAE,UAAW,GAEXC,sBAAsB,EACtBte,QAAS,KAAM,EACfue,iBAAiB,EACjBnE,aAAc,GACdoE,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASzD,EAAS0D,EAAO5nB,GAClC,OAAOkkB,CACT,GAMF6B,GAAe8B,aAHQ,SAASzzB,GAC9B,OAAO9K,OAAO+d,OAAO,CAAC,EAAG2e,GAAkB5xB,EAC7C,EAEA2xB,GAAe+B,eAAiB9B,GAuBhC,MAAM+B,GAASnG,EAwDf,SAASoG,GAAc3E,EAAS93B,GAC9B,IAAI08B,EAAc,GAClB,KAAO18B,EAAI83B,EAAQ53B,QAA0B,MAAf43B,EAAQ93B,IAA6B,MAAf83B,EAAQ93B,GAAaA,IACvE08B,GAAe5E,EAAQ93B,GAGzB,GADA08B,EAAcA,EAAY9D,QACQ,IAA9B8D,EAAYtX,QAAQ,KACtB,MAAM,IAAIha,MAAM,sCAClB,MAAMyuB,EAAY/B,EAAQ93B,KAC1B,IAAIy7B,EAAO,GACX,KAAOz7B,EAAI83B,EAAQ53B,QAAU43B,EAAQ93B,KAAO65B,EAAW75B,IACrDy7B,GAAQ3D,EAAQ93B,GAElB,MAAO,CAAC08B,EAAajB,EAAMz7B,EAC7B,CACA,SAAS28B,GAAU7E,EAAS93B,GAC1B,MAAuB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,EAGtE,CACA,SAAS48B,GAAS9E,EAAS93B,GACzB,MAAuB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,EAG9K,CACA,SAAS68B,GAAU/E,EAAS93B,GAC1B,MAAuB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,EAGxM,CACA,SAAS88B,GAAUhF,EAAS93B,GAC1B,MAAuB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,EAGxM,CACA,SAAS+8B,GAAWjF,EAAS93B,GAC3B,MAAuB,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,EAGlO,CACA,SAASg9B,GAAmBx9B,GAC1B,GAAIg9B,GAAOzF,OAAOv3B,GAChB,OAAOA,EAEP,MAAM,IAAI4L,MAAM,uBAAuB5L,IAC3C,CAEA,MAAMy9B,GAAW,wBACXC,GAAW,+EACZ3I,OAAOre,UAAY1O,OAAO0O,WAC7Bqe,OAAOre,SAAW1O,OAAO0O,WAEtBqe,OAAOgB,YAAc/tB,OAAO+tB,aAC/BhB,OAAOgB,WAAa/tB,OAAO+tB,YAE7B,MAAM4H,GAAW,CACf9B,KAAK,EACLC,cAAc,EACd8B,aAAc,IACd7B,WAAW,GA+EP8B,GAAOhH,EACPiH,GAzNN,MACE,WAAAlM,CAAY2G,GACVv5B,KAAKu5B,QAAUA,EACfv5B,KAAK++B,MAAQ,GACb/+B,KAAK,MAAQ,CAAC,CAChB,CACA,GAAAiG,CAAIkC,EAAK80B,GACK,cAAR90B,IACFA,EAAM,cACRnI,KAAK++B,MAAMv+B,KAAK,CAAE,CAAC2H,GAAM80B,GAC3B,CACA,QAAA+B,CAASx7B,GACc,cAAjBA,EAAK+1B,UACP/1B,EAAK+1B,QAAU,cACb/1B,EAAK,OAASjE,OAAOwf,KAAKvb,EAAK,OAAO9B,OAAS,EACjD1B,KAAK++B,MAAMv+B,KAAK,CAAE,CAACgD,EAAK+1B,SAAU/1B,EAAKu7B,MAAO,KAAQv7B,EAAK,QAE3DxD,KAAK++B,MAAMv+B,KAAK,CAAE,CAACgD,EAAK+1B,SAAU/1B,EAAKu7B,OAE3C,GAuMIE,GAnMN,SAAuB3F,EAAS93B,GAC9B,MAAM09B,EAAW,CAAC,EAClB,GAAuB,MAAnB5F,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,GAiDhJ,MAAM,IAAIoL,MAAM,kCAjD4I,CAC5JpL,GAAQ,EACR,IAAIo4B,EAAqB,EACrBuF,GAAU,EAAOC,GAAU,EAC3BC,EAAM,GACV,KAAO79B,EAAI83B,EAAQ53B,OAAQF,IACzB,GAAmB,MAAf83B,EAAQ93B,IAAe49B,EAqBpB,GAAmB,MAAf9F,EAAQ93B,IASjB,GARI49B,EACqB,MAAnB9F,EAAQ93B,EAAI,IAAiC,MAAnB83B,EAAQ93B,EAAI,KACxC49B,GAAU,EACVxF,KAGFA,IAEyB,IAAvBA,EACF,UAEsB,MAAfN,EAAQ93B,GACjB29B,GAAU,EAEVE,GAAO/F,EAAQ93B,OApCmB,CAClC,GAAI29B,GAAWf,GAAS9E,EAAS93B,GAC/BA,GAAK,GACJ89B,WAAYC,IAAK/9B,GAAKy8B,GAAc3E,EAAS93B,EAAI,IACxB,IAAtB+9B,IAAI3Y,QAAQ,OACdsY,EAASV,GAAmBc,aAAe,CACzCE,KAAMrJ,OAAO,IAAImJ,cAAe,KAChCC,WAEC,GAAIJ,GAAWd,GAAU/E,EAAS93B,GACvCA,GAAK,OACF,GAAI29B,GAAWb,GAAUhF,EAAS93B,GACrCA,GAAK,OACF,GAAI29B,GAAWZ,GAAWjF,EAAS93B,GACtCA,GAAK,MACF,KAAI28B,GAGP,MAAM,IAAIvxB,MAAM,mBAFhBwyB,GAAU,CAEwB,CACpCxF,IACAyF,EAAM,EACR,CAkBF,GAA2B,IAAvBzF,EACF,MAAM,IAAIhtB,MAAM,mBAEpB,CAGA,MAAO,CAAEsyB,WAAU19B,IACrB,EA8IMi+B,GA/EN,SAAoBpzB,EAAKhC,EAAU,CAAC,GAElC,GADAA,EAAU9K,OAAO+d,OAAO,CAAC,EAAGqhB,GAAUt0B,IACjCgC,GAAsB,iBAARA,EACjB,OAAOA,EACT,IAAIqzB,EAAarzB,EAAI+tB,OACrB,QAAyB,IAArB/vB,EAAQs1B,UAAuBt1B,EAAQs1B,SAAS7jB,KAAK4jB,GACvD,OAAOrzB,EACJ,GAAIhC,EAAQwyB,KAAO4B,GAAS3iB,KAAK4jB,GACpC,OAAO3J,OAAOre,SAASgoB,EAAY,IAC9B,CACL,MAAMxL,EAAQwK,GAASr5B,KAAKq6B,GAC5B,GAAIxL,EAAO,CACT,MAAM0L,EAAO1L,EAAM,GACb4I,EAAe5I,EAAM,GAC3B,IAAI2L,GAgDSC,EAhDqB5L,EAAM,MAiDL,IAAzB4L,EAAOlZ,QAAQ,MAEZ,OADfkZ,EAASA,EAAOziB,QAAQ,MAAO,KAE7ByiB,EAAS,IACY,MAAdA,EAAO,GACdA,EAAS,IAAMA,EACsB,MAA9BA,EAAOA,EAAOp+B,OAAS,KAC9Bo+B,EAASA,EAAOtG,OAAO,EAAGsG,EAAOp+B,OAAS,IACrCo+B,GAEFA,EA1DH,MAAM/C,EAAY7I,EAAM,IAAMA,EAAM,GACpC,IAAK7pB,EAAQyyB,cAAgBA,EAAap7B,OAAS,GAAKk+B,GAA0B,MAAlBF,EAAW,GACzE,OAAOrzB,EACJ,IAAKhC,EAAQyyB,cAAgBA,EAAap7B,OAAS,IAAMk+B,GAA0B,MAAlBF,EAAW,GAC/E,OAAOrzB,EACJ,CACH,MAAM0zB,EAAMhK,OAAO2J,GACbI,EAAS,GAAKC,EACpB,OAA+B,IAA3BD,EAAO7M,OAAO,SAKP8J,EAJL1yB,EAAQ0yB,UACHgD,EAEA1zB,GAM6B,IAA7BqzB,EAAW9Y,QAAQ,KACb,MAAXkZ,GAAwC,KAAtBD,GAEbC,IAAWD,GAEXD,GAAQE,IAAW,IAAMD,EAHzBE,EAMA1zB,EAEPywB,EACE+C,IAAsBC,GAEjBF,EAAOC,IAAsBC,EAD7BC,EAIA1zB,EAEPqzB,IAAeI,GAEVJ,IAAeE,EAAOE,EADtBC,EAGF1zB,CACT,CACF,CACE,OAAOA,CAEX,CAEF,IAAmByzB,CADnB,EA6DA,SAASE,GAAoBC,GAC3B,MAAMC,EAAU3gC,OAAOwf,KAAKkhB,GAC5B,IAAK,IAAIz+B,EAAI,EAAGA,EAAI0+B,EAAQx+B,OAAQF,IAAK,CACvC,MAAM2+B,EAAMD,EAAQ1+B,GACpBxB,KAAKogC,aAAaD,GAAO,CACvBzH,MAAO,IAAIvC,OAAO,IAAMgK,EAAM,IAAK,KACnCZ,IAAKU,EAAiBE,GAE1B,CACF,CACA,SAASE,GAAcpD,EAAM9C,EAAS0D,EAAOyC,EAAUC,EAAeC,EAAYC,GAChF,QAAa,IAATxD,IACEj9B,KAAKqK,QAAQqyB,aAAe4D,IAC9BrD,EAAOA,EAAK7C,QAEV6C,EAAKv7B,OAAS,GAAG,CACd++B,IACHxD,EAAOj9B,KAAK0gC,qBAAqBzD,IACnC,MAAM0D,EAAS3gC,KAAKqK,QAAQ2yB,kBAAkB7C,EAAS8C,EAAMY,EAAO0C,EAAeC,GACnF,OAAIG,QACK1D,SACS0D,UAAkB1D,GAAQ0D,IAAW1D,EAC9C0D,EACE3gC,KAAKqK,QAAQqyB,YAGHO,EAAK7C,SACL6C,EAHZ2D,GAAW3D,EAAMj9B,KAAKqK,QAAQmyB,cAAex8B,KAAKqK,QAAQuyB,oBAMxDK,CAGb,CAEJ,CACA,SAAS4D,GAAiBtH,GACxB,GAAIv5B,KAAKqK,QAAQkyB,eAAgB,CAC/B,MAAM1yB,EAAO0vB,EAAQjtB,MAAM,KACrB5M,EAA+B,MAAtB65B,EAAQuH,OAAO,GAAa,IAAM,GACjD,GAAgB,UAAZj3B,EAAK,GACP,MAAO,GAEW,IAAhBA,EAAKnI,SACP63B,EAAU75B,EAASmK,EAAK,GAE5B,CACA,OAAO0vB,CACT,CACA,MAAMwH,GAAY,IAAI5K,OAAO,+CAA+C,MAC5E,SAAS6K,GAAmBzG,EAASsD,EAAO1D,GAC1C,IAAKn6B,KAAKqK,QAAQiyB,kBAAuC,iBAAZ/B,EAAsB,CACjE,MAAM5B,EAAUkG,GAAKpG,cAAc8B,EAASwG,IACtC1+B,EAAMs2B,EAAQj3B,OACduU,EAAQ,CAAC,EACf,IAAK,IAAIzU,EAAI,EAAGA,EAAIa,EAAKb,IAAK,CAC5B,MAAMi6B,EAAWz7B,KAAK6gC,iBAAiBlI,EAAQn3B,GAAG,IAClD,IAAIy/B,EAAStI,EAAQn3B,GAAG,GACpB0/B,EAAQlhC,KAAKqK,QAAQ8xB,oBAAsBV,EAC/C,GAAIA,EAAS/5B,OAMX,GALI1B,KAAKqK,QAAQszB,yBACfuD,EAAQlhC,KAAKqK,QAAQszB,uBAAuBuD,IAEhC,cAAVA,IACFA,EAAQ,mBACK,IAAXD,EAAmB,CACjBjhC,KAAKqK,QAAQqyB,aACfuE,EAASA,EAAO7G,QAElB6G,EAASjhC,KAAK0gC,qBAAqBO,GACnC,MAAME,EAASnhC,KAAKqK,QAAQ6yB,wBAAwBzB,EAAUwF,EAAQpD,GAEpE5nB,EAAMirB,GADJC,QACaF,SACCE,UAAkBF,GAAUE,IAAWF,EACxCE,EAEAP,GACbK,EACAjhC,KAAKqK,QAAQoyB,oBACbz8B,KAAKqK,QAAQuyB,mBAGnB,MAAW58B,KAAKqK,QAAQ4uB,yBACtBhjB,EAAMirB,IAAS,EAGrB,CACA,IAAK3hC,OAAOwf,KAAK9I,GAAOvU,OACtB,OAEF,GAAI1B,KAAKqK,QAAQ+xB,oBAAqB,CACpC,MAAMgF,EAAiB,CAAC,EAExB,OADAA,EAAephC,KAAKqK,QAAQ+xB,qBAAuBnmB,EAC5CmrB,CACT,CACA,OAAOnrB,CACT,CACF,CACA,MAAMorB,GAAW,SAAS/H,GACxBA,EAAUA,EAAQjc,QAAQ,SAAU,MACpC,MAAMikB,EAAS,IAAIxC,GAAQ,QAC3B,IAAIyC,EAAcD,EACdE,EAAW,GACX3D,EAAQ,GACZ,IAAK,IAAIr8B,EAAI,EAAGA,EAAI83B,EAAQ53B,OAAQF,IAElC,GAAW,MADA83B,EAAQ93B,GAEjB,GAAuB,MAAnB83B,EAAQ93B,EAAI,GAAY,CAC1B,MAAMigC,EAAaC,GAAiBpI,EAAS,IAAK93B,EAAG,8BACrD,IAAI24B,EAAUb,EAAQnyB,UAAU3F,EAAI,EAAGigC,GAAYrH,OACnD,GAAIp6B,KAAKqK,QAAQkyB,eAAgB,CAC/B,MAAMoF,EAAaxH,EAAQvT,QAAQ,MACf,IAAhB+a,IACFxH,EAAUA,EAAQX,OAAOmI,EAAa,GAE1C,CACI3hC,KAAKqK,QAAQqzB,mBACfvD,EAAUn6B,KAAKqK,QAAQqzB,iBAAiBvD,IAEtCoH,IACFC,EAAWxhC,KAAK4hC,oBAAoBJ,EAAUD,EAAa1D,IAE7D,MAAMgE,EAAchE,EAAM12B,UAAU02B,EAAMiE,YAAY,KAAO,GAC7D,GAAI3H,IAA2D,IAAhDn6B,KAAKqK,QAAQ6uB,aAAatS,QAAQuT,GAC/C,MAAM,IAAIvtB,MAAM,kDAAkDutB,MAEpE,IAAI4H,EAAY,EACZF,IAAmE,IAApD7hC,KAAKqK,QAAQ6uB,aAAatS,QAAQib,IACnDE,EAAYlE,EAAMiE,YAAY,IAAKjE,EAAMiE,YAAY,KAAO,GAC5D9hC,KAAKgiC,cAAchN,OAEnB+M,EAAYlE,EAAMiE,YAAY,KAEhCjE,EAAQA,EAAM12B,UAAU,EAAG46B,GAC3BR,EAAcvhC,KAAKgiC,cAAchN,MACjCwM,EAAW,GACXhgC,EAAIigC,CACN,MAAO,GAAuB,MAAnBnI,EAAQ93B,EAAI,GAAY,CACjC,IAAIygC,EAAUC,GAAW5I,EAAS93B,GAAG,EAAO,MAC5C,IAAKygC,EACH,MAAM,IAAIr1B,MAAM,yBAElB,GADA40B,EAAWxhC,KAAK4hC,oBAAoBJ,EAAUD,EAAa1D,GACvD79B,KAAKqK,QAAQmzB,mBAAyC,SAApByE,EAAQ9H,SAAsBn6B,KAAKqK,QAAQozB,kBAE5E,CACH,MAAM0E,EAAY,IAAIrD,GAAQmD,EAAQ9H,SACtCgI,EAAUl8B,IAAIjG,KAAKqK,QAAQgyB,aAAc,IACrC4F,EAAQ9H,UAAY8H,EAAQG,QAAUH,EAAQI,iBAChDF,EAAU,MAAQniC,KAAKghC,mBAAmBiB,EAAQG,OAAQvE,EAAOoE,EAAQ9H,UAE3En6B,KAAKg/B,SAASuC,EAAaY,EAAWtE,EACxC,CACAr8B,EAAIygC,EAAQR,WAAa,CAC3B,MAAO,GAAiC,QAA7BnI,EAAQE,OAAOh4B,EAAI,EAAG,GAAc,CAC7C,MAAM8gC,EAAWZ,GAAiBpI,EAAS,SAAO93B,EAAI,EAAG,0BACzD,GAAIxB,KAAKqK,QAAQgzB,gBAAiB,CAChC,MAAM+B,EAAU9F,EAAQnyB,UAAU3F,EAAI,EAAG8gC,EAAW,GACpDd,EAAWxhC,KAAK4hC,oBAAoBJ,EAAUD,EAAa1D,GAC3D0D,EAAYt7B,IAAIjG,KAAKqK,QAAQgzB,gBAAiB,CAAC,CAAE,CAACr9B,KAAKqK,QAAQgyB,cAAe+C,IAChF,CACA59B,EAAI8gC,CACN,MAAO,GAAiC,OAA7BhJ,EAAQE,OAAOh4B,EAAI,EAAG,GAAa,CAC5C,MAAM2E,EAAS84B,GAAY3F,EAAS93B,GACpCxB,KAAKuiC,gBAAkBp8B,EAAO+4B,SAC9B19B,EAAI2E,EAAO3E,CACb,MAAO,GAAiC,OAA7B83B,EAAQE,OAAOh4B,EAAI,EAAG,GAAa,CAC5C,MAAMigC,EAAaC,GAAiBpI,EAAS,MAAO93B,EAAG,wBAA0B,EAC3E4gC,EAAS9I,EAAQnyB,UAAU3F,EAAI,EAAGigC,GACxCD,EAAWxhC,KAAK4hC,oBAAoBJ,EAAUD,EAAa1D,GAC3D,IAAIZ,EAAOj9B,KAAKqgC,cAAc+B,EAAQb,EAAYhI,QAASsE,GAAO,GAAM,GAAO,GAAM,GACzE,MAARZ,IACFA,EAAO,IACLj9B,KAAKqK,QAAQsyB,cACf4E,EAAYt7B,IAAIjG,KAAKqK,QAAQsyB,cAAe,CAAC,CAAE,CAAC38B,KAAKqK,QAAQgyB,cAAe+F,KAE5Eb,EAAYt7B,IAAIjG,KAAKqK,QAAQgyB,aAAcY,GAE7Cz7B,EAAIigC,EAAa,CACnB,KAAO,CACL,IAAIt7B,EAAS+7B,GAAW5I,EAAS93B,EAAGxB,KAAKqK,QAAQkyB,gBAC7CpC,EAAUh0B,EAAOg0B,QACrB,MAAMqI,EAAar8B,EAAOq8B,WAC1B,IAAIJ,EAASj8B,EAAOi8B,OAChBC,EAAiBl8B,EAAOk8B,eACxBZ,EAAat7B,EAAOs7B,WACpBzhC,KAAKqK,QAAQqzB,mBACfvD,EAAUn6B,KAAKqK,QAAQqzB,iBAAiBvD,IAEtCoH,GAAeC,GACW,SAAxBD,EAAYhI,UACdiI,EAAWxhC,KAAK4hC,oBAAoBJ,EAAUD,EAAa1D,GAAO,IAGtE,MAAM4E,EAAUlB,EAQhB,GAPIkB,IAAmE,IAAxDziC,KAAKqK,QAAQ6uB,aAAatS,QAAQ6b,EAAQlJ,WACvDgI,EAAcvhC,KAAKgiC,cAAchN,MACjC6I,EAAQA,EAAM12B,UAAU,EAAG02B,EAAMiE,YAAY,OAE3C3H,IAAYmH,EAAO/H,UACrBsE,GAASA,EAAQ,IAAM1D,EAAUA,GAE/Bn6B,KAAK0iC,aAAa1iC,KAAKqK,QAAQ8yB,UAAWU,EAAO1D,GAAU,CAC7D,IAAIwI,EAAa,GACjB,GAAIP,EAAO1gC,OAAS,GAAK0gC,EAAON,YAAY,OAASM,EAAO1gC,OAAS,EAC/B,MAAhCy4B,EAAQA,EAAQz4B,OAAS,IAC3By4B,EAAUA,EAAQX,OAAO,EAAGW,EAAQz4B,OAAS,GAC7Cm8B,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMn8B,OAAS,GACvC0gC,EAASjI,GAETiI,EAASA,EAAO5I,OAAO,EAAG4I,EAAO1gC,OAAS,GAE5CF,EAAI2E,EAAOs7B,gBACN,IAAoD,IAAhDzhC,KAAKqK,QAAQ6uB,aAAatS,QAAQuT,GAC3C34B,EAAI2E,EAAOs7B,eACN,CACL,MAAMmB,EAAU5iC,KAAK6iC,iBAAiBvJ,EAASkJ,EAAYf,EAAa,GACxE,IAAKmB,EACH,MAAM,IAAIh2B,MAAM,qBAAqB41B,KACvChhC,EAAIohC,EAAQphC,EACZmhC,EAAaC,EAAQD,UACvB,CACA,MAAMR,EAAY,IAAIrD,GAAQ3E,GAC1BA,IAAYiI,GAAUC,IACxBF,EAAU,MAAQniC,KAAKghC,mBAAmBoB,EAAQvE,EAAO1D,IAEvDwI,IACFA,EAAa3iC,KAAKqgC,cAAcsC,EAAYxI,EAAS0D,GAAO,EAAMwE,GAAgB,GAAM,IAE1FxE,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMiE,YAAY,MAC1CK,EAAUl8B,IAAIjG,KAAKqK,QAAQgyB,aAAcsG,GACzC3iC,KAAKg/B,SAASuC,EAAaY,EAAWtE,EACxC,KAAO,CACL,GAAIuE,EAAO1gC,OAAS,GAAK0gC,EAAON,YAAY,OAASM,EAAO1gC,OAAS,EAAG,CAClC,MAAhCy4B,EAAQA,EAAQz4B,OAAS,IAC3By4B,EAAUA,EAAQX,OAAO,EAAGW,EAAQz4B,OAAS,GAC7Cm8B,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMn8B,OAAS,GACvC0gC,EAASjI,GAETiI,EAASA,EAAO5I,OAAO,EAAG4I,EAAO1gC,OAAS,GAExC1B,KAAKqK,QAAQqzB,mBACfvD,EAAUn6B,KAAKqK,QAAQqzB,iBAAiBvD,IAE1C,MAAMgI,EAAY,IAAIrD,GAAQ3E,GAC1BA,IAAYiI,GAAUC,IACxBF,EAAU,MAAQniC,KAAKghC,mBAAmBoB,EAAQvE,EAAO1D,IAE3Dn6B,KAAKg/B,SAASuC,EAAaY,EAAWtE,GACtCA,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMiE,YAAY,KAC5C,KAAO,CACL,MAAMK,EAAY,IAAIrD,GAAQ3E,GAC9Bn6B,KAAKgiC,cAAcxhC,KAAK+gC,GACpBpH,IAAYiI,GAAUC,IACxBF,EAAU,MAAQniC,KAAKghC,mBAAmBoB,EAAQvE,EAAO1D,IAE3Dn6B,KAAKg/B,SAASuC,EAAaY,EAAWtE,GACtC0D,EAAcY,CAChB,CACAX,EAAW,GACXhgC,EAAIigC,CACN,CACF,MAEAD,GAAYlI,EAAQ93B,GAGxB,OAAO8/B,EAAOvC,KAChB,EACA,SAASC,GAASuC,EAAaY,EAAWtE,GACxC,MAAM13B,EAASnG,KAAKqK,QAAQuzB,UAAUuE,EAAU5I,QAASsE,EAAOsE,EAAU,QAC3D,IAAXh8B,IAEuB,iBAAXA,GACdg8B,EAAU5I,QAAUpzB,EACpBo7B,EAAYvC,SAASmD,IAErBZ,EAAYvC,SAASmD,GAEzB,CACA,MAAMW,GAAyB,SAAS7F,GACtC,GAAIj9B,KAAKqK,QAAQizB,gBAAiB,CAChC,IAAK,IAAIY,KAAel+B,KAAKuiC,gBAAiB,CAC5C,MAAMQ,EAAS/iC,KAAKuiC,gBAAgBrE,GACpCjB,EAAOA,EAAK5f,QAAQ0lB,EAAOvD,KAAMuD,EAAOxD,IAC1C,CACA,IAAK,IAAIrB,KAAel+B,KAAKogC,aAAc,CACzC,MAAM2C,EAAS/iC,KAAKogC,aAAalC,GACjCjB,EAAOA,EAAK5f,QAAQ0lB,EAAOrK,MAAOqK,EAAOxD,IAC3C,CACA,GAAIv/B,KAAKqK,QAAQkzB,aACf,IAAK,IAAIW,KAAel+B,KAAKu9B,aAAc,CACzC,MAAMwF,EAAS/iC,KAAKu9B,aAAaW,GACjCjB,EAAOA,EAAK5f,QAAQ0lB,EAAOrK,MAAOqK,EAAOxD,IAC3C,CAEFtC,EAAOA,EAAK5f,QAAQrd,KAAKgjC,UAAUtK,MAAO14B,KAAKgjC,UAAUzD,IAC3D,CACA,OAAOtC,CACT,EACA,SAAS2E,GAAoBJ,EAAUD,EAAa1D,EAAO2C,GAgBzD,OAfIgB,SACiB,IAAfhB,IACFA,EAAuD,IAA1CjhC,OAAOwf,KAAKwiB,EAAYxC,OAAOr9B,aAS7B,KARjB8/B,EAAWxhC,KAAKqgC,cACdmB,EACAD,EAAYhI,QACZsE,GACA,IACA0D,EAAY,OAAkD,IAA1ChiC,OAAOwf,KAAKwiB,EAAY,OAAO7/B,OACnD8+B,KAEsC,KAAbgB,GACzBD,EAAYt7B,IAAIjG,KAAKqK,QAAQgyB,aAAcmF,GAC7CA,EAAW,IAENA,CACT,CACA,SAASkB,GAAavF,EAAWU,EAAOoF,GACtC,MAAMC,EAAc,KAAOD,EAC3B,IAAK,MAAME,KAAgBhG,EAAW,CACpC,MAAMiG,EAAcjG,EAAUgG,GAC9B,GAAID,IAAgBE,GAAevF,IAAUuF,EAC3C,OAAO,CACX,CACA,OAAO,CACT,CA+BA,SAAS1B,GAAiBpI,EAASjtB,EAAK7K,EAAG6hC,GACzC,MAAMC,EAAehK,EAAQ1S,QAAQva,EAAK7K,GAC1C,IAAsB,IAAlB8hC,EACF,MAAM,IAAI12B,MAAMy2B,GAEhB,OAAOC,EAAej3B,EAAI3K,OAAS,CAEvC,CACA,SAASwgC,GAAW5I,EAAS93B,EAAG+6B,EAAgBgH,EAAc,KAC5D,MAAMp9B,EAvCR,SAAgCmzB,EAAS93B,EAAG+hC,EAAc,KACxD,IAAIC,EACApB,EAAS,GACb,IAAK,IAAI7yB,EAAQ/N,EAAG+N,EAAQ+pB,EAAQ53B,OAAQ6N,IAAS,CACnD,IAAIk0B,EAAKnK,EAAQ/pB,GACjB,GAAIi0B,EACEC,IAAOD,IACTA,EAAe,SACZ,GAAW,MAAPC,GAAqB,MAAPA,EACvBD,EAAeC,OACV,GAAIA,IAAOF,EAAY,GAAI,CAChC,IAAIA,EAAY,GAQd,MAAO,CACLn6B,KAAMg5B,EACN7yB,SATF,GAAI+pB,EAAQ/pB,EAAQ,KAAOg0B,EAAY,GACrC,MAAO,CACLn6B,KAAMg5B,EACN7yB,QASR,KAAkB,OAAPk0B,IACTA,EAAK,KAEPrB,GAAUqB,CACZ,CACF,CAUiBC,CAAuBpK,EAAS93B,EAAI,EAAG+hC,GACtD,IAAKp9B,EACH,OACF,IAAIi8B,EAASj8B,EAAOiD,KACpB,MAAMq4B,EAAat7B,EAAOoJ,MACpBo0B,EAAiBvB,EAAOnP,OAAO,MACrC,IAAIkH,EAAUiI,EACVC,GAAiB,GACG,IAApBsB,IACFxJ,EAAUiI,EAAOj7B,UAAU,EAAGw8B,GAC9BvB,EAASA,EAAOj7B,UAAUw8B,EAAiB,GAAGC,aAEhD,MAAMpB,EAAarI,EACnB,GAAIoC,EAAgB,CAClB,MAAMoF,EAAaxH,EAAQvT,QAAQ,MACf,IAAhB+a,IACFxH,EAAUA,EAAQX,OAAOmI,EAAa,GACtCU,EAAiBlI,IAAYh0B,EAAOiD,KAAKowB,OAAOmI,EAAa,GAEjE,CACA,MAAO,CACLxH,UACAiI,SACAX,aACAY,iBACAG,aAEJ,CACA,SAASK,GAAiBvJ,EAASa,EAAS34B,GAC1C,MAAMq3B,EAAar3B,EACnB,IAAIqiC,EAAe,EACnB,KAAOriC,EAAI83B,EAAQ53B,OAAQF,IACzB,GAAmB,MAAf83B,EAAQ93B,GACV,GAAuB,MAAnB83B,EAAQ93B,EAAI,GAAY,CAC1B,MAAMigC,EAAaC,GAAiBpI,EAAS,IAAK93B,EAAG,GAAG24B,mBAExD,GADmBb,EAAQnyB,UAAU3F,EAAI,EAAGigC,GAAYrH,SACnCD,IACnB0J,IACqB,IAAjBA,GACF,MAAO,CACLlB,WAAYrJ,EAAQnyB,UAAU0xB,EAAYr3B,GAC1CA,GAINA,EAAIigC,CACN,MAAO,GAAuB,MAAnBnI,EAAQ93B,EAAI,GAErBA,EADmBkgC,GAAiBpI,EAAS,KAAM93B,EAAI,EAAG,gCAErD,GAAiC,QAA7B83B,EAAQE,OAAOh4B,EAAI,EAAG,GAE/BA,EADmBkgC,GAAiBpI,EAAS,SAAO93B,EAAI,EAAG,gCAEtD,GAAiC,OAA7B83B,EAAQE,OAAOh4B,EAAI,EAAG,GAE/BA,EADmBkgC,GAAiBpI,EAAS,MAAO93B,EAAG,2BAA6B,MAE/E,CACL,MAAMygC,EAAUC,GAAW5I,EAAS93B,EAAG,KACnCygC,KACkBA,GAAWA,EAAQ9H,WACnBA,GAAyD,MAA9C8H,EAAQG,OAAOH,EAAQG,OAAO1gC,OAAS,IACpEmiC,IAEFriC,EAAIygC,EAAQR,WAEhB,CAGN,CACA,SAASb,GAAW3D,EAAM6G,EAAaz5B,GACrC,GAAIy5B,GAA+B,iBAAT7G,EAAmB,CAC3C,MAAM0D,EAAS1D,EAAK7C,OACpB,MAAe,SAAXuG,GAEgB,UAAXA,GAGAlB,GAASxC,EAAM5yB,EAC1B,CACE,OAAIw0B,GAAK5G,QAAQgF,GACRA,EAEA,EAGb,CACA,IACI8G,GAAY,CAAC,EAIjB,SAASC,GAASC,EAAK55B,EAASwzB,GAC9B,IAAItc,EACJ,MAAM2iB,EAAgB,CAAC,EACvB,IAAK,IAAI1iC,EAAI,EAAGA,EAAIyiC,EAAIviC,OAAQF,IAAK,CACnC,MAAM2iC,EAASF,EAAIziC,GACb4iC,EAAWC,GAAWF,GAC5B,IAAIG,EAAW,GAKf,GAHEA,OADY,IAAVzG,EACSuG,EAEAvG,EAAQ,IAAMuG,EACvBA,IAAa/5B,EAAQgyB,kBACV,IAAT9a,EACFA,EAAO4iB,EAAOC,GAEd7iB,GAAQ,GAAK4iB,EAAOC,OACjB,SAAiB,IAAbA,EACT,SACK,GAAID,EAAOC,GAAW,CAC3B,IAAInH,EAAO+G,GAASG,EAAOC,GAAW/5B,EAASi6B,GAC/C,MAAMC,EAASC,GAAUvH,EAAM5yB,GAC3B85B,EAAO,MACTM,GAAiBxH,EAAMkH,EAAO,MAAOG,EAAUj6B,GACT,IAA7B9K,OAAOwf,KAAKke,GAAMv7B,aAA+C,IAA/Bu7B,EAAK5yB,EAAQgyB,eAA6BhyB,EAAQ+yB,qBAEvD,IAA7B79B,OAAOwf,KAAKke,GAAMv7B,SACvB2I,EAAQ+yB,qBACVH,EAAK5yB,EAAQgyB,cAAgB,GAE7BY,EAAO,IALTA,EAAOA,EAAK5yB,EAAQgyB,mBAOU,IAA5B6H,EAAcE,IAAwBF,EAAczkC,eAAe2kC,IAChExiC,MAAMkd,QAAQolB,EAAcE,MAC/BF,EAAcE,GAAY,CAACF,EAAcE,KAE3CF,EAAcE,GAAU5jC,KAAKy8B,IAEzB5yB,EAAQyU,QAAQslB,EAAUE,EAAUC,GACtCL,EAAcE,GAAY,CAACnH,GAE3BiH,EAAcE,GAAYnH,CAGhC,EACF,CAMA,MALoB,iBAAT1b,EACLA,EAAK7f,OAAS,IAChBwiC,EAAc75B,EAAQgyB,cAAgB9a,QACtB,IAATA,IACT2iB,EAAc75B,EAAQgyB,cAAgB9a,GACjC2iB,CACT,CACA,SAASG,GAAWza,GAClB,MAAM7K,EAAOxf,OAAOwf,KAAK6K,GACzB,IAAK,IAAIpoB,EAAI,EAAGA,EAAIud,EAAKrd,OAAQF,IAAK,CACpC,MAAM2G,EAAM4W,EAAKvd,GACjB,GAAY,OAAR2G,EACF,OAAOA,CACX,CACF,CACA,SAASs8B,GAAiB7a,EAAK8a,EAASC,EAAOt6B,GAC7C,GAAIq6B,EAAS,CACX,MAAM3lB,EAAOxf,OAAOwf,KAAK2lB,GACnBriC,EAAM0c,EAAKrd,OACjB,IAAK,IAAIF,EAAI,EAAGA,EAAIa,EAAKb,IAAK,CAC5B,MAAMojC,EAAW7lB,EAAKvd,GAClB6I,EAAQyU,QAAQ8lB,EAAUD,EAAQ,IAAMC,GAAU,GAAM,GAC1Dhb,EAAIgb,GAAY,CAACF,EAAQE,IAEzBhb,EAAIgb,GAAYF,EAAQE,EAE5B,CACF,CACF,CACA,SAASJ,GAAU5a,EAAKvf,GACtB,MAAM,aAAEgyB,GAAiBhyB,EACnBw6B,EAAYtlC,OAAOwf,KAAK6K,GAAKloB,OACnC,OAAkB,IAAdmjC,KAGc,IAAdA,IAAoBjb,EAAIyS,IAA8C,kBAAtBzS,EAAIyS,IAAqD,IAAtBzS,EAAIyS,GAI7F,CACA0H,GAAUe,SAxFV,SAAoBthC,EAAM6G,GACxB,OAAO25B,GAASxgC,EAAM6G,EACxB,EAuFA,MAAM,aAAEyzB,IAAiB9B,GACnB+I,GAxkBmB,MACvB,WAAAnS,CAAYvoB,GACVrK,KAAKqK,QAAUA,EACfrK,KAAKuhC,YAAc,KACnBvhC,KAAKgiC,cAAgB,GACrBhiC,KAAKuiC,gBAAkB,CAAC,EACxBviC,KAAKogC,aAAe,CAClB,KAAQ,CAAE1H,MAAO,qBAAsB6G,IAAK,KAC5C,GAAM,CAAE7G,MAAO,mBAAoB6G,IAAK,KACxC,GAAM,CAAE7G,MAAO,mBAAoB6G,IAAK,KACxC,KAAQ,CAAE7G,MAAO,qBAAsB6G,IAAK,MAE9Cv/B,KAAKgjC,UAAY,CAAEtK,MAAO,oBAAqB6G,IAAK,KACpDv/B,KAAKu9B,aAAe,CAClB,MAAS,CAAE7E,MAAO,iBAAkB6G,IAAK,KAMzC,KAAQ,CAAE7G,MAAO,iBAAkB6G,IAAK,KACxC,MAAS,CAAE7G,MAAO,kBAAmB6G,IAAK,KAC1C,IAAO,CAAE7G,MAAO,gBAAiB6G,IAAK,KACtC,KAAQ,CAAE7G,MAAO,kBAAmB6G,IAAK,KACzC,UAAa,CAAE7G,MAAO,iBAAkB6G,IAAK,KAC7C,IAAO,CAAE7G,MAAO,gBAAiB6G,IAAK,KACtC,IAAO,CAAE7G,MAAO,iBAAkB6G,IAAK,KACvC,QAAW,CAAE7G,MAAO,mBAAoB6G,IAAK,CAACyF,EAAG34B,IAAQW,OAAO0P,aAAaqZ,OAAOre,SAASrL,EAAK,MAClG,QAAW,CAAEqsB,MAAO,0BAA2B6G,IAAK,CAACyF,EAAG34B,IAAQW,OAAO0P,aAAaqZ,OAAOre,SAASrL,EAAK,OAE3GrM,KAAKggC,oBAAsBA,GAC3BhgC,KAAKqhC,SAAWA,GAChBrhC,KAAKqgC,cAAgBA,GACrBrgC,KAAK6gC,iBAAmBA,GACxB7gC,KAAKghC,mBAAqBA,GAC1BhhC,KAAK0iC,aAAeA,GACpB1iC,KAAK0gC,qBAAuBoC,GAC5B9iC,KAAK6iC,iBAAmBA,GACxB7iC,KAAK4hC,oBAAsBA,GAC3B5hC,KAAKg/B,SAAWA,EAClB,IAiiBI,SAAE8F,IAAaf,GACfkB,GAAcrN,EA6DpB,SAASsN,GAASjB,EAAK55B,EAASwzB,EAAOsH,GACrC,IAAIC,EAAS,GACTC,GAAuB,EAC3B,IAAK,IAAI7jC,EAAI,EAAGA,EAAIyiC,EAAIviC,OAAQF,IAAK,CACnC,MAAM2iC,EAASF,EAAIziC,GACb24B,EAAUmL,GAASnB,GACzB,QAAgB,IAAZhK,EACF,SACF,IAAIoL,EAAW,GAKf,GAHEA,EADmB,IAAjB1H,EAAMn8B,OACGy4B,EAEA,GAAG0D,KAAS1D,IACrBA,IAAY9vB,EAAQgyB,aAAc,CACpC,IAAImJ,EAAUrB,EAAOhK,GAChBsL,GAAWF,EAAUl7B,KACxBm7B,EAAUn7B,EAAQ2yB,kBAAkB7C,EAASqL,GAC7CA,EAAU9E,GAAqB8E,EAASn7B,IAEtCg7B,IACFD,GAAUD,GAEZC,GAAUI,EACVH,GAAuB,EACvB,QACF,CAAO,GAAIlL,IAAY9vB,EAAQsyB,cAAe,CACxC0I,IACFD,GAAUD,GAEZC,GAAU,YAAYjB,EAAOhK,GAAS,GAAG9vB,EAAQgyB,mBACjDgJ,GAAuB,EACvB,QACF,CAAO,GAAIlL,IAAY9vB,EAAQgzB,gBAAiB,CAC9C+H,GAAUD,EAAc,UAAOhB,EAAOhK,GAAS,GAAG9vB,EAAQgyB,sBAC1DgJ,GAAuB,EACvB,QACF,CAAO,GAAmB,MAAflL,EAAQ,GAAY,CAC7B,MAAMuL,EAAUC,GAAYxB,EAAO,MAAO95B,GACpCu7B,EAAsB,SAAZzL,EAAqB,GAAKgL,EAC1C,IAAIU,EAAiB1B,EAAOhK,GAAS,GAAG9vB,EAAQgyB,cAChDwJ,EAA2C,IAA1BA,EAAenkC,OAAe,IAAMmkC,EAAiB,GACtET,GAAUQ,EAAU,IAAIzL,IAAU0L,IAAiBH,MACnDL,GAAuB,EACvB,QACF,CACA,IAAIS,EAAgBX,EACE,KAAlBW,IACFA,GAAiBz7B,EAAQ07B,UAE3B,MACMC,EAAWb,EAAc,IAAIhL,IADpBwL,GAAYxB,EAAO,MAAO95B,KAEnC47B,EAAWf,GAASf,EAAOhK,GAAU9vB,EAASk7B,EAAUO,IACf,IAA3Cz7B,EAAQ6uB,aAAatS,QAAQuT,GAC3B9vB,EAAQ67B,qBACVd,GAAUY,EAAW,IAErBZ,GAAUY,EAAW,KACZC,GAAgC,IAApBA,EAASvkC,SAAiB2I,EAAQ87B,kBAEhDF,GAAYA,EAASG,SAAS,KACvChB,GAAUY,EAAW,IAAIC,IAAWd,MAAgBhL,MAEpDiL,GAAUY,EAAW,IACjBC,GAA4B,KAAhBd,IAAuBc,EAASt0B,SAAS,OAASs0B,EAASt0B,SAAS,OAClFyzB,GAAUD,EAAc96B,EAAQ07B,SAAWE,EAAWd,EAEtDC,GAAUa,EAEZb,GAAU,KAAKjL,MAVfiL,GAAUY,EAAW,KAYvBX,GAAuB,CACzB,CACA,OAAOD,CACT,CACA,SAASE,GAAS1b,GAChB,MAAM7K,EAAOxf,OAAOwf,KAAK6K,GACzB,IAAK,IAAIpoB,EAAI,EAAGA,EAAIud,EAAKrd,OAAQF,IAAK,CACpC,MAAM2G,EAAM4W,EAAKvd,GACjB,GAAKooB,EAAInqB,eAAe0I,IAEZ,OAARA,EACF,OAAOA,CACX,CACF,CACA,SAASw9B,GAAYjB,EAASr6B,GAC5B,IAAIkwB,EAAU,GACd,GAAImK,IAAYr6B,EAAQiyB,iBACtB,IAAK,IAAI+J,KAAQ3B,EAAS,CACxB,IAAKA,EAAQjlC,eAAe4mC,GAC1B,SACF,IAAIC,EAAUj8B,EAAQ6yB,wBAAwBmJ,EAAM3B,EAAQ2B,IAC5DC,EAAU5F,GAAqB4F,EAASj8B,IACxB,IAAZi8B,GAAoBj8B,EAAQk8B,0BAC9BhM,GAAW,IAAI8L,EAAK7M,OAAOnvB,EAAQ8xB,oBAAoBz6B,UAEvD64B,GAAW,IAAI8L,EAAK7M,OAAOnvB,EAAQ8xB,oBAAoBz6B,YAAY4kC,IAEvE,CAEF,OAAO/L,CACT,CACA,SAASkL,GAAW5H,EAAOxzB,GAEzB,IAAI8vB,GADJ0D,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMn8B,OAAS2I,EAAQgyB,aAAa36B,OAAS,IACjD83B,OAAOqE,EAAMiE,YAAY,KAAO,GACpD,IAAK,IAAIvyB,KAASlF,EAAQ8yB,UACxB,GAAI9yB,EAAQ8yB,UAAU5tB,KAAWsuB,GAASxzB,EAAQ8yB,UAAU5tB,KAAW,KAAO4qB,EAC5E,OAAO,EAEX,OAAO,CACT,CACA,SAASuG,GAAqB8F,EAAWn8B,GACvC,GAAIm8B,GAAaA,EAAU9kC,OAAS,GAAK2I,EAAQizB,gBAC/C,IAAK,IAAI97B,EAAI,EAAGA,EAAI6I,EAAQ60B,SAASx9B,OAAQF,IAAK,CAChD,MAAMuhC,EAAS14B,EAAQ60B,SAAS19B,GAChCglC,EAAYA,EAAUnpB,QAAQ0lB,EAAOrK,MAAOqK,EAAOxD,IACrD,CAEF,OAAOiH,CACT,CAEA,MAAMC,GA/HN,SAAeC,EAAQr8B,GACrB,IAAI86B,EAAc,GAIlB,OAHI96B,EAAQs8B,QAAUt8B,EAAQ07B,SAASrkC,OAAS,IAC9CyjC,EAJQ,MAMHD,GAASwB,EAAQr8B,EAAS,GAAI86B,EACvC,EA0HMpH,GAAiB,CACrB5B,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACfgK,QAAQ,EACRZ,SAAU,KACVI,mBAAmB,EACnBD,sBAAsB,EACtBK,2BAA2B,EAC3BvJ,kBAAmB,SAAS70B,EAAKoE,GAC/B,OAAOA,CACT,EACA2wB,wBAAyB,SAASzB,EAAUlvB,GAC1C,OAAOA,CACT,EACA2vB,eAAe,EACfmB,iBAAiB,EACjBnE,aAAc,GACdgG,SAAU,CACR,CAAExG,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,SAEpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,QACpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,QACpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,UACpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,WAEtCjC,iBAAiB,EACjBH,UAAW,GAGXyJ,cAAc,GAEhB,SAASC,GAAQx8B,GACfrK,KAAKqK,QAAU9K,OAAO+d,OAAO,CAAC,EAAGygB,GAAgB1zB,GAC7CrK,KAAKqK,QAAQiyB,kBAAoBt8B,KAAKqK,QAAQ+xB,oBAChDp8B,KAAK8mC,YAAc,WACjB,OAAO,CACT,GAEA9mC,KAAK+mC,cAAgB/mC,KAAKqK,QAAQ8xB,oBAAoBz6B,OACtD1B,KAAK8mC,YAAcA,IAErB9mC,KAAKgnC,qBAAuBA,GACxBhnC,KAAKqK,QAAQs8B,QACf3mC,KAAKinC,UAAYA,GACjBjnC,KAAKknC,WAAa,MAClBlnC,KAAKmnC,QAAU,OAEfnnC,KAAKinC,UAAY,WACf,MAAO,EACT,EACAjnC,KAAKknC,WAAa,IAClBlnC,KAAKmnC,QAAU,GAEnB,CA6FA,SAASH,GAAqBI,EAAQj/B,EAAKk/B,GACzC,MAAMlhC,EAASnG,KAAKsnC,IAAIF,EAAQC,EAAQ,GACxC,YAA0C,IAAtCD,EAAOpnC,KAAKqK,QAAQgyB,eAA2D,IAA/B98B,OAAOwf,KAAKqoB,GAAQ1lC,OAC/D1B,KAAKunC,iBAAiBH,EAAOpnC,KAAKqK,QAAQgyB,cAAel0B,EAAKhC,EAAOo0B,QAAS8M,GAE9ErnC,KAAKwnC,gBAAgBrhC,EAAOo5B,IAAKp3B,EAAKhC,EAAOo0B,QAAS8M,EAEjE,CA8DA,SAASJ,GAAUI,GACjB,OAAOrnC,KAAKqK,QAAQ07B,SAAS0B,OAAOJ,EACtC,CACA,SAASP,GAAY9lC,GACnB,SAAIA,EAAKsH,WAAWtI,KAAKqK,QAAQ8xB,sBAAwBn7B,IAAShB,KAAKqK,QAAQgyB,eACtEr7B,EAAKw4B,OAAOx5B,KAAK+mC,cAI5B,CA1KAF,GAAQrnC,UAAU4D,MAAQ,SAASskC,GACjC,OAAI1nC,KAAKqK,QAAQ6xB,cACRuK,GAAmBiB,EAAM1nC,KAAKqK,UAEjCzI,MAAMkd,QAAQ4oB,IAAS1nC,KAAKqK,QAAQs9B,eAAiB3nC,KAAKqK,QAAQs9B,cAAcjmC,OAAS,IAC3FgmC,EAAO,CACL,CAAC1nC,KAAKqK,QAAQs9B,eAAgBD,IAG3B1nC,KAAKsnC,IAAII,EAAM,GAAGnI,IAE7B,EACAsH,GAAQrnC,UAAU8nC,IAAM,SAASI,EAAML,GACrC,IAAI9M,EAAU,GACV0C,EAAO,GACX,IAAK,IAAI90B,KAAOu/B,EACd,GAAKnoC,OAAOC,UAAUC,eAAeyB,KAAKwmC,EAAMv/B,GAEhD,QAAyB,IAAdu/B,EAAKv/B,GACVnI,KAAK8mC,YAAY3+B,KACnB80B,GAAQ,SAEL,GAAkB,OAAdyK,EAAKv/B,GACVnI,KAAK8mC,YAAY3+B,GACnB80B,GAAQ,GACY,MAAX90B,EAAI,GACb80B,GAAQj9B,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAM,IAAMnI,KAAKknC,WAEvDjK,GAAQj9B,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAM,IAAMnI,KAAKknC,gBAEpD,GAAIQ,EAAKv/B,aAAgBkF,KAC9B4vB,GAAQj9B,KAAKunC,iBAAiBG,EAAKv/B,GAAMA,EAAK,GAAIk/B,QAC7C,GAAyB,iBAAdK,EAAKv/B,GAAmB,CACxC,MAAMk+B,EAAOrmC,KAAK8mC,YAAY3+B,GAC9B,GAAIk+B,EACF9L,GAAWv6B,KAAK4nC,iBAAiBvB,EAAM,GAAKqB,EAAKv/B,SAEjD,GAAIA,IAAQnI,KAAKqK,QAAQgyB,aAAc,CACrC,IAAIsE,EAAS3gC,KAAKqK,QAAQ2yB,kBAAkB70B,EAAK,GAAKu/B,EAAKv/B,IAC3D80B,GAAQj9B,KAAK0gC,qBAAqBC,EACpC,MACE1D,GAAQj9B,KAAKunC,iBAAiBG,EAAKv/B,GAAMA,EAAK,GAAIk/B,EAGxD,MAAO,GAAIzlC,MAAMkd,QAAQ4oB,EAAKv/B,IAAO,CACnC,MAAM0/B,EAASH,EAAKv/B,GAAKzG,OACzB,IAAIomC,EAAa,GACjB,IAAK,IAAIplC,EAAI,EAAGA,EAAImlC,EAAQnlC,IAAK,CAC/B,MAAM4e,EAAOomB,EAAKv/B,GAAKzF,QACH,IAAT4e,IAEO,OAATA,EACQ,MAAXnZ,EAAI,GACN80B,GAAQj9B,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAM,IAAMnI,KAAKknC,WAEvDjK,GAAQj9B,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAM,IAAMnI,KAAKknC,WAChC,iBAAT5lB,EACZthB,KAAKqK,QAAQu8B,aACfkB,GAAc9nC,KAAKsnC,IAAIhmB,EAAM+lB,EAAQ,GAAG9H,IAExCuI,GAAc9nC,KAAKgnC,qBAAqB1lB,EAAMnZ,EAAKk/B,GAGrDS,GAAc9nC,KAAKunC,iBAAiBjmB,EAAMnZ,EAAK,GAAIk/B,GAEvD,CACIrnC,KAAKqK,QAAQu8B,eACfkB,EAAa9nC,KAAKwnC,gBAAgBM,EAAY3/B,EAAK,GAAIk/B,IAEzDpK,GAAQ6K,CACV,MACE,GAAI9nC,KAAKqK,QAAQ+xB,qBAAuBj0B,IAAQnI,KAAKqK,QAAQ+xB,oBAAqB,CAChF,MAAM2L,EAAKxoC,OAAOwf,KAAK2oB,EAAKv/B,IACtB6/B,EAAID,EAAGrmC,OACb,IAAK,IAAIgB,EAAI,EAAGA,EAAIslC,EAAGtlC,IACrB63B,GAAWv6B,KAAK4nC,iBAAiBG,EAAGrlC,GAAI,GAAKglC,EAAKv/B,GAAK4/B,EAAGrlC,IAE9D,MACEu6B,GAAQj9B,KAAKgnC,qBAAqBU,EAAKv/B,GAAMA,EAAKk/B,GAIxD,MAAO,CAAE9M,UAASgF,IAAKtC,EACzB,EACA4J,GAAQrnC,UAAUooC,iBAAmB,SAASnM,EAAUwB,GAGtD,OAFAA,EAAOj9B,KAAKqK,QAAQ6yB,wBAAwBzB,EAAU,GAAKwB,GAC3DA,EAAOj9B,KAAK0gC,qBAAqBzD,GAC7Bj9B,KAAKqK,QAAQk8B,2BAAsC,SAATtJ,EACrC,IAAMxB,EAEN,IAAMA,EAAW,KAAOwB,EAAO,GAC1C,EASA4J,GAAQrnC,UAAUgoC,gBAAkB,SAASvK,EAAM90B,EAAKoyB,EAAS8M,GAC/D,GAAa,KAATpK,EACF,MAAe,MAAX90B,EAAI,GACCnI,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAU,IAAMv6B,KAAKknC,WAEzDlnC,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAUv6B,KAAKioC,SAAS9/B,GAAOnI,KAAKknC,WAE5E,CACL,IAAIgB,EAAY,KAAO//B,EAAMnI,KAAKknC,WAC9BiB,EAAgB,GAKpB,MAJe,MAAXhgC,EAAI,KACNggC,EAAgB,IAChBD,EAAY,KAET3N,GAAuB,KAAZA,IAA0C,IAAvB0C,EAAKrW,QAAQ,MAEJ,IAAjC5mB,KAAKqK,QAAQgzB,iBAA6Bl1B,IAAQnI,KAAKqK,QAAQgzB,iBAA4C,IAAzB8K,EAAczmC,OAClG1B,KAAKinC,UAAUI,GAAS,UAAOpK,UAAYj9B,KAAKmnC,QAEhDnnC,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAU4N,EAAgBnoC,KAAKknC,WAAajK,EAAOj9B,KAAKinC,UAAUI,GAASa,EAJ/GloC,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAU4N,EAAgB,IAAMlL,EAAOiL,CAMtF,CACF,EACArB,GAAQrnC,UAAUyoC,SAAW,SAAS9/B,GACpC,IAAI8/B,EAAW,GASf,OARgD,IAA5CjoC,KAAKqK,QAAQ6uB,aAAatS,QAAQze,GAC/BnI,KAAKqK,QAAQ67B,uBAChB+B,EAAW,KAEbA,EADSjoC,KAAKqK,QAAQ87B,kBACX,IAEA,MAAMh+B,IAEZ8/B,CACT,EACApB,GAAQrnC,UAAU+nC,iBAAmB,SAAStK,EAAM90B,EAAKoyB,EAAS8M,GAChE,IAAmC,IAA/BrnC,KAAKqK,QAAQsyB,eAA2Bx0B,IAAQnI,KAAKqK,QAAQsyB,cAC/D,OAAO38B,KAAKinC,UAAUI,GAAS,YAAYpK,OAAYj9B,KAAKmnC,QACvD,IAAqC,IAAjCnnC,KAAKqK,QAAQgzB,iBAA6Bl1B,IAAQnI,KAAKqK,QAAQgzB,gBACxE,OAAOr9B,KAAKinC,UAAUI,GAAS,UAAOpK,UAAYj9B,KAAKmnC,QAClD,GAAe,MAAXh/B,EAAI,GACb,OAAOnI,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAU,IAAMv6B,KAAKknC,WAC3D,CACL,IAAIV,EAAYxmC,KAAKqK,QAAQ2yB,kBAAkB70B,EAAK80B,GAEpD,OADAuJ,EAAYxmC,KAAK0gC,qBAAqB8F,GACpB,KAAdA,EACKxmC,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAUv6B,KAAKioC,SAAS9/B,GAAOnI,KAAKknC,WAExElnC,KAAKinC,UAAUI,GAAS,IAAMl/B,EAAMoyB,EAAU,IAAMiM,EAAY,KAAOr+B,EAAMnI,KAAKknC,UAE7F,CACF,EACAL,GAAQrnC,UAAUkhC,qBAAuB,SAAS8F,GAChD,GAAIA,GAAaA,EAAU9kC,OAAS,GAAK1B,KAAKqK,QAAQizB,gBACpD,IAAK,IAAI97B,EAAI,EAAGA,EAAIxB,KAAKqK,QAAQ60B,SAASx9B,OAAQF,IAAK,CACrD,MAAMuhC,EAAS/iC,KAAKqK,QAAQ60B,SAAS19B,GACrCglC,EAAYA,EAAUnpB,QAAQ0lB,EAAOrK,MAAOqK,EAAOxD,IACrD,CAEF,OAAOiH,CACT,EAeA,IAAI4B,GAAM,CACRC,UA9ZgB,MAChB,WAAAzV,CAAYvoB,GACVrK,KAAKigC,iBAAmB,CAAC,EACzBjgC,KAAKqK,QAAUyzB,GAAazzB,EAC9B,CAMA,KAAAvC,CAAMwxB,EAASgP,GACb,GAAuB,iBAAZhP,OAEN,KAAIA,EAAQpyB,SAGf,MAAM,IAAI0F,MAAM,mDAFhB0sB,EAAUA,EAAQpyB,UAGpB,CACA,GAAIohC,EAAkB,EACK,IAArBA,IACFA,EAAmB,CAAC,GACtB,MAAMniC,EAAS8+B,GAAYpL,SAASP,EAASgP,GAC7C,IAAe,IAAXniC,EACF,MAAMyG,MAAM,GAAGzG,EAAO6zB,IAAIK,OAAOl0B,EAAO6zB,IAAIY,QAAQz0B,EAAO6zB,IAAIgB,MAEnE,CACA,MAAMuN,EAAmB,IAAIxD,GAAkB/kC,KAAKqK,SACpDk+B,EAAiBvI,oBAAoBhgC,KAAKigC,kBAC1C,MAAMuI,EAAgBD,EAAiBlH,SAAS/H,GAChD,OAAIt5B,KAAKqK,QAAQ6xB,oBAAmC,IAAlBsM,EACzBA,EAEA1D,GAAS0D,EAAexoC,KAAKqK,QACxC,CAMA,SAAAo+B,CAAUtgC,EAAKiW,GACb,IAA4B,IAAxBA,EAAMwI,QAAQ,KAChB,MAAM,IAAIha,MAAM,+BACX,IAA0B,IAAtBzE,EAAIye,QAAQ,OAAqC,IAAtBze,EAAIye,QAAQ,KAChD,MAAM,IAAIha,MAAM,wEACX,GAAc,MAAVwR,EACT,MAAM,IAAIxR,MAAM,6CAEhB5M,KAAKigC,iBAAiB93B,GAAOiW,CAEjC,GA8WAsqB,aALgB9Q,EAMhB+Q,WAPa9B,IAwDf,MAAMttB,GACJqvB,MACA,WAAAhW,CAAY1uB,GACV2kC,GAAY3kC,GACZlE,KAAK4oC,MAAQ1kC,CACf,CACA,MAAIF,GACF,OAAOhE,KAAK4oC,MAAM5kC,EACpB,CACA,QAAIhD,GACF,OAAOhB,KAAK4oC,MAAM5nC,IACpB,CACA,WAAI+rB,GACF,OAAO/sB,KAAK4oC,MAAM7b,OACpB,CACA,cAAIC,GACF,OAAOhtB,KAAK4oC,MAAM5b,UACpB,CACA,gBAAIC,GACF,OAAOjtB,KAAK4oC,MAAM3b,YACpB,CACA,eAAItf,GACF,OAAO3N,KAAK4oC,MAAMj7B,WACpB,CACA,QAAI4E,GACF,OAAOvS,KAAK4oC,MAAMr2B,IACpB,CACA,QAAIA,CAAKA,GACPvS,KAAK4oC,MAAMr2B,KAAOA,CACpB,CACA,SAAIlM,GACF,OAAOrG,KAAK4oC,MAAMviC,KACpB,CACA,SAAIA,CAAMA,GACRrG,KAAK4oC,MAAMviC,MAAQA,CACrB,CACA,UAAIoT,GACF,OAAOzZ,KAAK4oC,MAAMnvB,MACpB,CACA,UAAIA,CAAOA,GACTzZ,KAAK4oC,MAAMnvB,OAASA,CACtB,CACA,WAAIC,GACF,OAAO1Z,KAAK4oC,MAAMlvB,OACpB,CACA,aAAIovB,GACF,OAAO9oC,KAAK4oC,MAAME,SACpB,CACA,UAAI/vB,GACF,OAAO/Y,KAAK4oC,MAAM7vB,MACpB,CACA,UAAIgwB,GACF,OAAO/oC,KAAK4oC,MAAMG,MACpB,CACA,YAAIC,GACF,OAAOhpC,KAAK4oC,MAAMI,QACpB,CACA,YAAIA,CAASA,GACXhpC,KAAK4oC,MAAMI,SAAWA,CACxB,CACA,kBAAIjb,GACF,OAAO/tB,KAAK4oC,MAAM7a,cACpB,EAEF,MAAM8a,GAAc,SAAS3kC,GAC3B,IAAKA,EAAKF,IAAyB,iBAAZE,EAAKF,GAC1B,MAAM,IAAI4I,MAAM,4CAElB,IAAK1I,EAAKlD,MAA6B,iBAAdkD,EAAKlD,KAC5B,MAAM,IAAI4L,MAAM,8CAElB,GAAI1I,EAAKwV,SAAWxV,EAAKwV,QAAQhY,OAAS,KAAOwC,EAAK6oB,SAAmC,iBAAjB7oB,EAAK6oB,SAC3E,MAAM,IAAIngB,MAAM,qEAElB,IAAK1I,EAAKyJ,aAA2C,mBAArBzJ,EAAKyJ,YACnC,MAAM,IAAIf,MAAM,uDAElB,IAAK1I,EAAKqO,MAA6B,iBAAdrO,EAAKqO,OA5HhC,SAAeimB,GACb,GAAsB,iBAAXA,EACT,MAAM,IAAIp4B,UAAU,uCAAuCo4B,OAG7D,GAAsB,KADtBA,EAASA,EAAO4B,QACL14B,OACT,OAAO,EAET,IAA0C,IAAtC0mC,GAAIM,aAAa7O,SAASrB,GAC5B,OAAO,EAET,IAAIyQ,EACJ,MAAMC,EAAS,IAAId,GAAIC,UACvB,IACEY,EAAaC,EAAOphC,MAAM0wB,EAC5B,CAAE,MACA,OAAO,CACT,CACA,QAAKyQ,KAGA1pC,OAAOwf,KAAKkqB,GAAY5kC,MAAMisB,GAA0B,QAApBA,EAAEtS,eAI7C,CAmGsDmrB,CAAMjlC,EAAKqO,MAC7D,MAAM,IAAI3F,MAAM,wDAElB,KAAM,UAAW1I,IAA+B,iBAAfA,EAAKmC,MACpC,MAAM,IAAIuG,MAAM,+CASlB,GAPI1I,EAAKwV,SACPxV,EAAKwV,QAAQ2I,SAASoV,IACpB,KAAMA,aAAkBF,GACtB,MAAM,IAAI3qB,MAAM,gEAClB,IAGA1I,EAAK4kC,WAAuC,mBAAnB5kC,EAAK4kC,UAChC,MAAM,IAAIl8B,MAAM,qCAElB,GAAI1I,EAAK6U,QAAiC,iBAAhB7U,EAAK6U,OAC7B,MAAM,IAAInM,MAAM,gCAElB,GAAI,WAAY1I,GAA+B,kBAAhBA,EAAK6kC,OAClC,MAAM,IAAIn8B,MAAM,iCAElB,GAAI,aAAc1I,GAAiC,kBAAlBA,EAAK8kC,SACpC,MAAM,IAAIp8B,MAAM,mCAElB,GAAI1I,EAAK6pB,gBAAiD,iBAAxB7pB,EAAK6pB,eACrC,MAAM,IAAInhB,MAAM,wCAElB,OAAO,CACT,EAuBMuf,GAAsB,SAASlV,GAEnC,OADoBub,IACDR,cAAc/a,EACnC,EACMoB,GAAyB,SAASpB,GAEtC,OADoBub,IACDL,gBAAgBlb,EACrC,EACMmyB,GAAwB,SAAStpC,GAErC,OADoB0yB,IACDD,WAAWzyB,GAASytB,MAAK,CAAChhB,EAAGC,SAC9B,IAAZD,EAAElG,YAAgC,IAAZmG,EAAEnG,OAAoBkG,EAAElG,QAAUmG,EAAEnG,MACrDkG,EAAElG,MAAQmG,EAAEnG,MAEdkG,EAAEtI,YAAYupB,cAAchhB,EAAEvI,iBAAa,EAAQ,CAAEolC,SAAS,EAAMC,YAAa,UAE5F,oOCloGIj/B,EAAU,CAAC,EAEfA,EAAQC,kBAAoB,IAC5BD,EAAQE,cAAgB,IAElBF,EAAQG,OAAS,SAAc,KAAM,QAE3CH,EAAQI,OAAS,IACjBJ,EAAQK,mBAAqB,IAEhB,IAAI,IAASL,GAKJ,KAAW,IAAQM,QAAS,IAAQA,6EC1BnD,MAAM4+B,UAAoB38B,MAChC,WAAAgmB,CAAY4W,GACXlU,MAAMkU,GAAU,wBAChBxpC,KAAKgB,KAAO,aACb,CAEA,cAAIyoC,GACH,OAAO,CACR,EAGD,MAAMC,EAAenqC,OAAOoqC,OAAO,CAClCC,QAAS7vB,OAAO,WAChB8vB,SAAU9vB,OAAO,YACjB+vB,SAAU/vB,OAAO,YACjBgwB,SAAUhwB,OAAO,cAGH,MAAMiwB,EACpB,SAAOnqC,CAAGoqC,GACT,MAAO,IAAIC,IAAe,IAAIF,GAAY,CAAChkC,EAASiI,EAAQC,KAC3Dg8B,EAAW1pC,KAAK0N,GAChB+7B,KAAgBC,GAAYxhB,KAAK1iB,EAASiI,EAAO,GAEnD,CAEA,GAAkB,GAClB,IAAkB,EAClB,GAASy7B,EAAaE,QACtB,GACA,GAEA,WAAAhX,CAAYuX,GACXnqC,MAAK,EAAW,IAAI+F,SAAQ,CAACC,EAASiI,KACrCjO,MAAK,EAAUiO,EAEf,MAcMC,EAAWgJ,IAChB,GAAIlX,MAAK,IAAW0pC,EAAaE,QAChC,MAAM,IAAIh9B,MAAM,2DAA2D5M,MAAK,EAAOoqC,gBAGxFpqC,MAAK,EAAgBQ,KAAK0W,EAAQ,EAGnC3X,OAAO8qC,iBAAiBn8B,EAAU,CACjCo8B,aAAc,CACb1oB,IAAK,IAAM5hB,MAAK,EAChB4jB,IAAK2mB,IACJvqC,MAAK,EAAkBuqC,CAAO,KAKjCJ,GA/BkB/rB,IACbpe,MAAK,IAAW0pC,EAAaG,UAAa37B,EAASo8B,eACtDtkC,EAAQoY,GACRpe,MAAK,EAAU0pC,EAAaI,UAC7B,IAGgBpkC,IACZ1F,MAAK,IAAW0pC,EAAaG,UAAa37B,EAASo8B,eACtDr8B,EAAOvI,GACP1F,MAAK,EAAU0pC,EAAaK,UAC7B,GAoB6B77B,EAAS,GAEzC,CAGA,IAAAwa,CAAK8hB,EAAaC,GACjB,OAAOzqC,MAAK,EAAS0oB,KAAK8hB,EAAaC,EACxC,CAEA,MAAMA,GACL,OAAOzqC,MAAK,EAAS4S,MAAM63B,EAC5B,CAEA,QAAQC,GACP,OAAO1qC,MAAK,EAAS2qC,QAAQD,EAC9B,CAEA,MAAAE,CAAOpB,GACN,GAAIxpC,MAAK,IAAW0pC,EAAaE,QAAjC,CAMA,GAFA5pC,MAAK,EAAU0pC,EAAaG,UAExB7pC,MAAK,EAAgB0B,OAAS,EACjC,IACC,IAAK,MAAMwV,KAAWlX,MAAK,EAC1BkX,GAEF,CAAE,MAAOxR,GAER,YADA1F,MAAK,EAAQ0F,EAEd,CAGG1F,MAAK,GACRA,MAAK,EAAQ,IAAIupC,EAAYC,GAhB9B,CAkBD,CAEA,cAAIC,GACH,OAAOzpC,MAAK,IAAW0pC,EAAaG,QACrC,CAEA,GAAUj0B,GACL5V,MAAK,IAAW0pC,EAAaE,UAChC5pC,MAAK,EAAS4V,EAEhB,EAGDrW,OAAOsrC,eAAeb,EAAYxqC,UAAWuG,QAAQvG,yBCtH9C,MAAMsrC,UAAqBl+B,MACjC,WAAAgmB,CAAY1hB,GACXokB,MAAMpkB,GACNlR,KAAKgB,KAAO,cACb,EAOM,MAAM+pC,UAAmBn+B,MAC/B,WAAAgmB,CAAY1hB,GACXokB,QACAt1B,KAAKgB,KAAO,aACZhB,KAAKkR,QAAUA,CAChB,EAMD,MAAM85B,EAAkBp2B,QAA4CpS,IAA5BkY,WAAWuwB,aAChD,IAAIF,EAAWn2B,GACf,IAAIq2B,aAAar2B,GAKds2B,EAAmB18B,IACxB,MAAMg7B,OAA2BhnC,IAAlBgM,EAAOg7B,OACnBwB,EAAgB,+BAChBx8B,EAAOg7B,OAEV,OAAOA,aAAkB58B,MAAQ48B,EAASwB,EAAgBxB,EAAO,ECjCnD,MAAM2B,EACjB,GAAS,GACT,OAAAC,CAAQjiB,EAAK9e,GAKT,MAAMghC,EAAU,CACZC,UALJjhC,EAAU,CACNihC,SAAU,KACPjhC,IAGeihC,SAClBniB,OAEJ,GAAInpB,KAAKwN,MAAQxN,MAAK,EAAOA,KAAKwN,KAAO,GAAG89B,UAAYjhC,EAAQihC,SAE5D,YADAtrC,MAAK,EAAOQ,KAAK6qC,GAGrB,MAAM97B,ECdC,SAAoBg8B,EAAOntB,EAAOotB,GAC7C,IAAIC,EAAQ,EACR5P,EAAQ0P,EAAM7pC,OAClB,KAAOm6B,EAAQ,GAAG,CACd,MAAM6P,EAAO1kC,KAAK2kC,MAAM9P,EAAQ,GAChC,IAAI+P,EAAKH,EAAQC,EDS+Bn/B,ECRjCg/B,EAAMK,GAAKxtB,EDQiCktB,SAAW/+B,EAAE++B,UCRpC,GAChCG,IAAUG,EACV/P,GAAS6P,EAAO,GAGhB7P,EAAQ6P,CAEhB,CDCmD,IAACn/B,ECApD,OAAOk/B,CACX,CDDsBI,CAAW7rC,MAAK,EAAQqrC,GACtCrrC,MAAK,EAAO6mB,OAAOtX,EAAO,EAAG87B,EACjC,CACA,OAAAS,GACI,MAAMxqB,EAAOthB,MAAK,EAAO+rC,QACzB,OAAOzqB,GAAM6H,GACjB,CACA,MAAAxa,CAAOtE,GACH,OAAOrK,MAAK,EAAO2O,QAAQ08B,GAAYA,EAAQC,WAAajhC,EAAQihC,WAAUtmC,KAAKqmC,GAAYA,EAAQliB,KAC3G,CACA,QAAI3b,GACA,OAAOxN,MAAK,EAAO0B,MACvB,EEtBW,MAAMkC,UAAe,EAChC,GACA,GACA,GAAiB,EACjB,GACA,GACA,GAAe,EACf,GACA,GACA,GACA,GACA,GAAW,EAEX,GACA,GACA,GAMAooC,QAEA,WAAApZ,CAAYvoB,GAYR,GAXAirB,UAWqC,iBATrCjrB,EAAU,CACN4hC,2BAA2B,EAC3BC,YAAanW,OAAOoW,kBACpBC,SAAU,EACVvoC,YAAakyB,OAAOoW,kBACpBE,WAAW,EACXC,WAAYnB,KACT9gC,IAEc6hC,aAA4B7hC,EAAQ6hC,aAAe,GACpE,MAAM,IAAI9rC,UAAU,gEAAgEiK,EAAQ6hC,aAAahlC,YAAc,gBAAgBmD,EAAQ6hC,gBAEnJ,QAAyB1pC,IAArB6H,EAAQ+hC,YAA4BrW,OAAOwW,SAASliC,EAAQ+hC,WAAa/hC,EAAQ+hC,UAAY,GAC7F,MAAM,IAAIhsC,UAAU,2DAA2DiK,EAAQ+hC,UAAUllC,YAAc,gBAAgBmD,EAAQ+hC,aAE3IpsC,MAAK,EAA6BqK,EAAQ4hC,0BAC1CjsC,MAAK,EAAqBqK,EAAQ6hC,cAAgBnW,OAAOoW,mBAA0C,IAArB9hC,EAAQ+hC,SACtFpsC,MAAK,EAAeqK,EAAQ6hC,YAC5BlsC,MAAK,EAAYqK,EAAQ+hC,SACzBpsC,MAAK,EAAS,IAAIqK,EAAQiiC,WAC1BtsC,MAAK,EAAcqK,EAAQiiC,WAC3BtsC,KAAK6D,YAAcwG,EAAQxG,YAC3B7D,KAAKgsC,QAAU3hC,EAAQ2hC,QACvBhsC,MAAK,GAA6C,IAA3BqK,EAAQmiC,eAC/BxsC,MAAK,GAAkC,IAAtBqK,EAAQgiC,SAC7B,CACA,KAAI,GACA,OAAOrsC,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,MAAM4d,EAAM/S,KAAK+S,MACjB,QAAyB5d,IAArBxC,MAAK,EAA2B,CAChC,MAAMysC,EAAQzsC,MAAK,EAAeogB,EAClC,KAAIqsB,EAAQ,GAYR,YALwBjqC,IAApBxC,MAAK,IACLA,MAAK,EAAaqc,YAAW,KACzBrc,MAAK,GAAmB,GACzBysC,KAEA,EATPzsC,MAAK,EAAkBA,MAA+B,EAAIA,MAAK,EAAW,CAWlF,CACA,OAAO,CACX,CACA,KACI,GAAyB,IAArBA,MAAK,EAAOwN,KAWZ,OARIxN,MAAK,GACL0sC,cAAc1sC,MAAK,GAEvBA,MAAK,OAAcwC,EACnBxC,KAAK8B,KAAK,SACY,IAAlB9B,MAAK,GACLA,KAAK8B,KAAK,SAEP,EAEX,IAAK9B,MAAK,EAAW,CACjB,MAAM2sC,GAAyB3sC,MAAK,EACpC,GAAIA,MAAK,GAA6BA,MAAK,EAA6B,CACpE,MAAM4sC,EAAM5sC,MAAK,EAAO8rC,UACxB,QAAKc,IAGL5sC,KAAK8B,KAAK,UACV8qC,IACID,GACA3sC,MAAK,KAEF,EACX,CACJ,CACA,OAAO,CACX,CACA,KACQA,MAAK,QAA2CwC,IAArBxC,MAAK,IAGpCA,MAAK,EAAc6sC,aAAY,KAC3B7sC,MAAK,GAAa,GACnBA,MAAK,GACRA,MAAK,EAAeqN,KAAK+S,MAAQpgB,MAAK,EAC1C,CACA,KACgC,IAAxBA,MAAK,GAA0C,IAAlBA,MAAK,GAAkBA,MAAK,IACzD0sC,cAAc1sC,MAAK,GACnBA,MAAK,OAAcwC,GAEvBxC,MAAK,EAAiBA,MAAK,EAA6BA,MAAK,EAAW,EACxEA,MAAK,GACT,CAIA,KAEI,KAAOA,MAAK,MAChB,CACA,eAAI6D,GACA,OAAO7D,MAAK,CAChB,CACA,eAAI6D,CAAYipC,GACZ,KAAgC,iBAAnBA,GAA+BA,GAAkB,GAC1D,MAAM,IAAI1sC,UAAU,gEAAgE0sC,eAA4BA,MAEpH9sC,MAAK,EAAe8sC,EACpB9sC,MAAK,GACT,CACA,OAAM,CAAcwO,GAChB,OAAO,IAAIzI,SAAQ,CAACgnC,EAAU9+B,KAC1BO,EAAO0gB,iBAAiB,SAAS,KAC7BjhB,EAAOO,EAAOg7B,OAAO,GACtB,CAAEzpC,MAAM,GAAO,GAE1B,CACA,SAAMkG,CAAI+mC,EAAW3iC,EAAU,CAAC,GAM5B,OALAA,EAAU,CACN2hC,QAAShsC,KAAKgsC,QACdQ,eAAgBxsC,MAAK,KAClBqK,GAEA,IAAItE,SAAQ,CAACC,EAASiI,KACzBjO,MAAK,EAAOorC,SAAQllC,UAChBlG,MAAK,IACLA,MAAK,IACL,IACIqK,EAAQmE,QAAQy+B,iBAChB,IAAI9tB,EAAY6tB,EAAU,CAAEx+B,OAAQnE,EAAQmE,SACxCnE,EAAQ2hC,UACR7sB,EHhJT,SAAkB+tB,EAAS7iC,GACzC,MAAM,aACL8iC,EAAY,SACZC,EAAQ,QACRl8B,EAAO,aACPm8B,EAAe,CAAChxB,WAAYixB,eACzBjjC,EAEJ,IAAIkjC,EAEJ,MA0DMC,EA1DiB,IAAIznC,SAAQ,CAACC,EAASiI,KAC5C,GAA4B,iBAAjBk/B,GAAyD,IAA5BnmC,KAAK44B,KAAKuN,GACjD,MAAM,IAAI/sC,UAAU,4DAA4D+sC,OAGjF,GAAI9iC,EAAQmE,OAAQ,CACnB,MAAM,OAACA,GAAUnE,EACbmE,EAAOi/B,SACVx/B,EAAOi9B,EAAiB18B,IAGzBA,EAAO0gB,iBAAiB,SAAS,KAChCjhB,EAAOi9B,EAAiB18B,GAAQ,GAElC,CAEA,GAAI2+B,IAAiBpX,OAAOoW,kBAE3B,YADAe,EAAQxkB,KAAK1iB,EAASiI,GAKvB,MAAMy/B,EAAe,IAAI5C,EAEzByC,EAAQF,EAAahxB,WAAWnb,UAAKsB,GAAW,KAC/C,GAAI4qC,EACH,IACCpnC,EAAQonC,IACT,CAAE,MAAO1nC,GACRuI,EAAOvI,EACR,KAK6B,mBAAnBwnC,EAAQtC,QAClBsC,EAAQtC,UAGO,IAAZ15B,EACHlL,IACUkL,aAAmBtE,MAC7BqB,EAAOiD,IAEPw8B,EAAax8B,QAAUA,GAAW,2BAA2Bi8B,iBAC7Dl/B,EAAOy/B,GACR,GACEP,GAEH,WACC,IACCnnC,QAAcknC,EACf,CAAE,MAAOxnC,GACRuI,EAAOvI,EACR,CACA,EAND,EAMI,IAGoCilC,SAAQ,KAChD6C,EAAkBG,OAAO,IAQ1B,OALAH,EAAkBG,MAAQ,KACzBN,EAAaC,aAAapsC,UAAKsB,EAAW+qC,GAC1CA,OAAQ/qC,CAAS,EAGXgrC,CACR,CGkEoCI,CAAS7nC,QAAQC,QAAQmZ,GAAY,CAAEguB,aAAc9iC,EAAQ2hC,WAEzE3hC,EAAQmE,SACR2Q,EAAYpZ,QAAQ8nC,KAAK,CAAC1uB,EAAWnf,MAAK,EAAcqK,EAAQmE,WAEpE,MAAMrI,QAAegZ,EACrBnZ,EAAQG,GACRnG,KAAK8B,KAAK,YAAaqE,EAC3B,CACA,MAAOT,GACH,GAAIA,aAAiBolC,IAAiBzgC,EAAQmiC,eAE1C,YADAxmC,IAGJiI,EAAOvI,GACP1F,KAAK8B,KAAK,QAAS4D,EACvB,CACA,QACI1F,MAAK,GACT,IACDqK,GACHrK,KAAK8B,KAAK,OACV9B,MAAK,GAAoB,GAEjC,CACA,YAAM8tC,CAAOC,EAAW1jC,GACpB,OAAOtE,QAAQK,IAAI2nC,EAAU/oC,KAAIkB,MAAO8mC,GAAchtC,KAAKiG,IAAI+mC,EAAW3iC,KAC9E,CAIA,KAAA6mB,GACI,OAAKlxB,MAAK,GAGVA,MAAK,GAAY,EACjBA,MAAK,IACEA,MAJIA,IAKf,CAIA,KAAAguC,GACIhuC,MAAK,GAAY,CACrB,CAIA,KAAA2tC,GACI3tC,MAAK,EAAS,IAAIA,MAAK,CAC3B,CAMA,aAAMiuC,GAEuB,IAArBjuC,MAAK,EAAOwN,YAGVxN,MAAK,EAAS,QACxB,CAQA,oBAAMkuC,CAAeC,GAEbnuC,MAAK,EAAOwN,KAAO2gC,SAGjBnuC,MAAK,EAAS,QAAQ,IAAMA,MAAK,EAAOwN,KAAO2gC,GACzD,CAMA,YAAMC,GAEoB,IAAlBpuC,MAAK,GAAuC,IAArBA,MAAK,EAAOwN,YAGjCxN,MAAK,EAAS,OACxB,CACA,OAAM,CAASG,EAAOwO,GAClB,OAAO,IAAI5I,SAAQC,IACf,MAAM3F,EAAW,KACTsO,IAAWA,MAGf3O,KAAK6C,IAAI1C,EAAOE,GAChB2F,IAAS,EAEbhG,KAAK2C,GAAGxC,EAAOE,EAAS,GAEhC,CAIA,QAAImN,GACA,OAAOxN,MAAK,EAAOwN,IACvB,CAMA,MAAA6gC,CAAOhkC,GAEH,OAAOrK,MAAK,EAAO2O,OAAOtE,GAAS3I,MACvC,CAIA,WAAIkoC,GACA,OAAO5pC,MAAK,CAChB,CAIA,YAAIsuC,GACA,OAAOtuC,MAAK,CAChB,kHCjSJ,MAAMuuC,EAAIroC,eAAe4M,EAAG07B,EAAGrqC,EAAG6L,EAAI,SACnCxO,OAAI,EAAQyY,EAAI,CAAC,GAClB,IAAIxY,EACJ,OAA2BA,EAApB+sC,aAAa/xB,KAAW+xB,QAAcA,IAAKhtC,IAAMyY,EAAEw0B,YAAcjtC,GAAIyY,EAAE,kBAAoBA,EAAE,gBAAkB,kCAAmC,IAAEy0B,QAAQ,CACjKxiC,OAAQ,MACR3F,IAAKuM,EACL1J,KAAM3H,EACN+M,OAAQrK,EACRwqC,iBAAkB3+B,EAClB/D,QAASgO,GAEb,EAAG20B,EAAI,SAAS97B,EAAG07B,EAAGrqC,GACpB,OAAa,IAANqqC,GAAW17B,EAAEtF,MAAQrJ,EAAI4B,QAAQC,QAAQ,IAAIyW,KAAK,CAAC3J,GAAI,CAAEtO,KAAMsO,EAAEtO,MAAQ,8BAAiCuB,QAAQC,QAAQ,IAAIyW,KAAK,CAAC3J,EAAE3R,MAAMqtC,EAAGA,EAAIrqC,IAAK,CAAEK,KAAM,6BACzK,EAOG8rB,EAAI,SAASxd,OAAI,GAClB,MAAM07B,EAAIxlC,OAAOc,IAAI+kC,WAAWxnC,OAAOynC,eACvC,GAAIN,GAAK,EACP,OAAO,EACT,IAAKzY,OAAOyY,GACV,OAAO,SACT,MAAMrqC,EAAI6C,KAAKypB,IAAIsF,OAAOyY,GAAI,SAC9B,YAAa,IAAN17B,EAAe3O,EAAI6C,KAAKypB,IAAItsB,EAAG6C,KAAK+nC,KAAKj8B,EAAI,KACtD,EACA,IAAIk8B,EAAoB,CAAEl8B,IAAOA,EAAEA,EAAEm8B,YAAc,GAAK,cAAen8B,EAAEA,EAAEo8B,UAAY,GAAK,YAAap8B,EAAEA,EAAEq8B,WAAa,GAAK,aAAcr8B,EAAEA,EAAEs8B,SAAW,GAAK,WAAYt8B,EAAEA,EAAEu8B,UAAY,GAAK,YAAav8B,EAAEA,EAAEw8B,OAAS,GAAK,SAAUx8B,GAAnN,CAAuNk8B,GAAK,CAAC,GACrP,IAAIpb,EAAK,MACP2b,QACAC,MACAC,WACAC,QACAC,MACAC,UAAY,EACZC,WAAa,EACbC,QAAU,EACVC,YACAC,UAAY,KACZ,WAAApd,CAAY4b,EAAGrqC,GAAI,EAAI6L,EAAGxO,GACxB,MAAMyY,EAAIjT,KAAK+D,IAAIulB,IAAM,EAAItpB,KAAK+nC,KAAK/+B,EAAIsgB,KAAO,EAAG,KACrDtwB,KAAKuvC,QAAUf,EAAGxuC,KAAKyvC,WAAatrC,GAAKmsB,IAAM,GAAKrW,EAAI,EAAGja,KAAK0vC,QAAU1vC,KAAKyvC,WAAax1B,EAAI,EAAGja,KAAK2vC,MAAQ3/B,EAAGhQ,KAAKwvC,MAAQhuC,EAAGxB,KAAK+vC,YAAc,IAAIliC,eAC5J,CACA,UAAIjI,GACF,OAAO5F,KAAKuvC,OACd,CACA,QAAIluB,GACF,OAAOrhB,KAAKwvC,KACd,CACA,aAAIS,GACF,OAAOjwC,KAAKyvC,UACd,CACA,UAAIS,GACF,OAAOlwC,KAAK0vC,OACd,CACA,QAAIliC,GACF,OAAOxN,KAAK2vC,KACd,CACA,aAAIQ,GACF,OAAOnwC,KAAK6vC,UACd,CACA,YAAI7+B,CAASw9B,GACXxuC,KAAKgwC,UAAYxB,CACnB,CACA,YAAIx9B,GACF,OAAOhR,KAAKgwC,SACd,CACA,YAAII,GACF,OAAOpwC,KAAK4vC,SACd,CAIA,YAAIQ,CAAS5B,GACX,GAAIA,GAAKxuC,KAAK2vC,MAEZ,OADA3vC,KAAK8vC,QAAU9vC,KAAKyvC,WAAa,EAAI,OAAGzvC,KAAK4vC,UAAY5vC,KAAK2vC,OAGhE3vC,KAAK8vC,QAAU,EAAG9vC,KAAK4vC,UAAYpB,EAAuB,IAApBxuC,KAAK6vC,aAAqB7vC,KAAK6vC,YAAa,IAAqBxiC,MAAQgjC,UACjH,CACA,UAAIp/B,GACF,OAAOjR,KAAK8vC,OACd,CAIA,UAAI7+B,CAAOu9B,GACTxuC,KAAK8vC,QAAUtB,CACjB,CAIA,UAAIhgC,GACF,OAAOxO,KAAK+vC,YAAYvhC,MAC1B,CAIA,MAAAo8B,GACE5qC,KAAK+vC,YAAY5hC,QAASnO,KAAK8vC,QAAU,CAC3C,GAuBF,MAA8GQ,EAAtF,QAAZx9B,GAAyG,YAAtF,UAAI5P,OAAO,YAAYE,SAAU,UAAIF,OAAO,YAAY2uB,OAAO/e,EAAEhK,KAAK1F,QAA1F,IAAC0P,EACRy9B,EAAoB,CAAEz9B,IAAOA,EAAEA,EAAE09B,KAAO,GAAK,OAAQ19B,EAAEA,EAAEo8B,UAAY,GAAK,YAAap8B,EAAEA,EAAE29B,OAAS,GAAK,SAAU39B,GAA/F,CAAmGy9B,GAAK,CAAC,GACjI,MAAMG,EAEJC,mBACAC,UAEAC,aAAe,GACfC,UAAY,IAAI,EAAE,CAAEjtC,YAAa,IACjCktC,WAAa,EACbC,eAAiB,EACjBC,aAAe,EACfC,WAAa,GAOb,WAAAte,CAAY4b,GAAI,EAAIrqC,GAClB,GAAInE,KAAK4wC,UAAYpC,GAAIrqC,EAAG,CAC1B,MAAM6L,GAAI,WAAKlH,IAAKtH,GAAI,QAAE,aAAawO,KACvC,IAAKA,EACH,MAAM,IAAIpD,MAAM,yBAClBzI,EAAI,IAAI,KAAE,CACRH,GAAI,EACJ+I,MAAOiD,EACP/K,YAAa,KAAE+F,IACf3C,KAAM,UAAU2H,IAChBpK,OAAQpE,GAEZ,CACAxB,KAAKkP,YAAc/K,EAAGmsC,EAAEn/B,MAAM,+BAAgC,CAC5DjC,YAAalP,KAAKkP,YAClB7G,KAAMrI,KAAKqI,KACXwtB,SAAU2Y,EACV2C,cAAe7gB,KAEnB,CAIA,eAAIphB,GACF,OAAOlP,KAAK2wC,kBACd,CAIA,eAAIzhC,CAAYs/B,GACd,IAAKA,EACH,MAAM,IAAI5hC,MAAM,8BAClB0jC,EAAEn/B,MAAM,kBAAmB,CAAEzC,OAAQ8/B,IAAMxuC,KAAK2wC,mBAAqBnC,CACvE,CAIA,QAAInmC,GACF,OAAOrI,KAAK2wC,mBAAmB/qC,MACjC,CAIA,SAAIjC,GACF,OAAO3D,KAAK6wC,YACd,CACA,KAAArf,GACExxB,KAAK6wC,aAAahqB,OAAO,EAAG7mB,KAAK6wC,aAAanvC,QAAS1B,KAAK8wC,UAAUnD,QAAS3tC,KAAK+wC,WAAa,EAAG/wC,KAAKgxC,eAAiB,EAAGhxC,KAAKixC,aAAe,CACnJ,CAIA,KAAAjD,GACEhuC,KAAK8wC,UAAU9C,QAAShuC,KAAKixC,aAAe,CAC9C,CAIA,KAAA/f,GACElxB,KAAK8wC,UAAU5f,QAASlxB,KAAKixC,aAAe,EAAGjxC,KAAKoxC,aACtD,CAIA,QAAIl5B,GACF,MAAO,CACL1K,KAAMxN,KAAK+wC,WACX3f,SAAUpxB,KAAKgxC,eACf//B,OAAQjR,KAAKixC,aAEjB,CACA,WAAAG,GACE,MAAM5C,EAAIxuC,KAAK6wC,aAAa7rC,KAAKgL,GAAMA,EAAExC,OAAM1C,QAAO,CAACkF,EAAGxO,IAAMwO,EAAIxO,GAAG,GAAI2C,EAAInE,KAAK6wC,aAAa7rC,KAAKgL,GAAMA,EAAEogC,WAAUtlC,QAAO,CAACkF,EAAGxO,IAAMwO,EAAIxO,GAAG,GAChJxB,KAAK+wC,WAAavC,EAAGxuC,KAAKgxC,eAAiB7sC,EAAyB,IAAtBnE,KAAKixC,eAAuBjxC,KAAKixC,aAAejxC,KAAK8wC,UAAUtjC,KAAO,EAAI,EAAI,EAC9H,CACA,WAAA6jC,CAAY7C,GACVxuC,KAAKkxC,WAAW1wC,KAAKguC,EACvB,CAOA,MAAA8C,CAAO9C,EAAGrqC,EAAG6L,GACX,MAAMxO,EAAI,GAAGwO,GAAKhQ,KAAKqI,QAAQmmC,EAAEnxB,QAAQ,MAAO,OAASnB,OAAQjC,GAAM,IAAIkC,IAAI3a,GAAIC,EAAIwY,GAAI,QAAEzY,EAAEL,MAAM8Y,EAAEvY,SACvG4uC,EAAEn/B,MAAM,aAAahN,EAAEnD,WAAWS,KAClC,MAAM8vC,EAAIjhB,EAAEnsB,EAAEqJ,MAAOyhB,EAAU,IAANsiB,GAAWptC,EAAEqJ,KAAO+jC,GAAKvxC,KAAK4wC,UAAWrkC,EAAI,IAAIqnB,EAAGpyB,GAAIytB,EAAG9qB,EAAEqJ,KAAMrJ,GAC5F,OAAOnE,KAAK6wC,aAAarwC,KAAK+L,GAAIvM,KAAKoxC,cAAe,IAAI,GAAElrC,MAAOsrC,EAAGjhB,EAAGkhB,KACvE,GAAIA,EAAEllC,EAAEq+B,QAAS3b,EAAG,CAClBqhB,EAAEn/B,MAAM,8BAA+B,CAAEkQ,KAAMld,EAAGmtC,OAAQ/kC,IAC1D,MAAM4d,QAAUykB,EAAEzqC,EAAG,EAAGoI,EAAEiB,MAAOw6B,EAAI9hC,UACnC,IACEqG,EAAEyE,eAAiBu9B,EACjB9sC,EACA0oB,EACA5d,EAAEiC,QACDkjC,IACCnlC,EAAE6jC,SAAW7jC,EAAE6jC,SAAWsB,EAAEC,MAAO3xC,KAAKoxC,aAAa,QAEvD,EACA,CACE,aAAcjtC,EAAE0vB,aAAe,IAC/B,eAAgB1vB,EAAEK,OAEnB+H,EAAE6jC,SAAW7jC,EAAEiB,KAAMxN,KAAKoxC,cAAed,EAAEn/B,MAAM,yBAAyBhN,EAAEnD,OAAQ,CAAEqgB,KAAMld,EAAGmtC,OAAQ/kC,IAAMilC,EAAEjlC,EACpH,CAAE,MAAOmlC,GACP,GAAIA,aAAa,KAEf,OADAnlC,EAAE0E,OAAS+9B,EAAEM,YAAQ/e,EAAE,6BAGzBmhB,GAAG1gC,WAAazE,EAAEyE,SAAW0gC,EAAE1gC,UAAWzE,EAAE0E,OAAS+9B,EAAEM,OAAQgB,EAAE5qC,MAAM,oBAAoBvB,EAAEnD,OAAQ,CAAE0E,MAAOgsC,EAAGrwB,KAAMld,EAAGmtC,OAAQ/kC,IAAMgkB,EAAE,4BAC5I,CACAvwB,KAAKkxC,WAAW7uB,SAASqvB,IACvB,IACEA,EAAEnlC,EACJ,CAAE,MACF,IACA,EAEJvM,KAAK8wC,UAAU7qC,IAAI+hC,GAAIhoC,KAAKoxC,aAC9B,KAAO,CACLd,EAAEn/B,MAAM,8BAA+B,CAAEkQ,KAAMld,EAAGmtC,OAAQ/kC,IAC1D,MAAM4d,QA9PNjkB,eAAe4M,GACrB,MAAiJtR,EAAI,IAA3I,QAAE,gBAAe,WAAKsH,0BAA+B,IAAIlH,MAAM,KAAKoD,KAAI,IAAMgC,KAAK0vB,MAAsB,GAAhB1vB,KAAKC,UAAeC,SAAS,MAAKwI,KAAK,MAAwBuK,EAAInH,EAAI,CAAE27B,YAAa37B,QAAM,EAC/L,aAAa,IAAE47B,QAAQ,CACrBxiC,OAAQ,QACR3F,IAAK/E,EACLyK,QAASgO,IACPzY,CACN,CAuPwBowC,CAAGnwC,GAAIumC,EAAI,GAC3B,IAAK,IAAI0J,EAAI,EAAGA,EAAInlC,EAAE2jC,OAAQwB,IAAK,CACjC,MAAMG,EAAIH,EAAIH,EAAGO,EAAI9qC,KAAK+D,IAAI8mC,EAAIN,EAAGhlC,EAAEiB,MAAOukC,EAAI,IAAMnD,EAAEzqC,EAAG0tC,EAAGN,GAAIS,EAAI,IAAMzD,EAC5E,GAAGpkB,KAAKunB,EAAI,IACZK,EACAxlC,EAAEiC,QACF,IAAMxO,KAAKoxC,eACX3vC,EACA,CACE,aAAc0C,EAAE0vB,aAAe,IAC/B,kBAAmB1vB,EAAEqJ,KACrB,eAAgB,6BAElBkb,MAAK,KACLnc,EAAE6jC,SAAW7jC,EAAE6jC,SAAWmB,CAAC,IAC1B3+B,OAAOkG,IACR,MAA8B,MAAxBA,GAAG9H,UAAUC,QAAkBq/B,EAAE5qC,MAAM,mGAAoG,CAAEA,MAAOoT,EAAGw4B,OAAQ/kC,IAAMA,EAAEq+B,SAAUr+B,EAAE0E,OAAS+9B,EAAEM,OAAQx2B,IAAMA,aAAa,OAAMw3B,EAAE5qC,MAAM,SAASgsC,EAAI,KAAKG,OAAOC,qBAAsB,CAAEpsC,MAAOoT,EAAGw4B,OAAQ/kC,IAAMA,EAAEq+B,SAAUr+B,EAAE0E,OAAS+9B,EAAEM,QAASx2B,EAAE,IAE5VkvB,EAAExnC,KAAKR,KAAK8wC,UAAU7qC,IAAI+rC,GAC5B,CACA,UACQjsC,QAAQK,IAAI4hC,GAAIhoC,KAAKoxC,cAAe7kC,EAAEyE,eAAiB,IAAE09B,QAAQ,CACrExiC,OAAQ,OACR3F,IAAK,GAAG4jB,UACRle,QAAS,CACP,aAAc9H,EAAE0vB,aAAe,IAC/B,kBAAmB1vB,EAAEqJ,KACrBihC,YAAahtC,KAEbzB,KAAKoxC,cAAe7kC,EAAE0E,OAAS+9B,EAAEI,SAAUkB,EAAEn/B,MAAM,yBAAyBhN,EAAEnD,OAAQ,CAAEqgB,KAAMld,EAAGmtC,OAAQ/kC,IAAMilC,EAAEjlC,EACvH,CAAE,MAAOmlC,GACPA,aAAa,MAAKnlC,EAAE0E,OAAS+9B,EAAEM,OAAQ/e,EAAE,+BAAiChkB,EAAE0E,OAAS+9B,EAAEM,OAAQ/e,EAAE,0CAA2C,IAAEme,QAAQ,CACpJxiC,OAAQ,SACR3F,IAAK,GAAG4jB,KAEZ,CACAnqB,KAAKkxC,WAAW7uB,SAASqvB,IACvB,IACEA,EAAEnlC,EACJ,CAAE,MACF,IAEJ,CACA,OAAOvM,KAAK8wC,UAAU1C,SAAS1lB,MAAK,IAAM1oB,KAAKwxB,UAAUjlB,CAAC,GAE9D,EAEF,SAAS0lC,EAAEn/B,EAAG07B,EAAGrqC,EAAG6L,EAAGxO,EAAGyY,EAAGxY,EAAG8vC,GAC9B,IAEIhlC,EAFA0iB,EAAgB,mBAALnc,EAAkBA,EAAEzI,QAAUyI,EAG7C,GAFA07B,IAAMvf,EAAEpW,OAAS21B,EAAGvf,EAAEijB,gBAAkB/tC,EAAG8qB,EAAEkjB,WAAY,GAAKniC,IAAMif,EAAEmjB,YAAa,GAAKn4B,IAAMgV,EAAEojB,SAAW,UAAYp4B,GAEnHxY,GAAK8K,EAAI,SAASgkB,KACpBA,EAAIA,GACJvwB,KAAKsyC,QAAUtyC,KAAKsyC,OAAOC,YAC3BvyC,KAAK+Y,QAAU/Y,KAAK+Y,OAAOu5B,QAAUtyC,KAAK+Y,OAAOu5B,OAAOC,oBAAyBC,oBAAsB,MAAQjiB,EAAIiiB,qBAAsBhxC,GAAKA,EAAEN,KAAKlB,KAAMuwB,GAAIA,GAAKA,EAAEkiB,uBAAyBliB,EAAEkiB,sBAAsBxsC,IAAIxE,EAC7N,EAAGwtB,EAAEyjB,aAAenmC,GAAK/K,IAAM+K,EAAIglC,EAAI,WACrC/vC,EAAEN,KACAlB,MACCivB,EAAEmjB,WAAapyC,KAAK+Y,OAAS/Y,MAAM2yC,MAAMC,SAASC,WAEvD,EAAIrxC,GAAI+K,EACN,GAAI0iB,EAAEmjB,WAAY,CAChBnjB,EAAE6jB,cAAgBvmC,EAClB,IAAIwmC,EAAI9jB,EAAEpW,OACVoW,EAAEpW,OAAS,SAAS44B,EAAGtnB,GACrB,OAAO5d,EAAErL,KAAKipB,GAAI4oB,EAAEtB,EAAGtnB,EACzB,CACF,KAAO,CACL,IAAIqnB,EAAIviB,EAAE+jB,aACV/jB,EAAE+jB,aAAexB,EAAI,GAAGnwC,OAAOmwC,EAAGjlC,GAAK,CAACA,EAC1C,CACF,MAAO,CACLvJ,QAAS8P,EACTzI,QAAS4kB,EAEb,CAiCA,MAAMgkB,EAV2BhB,EAtBtB,CACTjxC,KAAM,aACNwT,MAAO,CAAC,SACR3H,MAAO,CACLgQ,MAAO,CACLrY,KAAMwI,QAERkmC,UAAW,CACT1uC,KAAMwI,OACNqG,QAAS,gBAEX7F,KAAM,CACJhJ,KAAMuxB,OACN1iB,QAAS,OAIN,WACP,IAAIm7B,EAAIxuC,KAAMmE,EAAIqqC,EAAEz4B,MAAMD,GAC1B,OAAO3R,EAAE,OAAQqqC,EAAE2E,GAAG,CAAEC,YAAa,mCAAoCn9B,MAAO,CAAE,eAAeu4B,EAAE3xB,OAAQ,KAAW,aAAc2xB,EAAE3xB,MAAOw2B,KAAM,OAAS1wC,GAAI,CAAEkE,MAAO,SAASmJ,GAChL,OAAOw+B,EAAE94B,MAAM,QAAS1F,EAC1B,IAAO,OAAQw+B,EAAE8E,QAAQ,GAAK,CAACnvC,EAAE,MAAO,CAAEivC,YAAa,4BAA6Bn9B,MAAO,CAAE1N,KAAMimC,EAAE0E,UAAWK,MAAO/E,EAAEhhC,KAAMgmC,OAAQhF,EAAEhhC,KAAMimC,QAAS,cAAiB,CAACtvC,EAAE,OAAQ,CAAE8R,MAAO,CAAEsa,EAAG,2OAA8O,CAACie,EAAE3xB,MAAQ1Y,EAAE,QAAS,CAACqqC,EAAEp4B,GAAGo4B,EAAEn4B,GAAGm4B,EAAE3xB,UAAY2xB,EAAE/kB,UACne,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYzmB,QAgCR0wC,GAV2BzB,EAtBL,CAC1BjxC,KAAM,WACNwT,MAAO,CAAC,SACR3H,MAAO,CACLgQ,MAAO,CACLrY,KAAMwI,QAERkmC,UAAW,CACT1uC,KAAMwI,OACNqG,QAAS,gBAEX7F,KAAM,CACJhJ,KAAMuxB,OACN1iB,QAAS,OAIN,WACP,IAAIm7B,EAAIxuC,KAAMmE,EAAIqqC,EAAEz4B,MAAMD,GAC1B,OAAO3R,EAAE,OAAQqqC,EAAE2E,GAAG,CAAEC,YAAa,iCAAkCn9B,MAAO,CAAE,eAAeu4B,EAAE3xB,OAAQ,KAAW,aAAc2xB,EAAE3xB,MAAOw2B,KAAM,OAAS1wC,GAAI,CAAEkE,MAAO,SAASmJ,GAC9K,OAAOw+B,EAAE94B,MAAM,QAAS1F,EAC1B,IAAO,OAAQw+B,EAAE8E,QAAQ,GAAK,CAACnvC,EAAE,MAAO,CAAEivC,YAAa,4BAA6Bn9B,MAAO,CAAE1N,KAAMimC,EAAE0E,UAAWK,MAAO/E,EAAEhhC,KAAMgmC,OAAQhF,EAAEhhC,KAAMimC,QAAS,cAAiB,CAACtvC,EAAE,OAAQ,CAAE8R,MAAO,CAAEsa,EAAG,8CAAiD,CAACie,EAAE3xB,MAAQ1Y,EAAE,QAAS,CAACqqC,EAAEp4B,GAAGo4B,EAAEn4B,GAAGm4B,EAAE3xB,UAAY2xB,EAAE/kB,UACtS,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYzmB,QAgCR2wC,GAV2B1B,EAtBL,CAC1BjxC,KAAM,aACNwT,MAAO,CAAC,SACR3H,MAAO,CACLgQ,MAAO,CACLrY,KAAMwI,QAERkmC,UAAW,CACT1uC,KAAMwI,OACNqG,QAAS,gBAEX7F,KAAM,CACJhJ,KAAMuxB,OACN1iB,QAAS,OAIN,WACP,IAAIm7B,EAAIxuC,KAAMmE,EAAIqqC,EAAEz4B,MAAMD,GAC1B,OAAO3R,EAAE,OAAQqqC,EAAE2E,GAAG,CAAEC,YAAa,mCAAoCn9B,MAAO,CAAE,eAAeu4B,EAAE3xB,OAAQ,KAAW,aAAc2xB,EAAE3xB,MAAOw2B,KAAM,OAAS1wC,GAAI,CAAEkE,MAAO,SAASmJ,GAChL,OAAOw+B,EAAE94B,MAAM,QAAS1F,EAC1B,IAAO,OAAQw+B,EAAE8E,QAAQ,GAAK,CAACnvC,EAAE,MAAO,CAAEivC,YAAa,4BAA6Bn9B,MAAO,CAAE1N,KAAMimC,EAAE0E,UAAWK,MAAO/E,EAAEhhC,KAAMgmC,OAAQhF,EAAEhhC,KAAMimC,QAAS,cAAiB,CAACtvC,EAAE,OAAQ,CAAE8R,MAAO,CAAEsa,EAAG,mDAAsD,CAACie,EAAE3xB,MAAQ1Y,EAAE,QAAS,CAACqqC,EAAEp4B,GAAGo4B,EAAEn4B,GAAGm4B,EAAE3xB,UAAY2xB,EAAE/kB,UAC3S,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYzmB,QAuBR4wC,IAAI,SAAKC,eACf,CAAC,CAAEC,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,kCAAmC,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,oEAAqE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,mEAAoE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,0CAA2C,gBAAiB,kFAAmF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,wCAAyC,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,oFAAqF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oFAAqF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,wFAAyF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,8EAA+E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,6CAA8C,gBAAiB,6EAA8E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,qBAAsB,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,iEAAkE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,uEAAwE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oEAAqE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,mEAAoE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,iBAAkB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,aAAc,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sEAAuE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4DAA6D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,8CAA+C,gBAAiB,mEAAoE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,qFAAsF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,uCAAwC,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sFAAuF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,2DAA4D,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,iFAAkF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,iEAAkE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,2EAA4E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,gEAAiE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,2CAA4C,gBAAiB,kEAAmE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,mEAAoE,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,2EAA4E,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,+EAAgF,eAAgB,4BAA6BgoC,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,QAAS/nC,QAAS,CAAE,kBAAmB,iCAAkC,gBAAiB,4EAA6E,eAAgB,4BAA6BgoC,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,+BAAoCtvC,KAAK8N,GAAM8gC,GAAEkB,eAAehiC,EAAEghC,OAAQhhC,EAAEihC,QACjrF,MAAMgB,GAAInB,GAAExwC,QAAS4xC,GAAKD,GAAEE,SAAS/vB,KAAK6vB,IAAIG,GAAIH,GAAEI,QAAQjwB,KAAK6vB,IAAIK,GAAK,KAAEC,OAAO,CACjFr0C,KAAM,eACNkT,WAAY,CACVygC,OAAQ1B,EACRqC,eAAgB,IAChBC,UAAW,IACXphC,SAAU,IACVqhC,iBAAkB,IAClBC,cAAe,IACfC,KAAMhC,GACNiC,OAAQhC,IAEV9mC,MAAO,CACLsU,OAAQ,CACN3c,KAAM5C,MACNyR,QAAS,MAEXuiC,SAAU,CACRpxC,KAAMoK,QACNyE,SAAS,GAEXwiC,SAAU,CACRrxC,KAAMoK,QACNyE,SAAS,GAEXnE,YAAa,CACX1K,KAAM,KACN6O,aAAS,GAKX8D,QAAS,CACP3S,KAAM5C,MACNyR,QAAS,IAAM,IAEjByiC,oBAAqB,CACnBtxC,KAAM5C,MACNyR,QAAS,IAAM,KAGnBjK,KAAI,KACK,CACL2sC,SAAUb,GAAE,OACZc,YAAad,GAAE,kBACfe,YAAaf,GAAE,gBACfgB,cAAehB,GAAE,mBACjBiB,eAAgB,wBAAwBnvC,KAAKC,SAASC,SAAS,IAAI/F,MAAM,KACzEi1C,IAAK,KACLC,SAAU,GACVC,mBAAoB,GACpBC,cAAeC,OAGnB7hC,SAAU,CACR,cAAA8hC,GACE,OAAOz2C,KAAKu2C,cAAcr+B,MAAM1K,MAAQ,CAC1C,EACA,iBAAAkpC,GACE,OAAO12C,KAAKu2C,cAAcr+B,MAAMkZ,UAAY,CAC9C,EACA,QAAAA,GACE,OAAOpqB,KAAKukB,MAAMvrB,KAAK02C,kBAAoB12C,KAAKy2C,eAAiB,MAAQ,CAC3E,EACA,KAAA9yC,GACE,OAAO3D,KAAKu2C,cAAc5yC,KAC5B,EACA,UAAAgzC,GACE,OAAmE,IAA5D32C,KAAK2D,OAAOgL,QAAQmE,GAAMA,EAAE7B,SAAW+9B,EAAEM,SAAQ5tC,MAC1D,EACA,WAAAk1C,GACE,OAAO52C,KAAK2D,OAAOjC,OAAS,CAC9B,EACA,YAAAm1C,GACE,OAAuE,IAAhE72C,KAAK2D,OAAOgL,QAAQmE,GAAMA,EAAE7B,SAAW+9B,EAAEG,aAAYztC,MAC9D,EACA,QAAA4sC,GACE,OAAOtuC,KAAKu2C,cAAcr+B,MAAMjH,SAAWs/B,EAAEE,MAC/C,EAEA,UAAAqG,GACE,IAAK92C,KAAK42C,YACR,OAAO52C,KAAK+1C,QAChB,GAEFhhC,MAAO,CACL,WAAA7F,CAAY4D,GACV9S,KAAK+2C,eAAejkC,EACtB,EACA,cAAA2jC,CAAe3jC,GACb9S,KAAKo2C,IAAM,EAAE,CAAErrC,IAAK,EAAG0lB,IAAK3d,IAAM9S,KAAKg3C,cACzC,EACA,iBAAAN,CAAkB5jC,GAChB9S,KAAKo2C,KAAKjlB,SAASre,GAAI9S,KAAKg3C,cAC9B,EACA,QAAA1I,CAASx7B,GACPA,EAAI9S,KAAK0V,MAAM,SAAU1V,KAAK2D,OAAS3D,KAAK0V,MAAM,UAAW1V,KAAK2D,MACpE,GAEF,WAAAszC,GACEj3C,KAAKkP,aAAelP,KAAK+2C,eAAe/2C,KAAKkP,aAAclP,KAAKu2C,cAAclF,YAAYrxC,KAAKk3C,oBAAqB5G,EAAEn/B,MAAM,2BAC9H,EACAgE,QAAS,CAIP,OAAAgiC,GACEn3C,KAAKsV,MAAMC,MAAM1O,OACnB,EAIA,YAAMuwC,GACJ,IAAItkC,EAAI,IAAI9S,KAAKsV,MAAMC,MAAMlO,OAC7B,GAAIgwC,GAAGvkC,EAAG9S,KAAKmX,SAAU,CACvB,MAAMq3B,EAAI17B,EAAEnE,QAAQqB,GAAMhQ,KAAKmX,QAAQnP,MAAMxG,GAAMA,EAAEgG,WAAawI,EAAEhP,SAAO2N,OAAOC,SAAUzK,EAAI2O,EAAEnE,QAAQqB,IAAOw+B,EAAE78B,SAAS3B,KAC5H,IACE,MAAQO,SAAUP,EAAGQ,QAAShP,SAAY81C,GAAGt3C,KAAKkP,YAAY1H,SAAUgnC,EAAGxuC,KAAKmX,SAChFrE,EAAI,IAAI3O,KAAM6L,KAAMxO,EACtB,CAAE,MAEA,YADA,QAAE0zC,GAAE,oBAEN,CACF,CACApiC,EAAEuP,SAASmsB,IACT,MAAMx+B,GAAKhQ,KAAK81C,qBAAuB,IAAI9tC,MAAMxG,GAAMgtC,EAAExtC,KAAK2Q,SAASnQ,KACvEwO,GAAI,QAAEklC,GAAE,IAAIllC,0CAA4ChQ,KAAKu2C,cAAcjF,OAAO9C,EAAExtC,KAAMwtC,GAAG57B,OAAM,QACjG,IACA5S,KAAKsV,MAAMiiC,KAAK/lB,OACtB,EAIA,QAAAtjB,GACElO,KAAKu2C,cAAc5yC,MAAM0e,SAASvP,IAChCA,EAAE83B,QAAQ,IACR5qC,KAAKsV,MAAMiiC,KAAK/lB,OACtB,EACA,YAAAwlB,GACE,GAAIh3C,KAAKsuC,SAEP,YADAtuC,KAAKq2C,SAAWnB,GAAE,WAGpB,MAAMpiC,EAAI9L,KAAKukB,MAAMvrB,KAAKo2C,IAAI3kB,YAC9B,GAAI3e,IAAM,IAIV,GAAIA,EAAI,GACN9S,KAAKq2C,SAAWnB,GAAE,2BAGpB,GAAIpiC,EAAI,GAAR,CACE,MAAM07B,EAAoB,IAAInhC,KAAK,GACnCmhC,EAAEgJ,WAAW1kC,GACb,MAAM3O,EAAIqqC,EAAEiJ,cAAct2C,MAAM,GAAI,IACpCnB,KAAKq2C,SAAWnB,GAAE,cAAe,CAAEzvB,KAAMthB,GAE3C,MACAnE,KAAKq2C,SAAWnB,GAAE,yBAA0B,CAAEwC,QAAS5kC,SAdrD9S,KAAKq2C,SAAWnB,GAAE,uBAetB,EACA,cAAA6B,CAAejkC,GACR9S,KAAKkP,aAIVlP,KAAKu2C,cAAcrnC,YAAc4D,EAAG9S,KAAKs2C,oBAAqB,QAAExjC,IAH9Dw9B,EAAEn/B,MAAM,sBAIZ,EACA,kBAAA+lC,CAAmBpkC,GACjBA,EAAE7B,SAAW+9B,EAAEM,OAAStvC,KAAK0V,MAAM,SAAU5C,GAAK9S,KAAK0V,MAAM,WAAY5C,EAC3E,KAoB6Bm/B,EAC/BmD,IAlBO,WACP,IAAI5G,EAAIxuC,KAAMmE,EAAIqqC,EAAEz4B,MAAMD,GAC1B,OAAO04B,EAAEz4B,MAAMC,YAAaw4B,EAAEt/B,YAAc/K,EAAE,OAAQ,CAAEsS,IAAK,OAAQ28B,YAAa,gBAAiBuE,MAAO,CAAE,2BAA4BnJ,EAAEoI,YAAa,wBAAyBpI,EAAEF,UAAYr4B,MAAO,CAAE,wBAAyB,KAAQ,CAACu4B,EAAE8H,oBAAsD,IAAhC9H,EAAE8H,mBAAmB50C,OAAeyC,EAAE,WAAY,CAAE8R,MAAO,CAAE2/B,SAAUpH,EAAEoH,SAAU,4BAA6B,GAAIpxC,KAAM,aAAe7B,GAAI,CAAEkE,MAAO2nC,EAAE2I,SAAWjhC,YAAas4B,EAAEr4B,GAAG,CAAC,CAAEhO,IAAK,OAAQtI,GAAI,WACxc,MAAO,CAACsE,EAAE,OAAQ,CAAE8R,MAAO,CAAE4G,MAAO,GAAIrP,KAAM,GAAIoqC,WAAY,MAChE,EAAGthC,OAAO,IAAO,MAAM,EAAI,aAAe,CAACk4B,EAAEp4B,GAAG,IAAMo4B,EAAEn4B,GAAGm4B,EAAEsI,YAAc,OAAS3yC,EAAE,YAAa,CAAE8R,MAAO,CAAE,YAAau4B,EAAEsI,WAAY,aAActI,EAAEuH,SAAUvxC,KAAM,aAAe0R,YAAas4B,EAAEr4B,GAAG,CAAC,CAAEhO,IAAK,OAAQtI,GAAI,WAC5N,MAAO,CAACsE,EAAE,OAAQ,CAAE8R,MAAO,CAAE4G,MAAO,GAAIrP,KAAM,GAAIoqC,WAAY,MAChE,EAAGthC,OAAO,IAAO,MAAM,EAAI,aAAe,CAACnS,EAAE,iBAAkB,CAAE8R,MAAO,CAAE,4BAA6B,GAAI,qBAAqB,GAAMtT,GAAI,CAAEkE,MAAO2nC,EAAE2I,SAAWjhC,YAAas4B,EAAEr4B,GAAG,CAAC,CAAEhO,IAAK,OAAQtI,GAAI,WACpM,MAAO,CAACsE,EAAE,SAAU,CAAE8R,MAAO,CAAE4G,MAAO,GAAIrP,KAAM,GAAIoqC,WAAY,MAClE,EAAGthC,OAAO,IAAO,MAAM,EAAI,aAAe,CAACk4B,EAAEp4B,GAAG,IAAMo4B,EAAEn4B,GAAGm4B,EAAEyH,aAAe,OAAQzH,EAAEqJ,GAAGrJ,EAAE8H,oBAAoB,SAAStmC,GACtH,OAAO7L,EAAE,iBAAkB,CAAEgE,IAAK6H,EAAEhM,GAAIovC,YAAa,4BAA6Bn9B,MAAO,CAAE1D,KAAMvC,EAAEuc,UAAW,qBAAqB,GAAM5pB,GAAI,CAAEkE,MAAO,SAASrF,GAC7J,OAAOwO,EAAEkH,QAAQs3B,EAAEt/B,YAAas/B,EAAEr3B,QACpC,GAAKjB,YAAas4B,EAAEr4B,GAAG,CAACnG,EAAElL,cAAgB,CAAEqD,IAAK,OAAQtI,GAAI,WAC3D,MAAO,CAACsE,EAAE,mBAAoB,CAAE8R,MAAO,CAAE6hC,IAAK9nC,EAAElL,iBAClD,EAAGwR,OAAO,GAAO,MAAO,MAAM,IAAO,CAACk4B,EAAEp4B,GAAG,IAAMo4B,EAAEn4B,GAAGrG,EAAE/L,aAAe,MACzE,KAAK,GAAIE,EAAE,MAAO,CAAE4zC,WAAY,CAAC,CAAE/2C,KAAM,OAAQg3C,QAAS,SAAU55B,MAAOowB,EAAEoI,YAAaqB,WAAY,gBAAkB7E,YAAa,2BAA6B,CAACjvC,EAAE,gBAAiB,CAAE8R,MAAO,CAAE,aAAcu4B,EAAE0H,cAAe,mBAAoB1H,EAAE2H,eAAgBzwC,MAAO8oC,EAAEmI,WAAYv4B,MAAOowB,EAAEpd,SAAU5jB,KAAM,YAAerJ,EAAE,IAAK,CAAE8R,MAAO,CAAEjS,GAAIwqC,EAAE2H,iBAAoB,CAAC3H,EAAEp4B,GAAG,IAAMo4B,EAAEn4B,GAAGm4B,EAAE6H,UAAY,QAAS,GAAI7H,EAAEoI,YAAczyC,EAAE,WAAY,CAAEivC,YAAa,wBAAyBn9B,MAAO,CAAEzR,KAAM,WAAY,aAAcgqC,EAAEwH,YAAa,+BAAgC,IAAMrzC,GAAI,CAAEkE,MAAO2nC,EAAEtgC,UAAYgI,YAAas4B,EAAEr4B,GAAG,CAAC,CAAEhO,IAAK,OAAQtI,GAAI,WAC9nB,MAAO,CAACsE,EAAE,SAAU,CAAE8R,MAAO,CAAE4G,MAAO,GAAIrP,KAAM,MAClD,EAAG8I,OAAO,IAAO,MAAM,EAAI,cAAiBk4B,EAAE/kB,KAAMtlB,EAAE,QAAS,CAAE4zC,WAAY,CAAC,CAAE/2C,KAAM,OAAQg3C,QAAS,SAAU55B,OAAO,EAAI65B,WAAY,UAAYxhC,IAAK,QAASR,MAAO,CAAEzR,KAAM,OAAQ2c,OAAQqtB,EAAErtB,QAAQzR,OAAO,MAAOmmC,SAAUrH,EAAEqH,SAAU,8BAA+B,IAAMlzC,GAAI,CAAEu1C,OAAQ1J,EAAE4I,WAAc,GAAK5I,EAAE/kB,IAC3T,GAAQ,IAIN,EACA,KACA,WACA,KACA,MAEYzmB,QACd,IAAIm1C,GAAI,KACR,SAAS3B,KACP,MAAM1jC,EAAoE,OAAhErM,SAASqvB,cAAc,qCACjC,OAAOqiB,cAAazH,IAAMyH,GAAI,IAAIzH,EAAE59B,IAAKqlC,EAC3C,CAKAjyC,eAAeoxC,GAAGxkC,EAAG07B,EAAGrqC,GACtB,MAAM6L,GAAI,SAAE,IAAM,2DAClB,OAAO,IAAIjK,SAAQ,CAACvE,EAAGyY,KACrB,MAAMxY,EAAI,IAAI,KAAE,CACdT,KAAM,qBACN6X,OAAS04B,GAAMA,EAAEvhC,EAAG,CAClBnD,MAAO,CACL7C,QAAS8I,EACTslC,UAAW5J,EACXr3B,QAAShT,GAEXxB,GAAI,CACF,MAAA01C,CAAOppB,GACLztB,EAAEytB,GAAIxtB,EAAE62C,WAAY72C,EAAE82C,KAAKC,YAAYC,YAAYh3C,EAAE82C,IACvD,EACA,MAAA3N,CAAO3b,GACLhV,EAAEgV,GAAK,IAAIriB,MAAM,aAAcnL,EAAE62C,WAAY72C,EAAE82C,KAAKC,YAAYC,YAAYh3C,EAAE82C,IAChF,OAIN92C,EAAEi3C,SAAUjyC,SAASkS,KAAKC,YAAYnX,EAAE82C,IAAI,GAEhD,CACA,SAASlB,GAAGvkC,EAAG07B,GACb,MAAMrqC,EAAIqqC,EAAExpC,KAAKxD,GAAMA,EAAEgG,WACzB,OAAOsL,EAAEnE,QAAQnN,IACf,MAAMyY,EAAIzY,aAAakD,KAAOlD,EAAER,KAAOQ,EAAEgG,SACzC,OAAyB,IAAlBrD,EAAEyiB,QAAQ3M,EAAS,IACzBvY,OAAS,CACd,2DCzpDA,MAAgE+vC,EAAI,CAACzhC,EAAG8C,KACtE,IAAImH,EACJ,OAAgD,OAAvCA,EAAS,MAALnH,OAAY,EAASA,EAAE6lC,SAAmB1+B,EAAI43B,KAFxB,CAAC7hC,GAAM,eAAiBA,EAEOsgC,CAAEtgC,EAAE,EAOrEugB,EAAI,CAACvgB,EAAG8C,EAAGmH,KACZ,MAAM+0B,EAAIzvC,OAAO+d,OAAO,CACtBjL,QAAQ,GACP4H,GAAK,CAAC,GAST,MAAuB,MAAhBjK,EAAE8wB,OAAO,KAAe9wB,EAAI,IAAMA,GARhCif,GADoBA,EASqBnc,GAAK,CAAC,IARtC,CAAC,EAQ4B9C,EARvBqN,QACpB,eACA,SAAS5b,EAAG0C,GACV,MAAMoI,EAAI0iB,EAAE9qB,GACZ,OAAO6qC,EAAE38B,OAASmF,mBAA+B,iBAALjL,GAA6B,iBAALA,EAAgBA,EAAErF,WAAazF,GAAiB,iBAAL8K,GAA6B,iBAALA,EAAgBA,EAAErF,WAAazF,CACxK,IANa,IAAYwtB,CAS6B,EACzD+V,EAAI,CAACh1B,EAAG8C,EAAGmH,KACZ,IAAI+0B,EAAGR,EAAGhtC,EACV,MAAMytB,EAAI1vB,OAAO+d,OAAO,CACtB6R,WAAW,GACVlV,GAAK,CAAC,GAAIxY,EAA4C,OAAvCutC,EAAS,MAAL/0B,OAAY,EAASA,EAAE0+B,SAAmB3J,EAAIuC,IACpE,OAAgI,KAAzC,OAA9E/vC,EAAiD,OAA5CgtC,EAAc,MAAVxlC,YAAiB,EAASA,OAAOc,SAAc,EAAS0kC,EAAExjB,aAAkB,EAASxpB,EAAEo3C,oBAA8B3pB,EAAEE,UAA6B1tB,EAAI,aAAe8uB,EAAEvgB,EAAG8C,EAAGmH,GAA5CxY,EAAI8uB,EAAEvgB,EAAG8C,EAAGmH,EAAkC,EAMlM43B,EAAI,IAAM7oC,OAAOC,SAAS4vC,SAAW,KAAO7vC,OAAOC,SAASC,KAAOqoC,IACtE,SAASA,IACP,IAAIvhC,EAAIhH,OAAO8vC,YACf,UAAW9oC,EAAI,IAAK,CAClBA,EAAI/G,SAASisB,SACb,MAAMpiB,EAAI9C,EAAE4W,QAAQ,eACpB,IAAW,IAAP9T,EACF9C,EAAIA,EAAE7O,MAAM,EAAG2R,OACZ,CACH,MAAMmH,EAAIjK,EAAE4W,QAAQ,IAAK,GACzB5W,EAAIA,EAAE7O,MAAM,EAAG8Y,EAAI,EAAIA,OAAI,EAC7B,CACF,CACA,OAAOjK,CACT,0EC1CA,MAAM,MACJ+oC,EAAK,WACLnoC,EAAU,cACVooC,EAAa,SACbC,EAAQ,YACRC,EAAW,QACXC,EAAO,IACP/yC,EAAG,OACHuuC,EAAM,aACNyE,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,QAAqBt3C,IAAjBu3C,EACH,OAAOA,EAAa/2C,QAGrB,IAAID,EAAS62C,EAAyBE,GAAY,CACjD91C,GAAI81C,EACJE,QAAQ,EACRh3C,QAAS,CAAC,GAUX,OANAi3C,EAAoBH,GAAU54C,KAAK6B,EAAOC,QAASD,EAAQA,EAAOC,QAAS62C,GAG3E92C,EAAOi3C,QAAS,EAGTj3C,EAAOC,OACf,CAGA62C,EAAoBnI,EAAIuI,EnD5BpB96C,EAAW,GACf06C,EAAoB7H,EAAI,CAAC7rC,EAAQ+zC,EAAUr6C,EAAIyrC,KAC9C,IAAG4O,EAAH,CAMA,IAAIC,EAAezoB,IACnB,IAASlwB,EAAI,EAAGA,EAAIrC,EAASuC,OAAQF,IAAK,CACrC04C,EAAW/6C,EAASqC,GAAG,GACvB3B,EAAKV,EAASqC,GAAG,GACjB8pC,EAAWnsC,EAASqC,GAAG,GAE3B,IAJA,IAGI44C,GAAY,EACP13C,EAAI,EAAGA,EAAIw3C,EAASx4C,OAAQgB,MACpB,EAAX4oC,GAAsB6O,GAAgB7O,IAAa/rC,OAAOwf,KAAK86B,EAAoB7H,GAAGzuC,OAAO4E,GAAS0xC,EAAoB7H,EAAE7pC,GAAK+xC,EAASx3C,MAC9Iw3C,EAASrzB,OAAOnkB,IAAK,IAErB03C,GAAY,EACT9O,EAAW6O,IAAcA,EAAe7O,IAG7C,GAAG8O,EAAW,CACbj7C,EAAS0nB,OAAOrlB,IAAK,GACrB,IAAIytB,EAAIpvB,SACE2C,IAANysB,IAAiB9oB,EAAS8oB,EAC/B,CACD,CACA,OAAO9oB,CArBP,CAJCmlC,EAAWA,GAAY,EACvB,IAAI,IAAI9pC,EAAIrC,EAASuC,OAAQF,EAAI,GAAKrC,EAASqC,EAAI,GAAG,GAAK8pC,EAAU9pC,IAAKrC,EAASqC,GAAKrC,EAASqC,EAAI,GACrGrC,EAASqC,GAAK,CAAC04C,EAAUr6C,EAAIyrC,EAuBjB,EoD3BduO,EAAoB7pC,EAAKjN,IACxB,IAAIs3C,EAASt3C,GAAUA,EAAOu3C,WAC7B,IAAOv3C,EAAiB,QACxB,IAAM,EAEP,OADA82C,EAAoBtpB,EAAE8pB,EAAQ,CAAE9tC,EAAG8tC,IAC5BA,CAAM,ECLdR,EAAoBtpB,EAAI,CAACvtB,EAASu3C,KACjC,IAAI,IAAIpyC,KAAOoyC,EACXV,EAAoB5/B,EAAEsgC,EAAYpyC,KAAS0xC,EAAoB5/B,EAAEjX,EAASmF,IAC5E5I,OAAOuqB,eAAe9mB,EAASmF,EAAK,CAAE+hB,YAAY,EAAMtI,IAAK24B,EAAWpyC,IAE1E,ECND0xC,EAAoBtI,EAAI,CAAC,EAGzBsI,EAAoB/mC,EAAK0nC,GACjBz0C,QAAQK,IAAI7G,OAAOwf,KAAK86B,EAAoBtI,GAAGzmC,QAAO,CAAChF,EAAUqC,KACvE0xC,EAAoBtI,EAAEppC,GAAKqyC,EAAS10C,GAC7BA,IACL,KCNJ+zC,EAAoB3E,EAAKsF,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH5KX,EAAoBvJ,EAAI,WACvB,GAA0B,iBAAf51B,WAAyB,OAAOA,WAC3C,IACC,OAAO1a,MAAQ,IAAIy6C,SAAS,cAAb,EAChB,CAAE,MAAO3nC,GACR,GAAsB,iBAAX9J,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxB6wC,EAAoB5/B,EAAI,CAAC2P,EAAKF,IAAUnqB,OAAOC,UAAUC,eAAeyB,KAAK0oB,EAAKF,GxDA9EtqB,EAAa,CAAC,EACdC,EAAoB,aAExBw6C,EAAoBp4C,EAAI,CAAC8E,EAAKm0C,EAAMvyC,EAAKqyC,KACxC,GAAGp7C,EAAWmH,GAAQnH,EAAWmH,GAAK/F,KAAKk6C,OAA3C,CACA,IAAIC,EAAQC,EACZ,QAAWp4C,IAAR2F,EAEF,IADA,IAAI0yC,EAAUp0C,SAASq0C,qBAAqB,UACpCt5C,EAAI,EAAGA,EAAIq5C,EAAQn5C,OAAQF,IAAK,CACvC,IAAIgtC,EAAIqM,EAAQr5C,GAChB,GAAGgtC,EAAEuM,aAAa,QAAUx0C,GAAOioC,EAAEuM,aAAa,iBAAmB17C,EAAoB8I,EAAK,CAAEwyC,EAASnM,EAAG,KAAO,CACpH,CAEGmM,IACHC,GAAa,GACbD,EAASl0C,SAASC,cAAc,WAEzBstC,QAAU,QACjB2G,EAAO3O,QAAU,IACb6N,EAAoBtqB,IACvBorB,EAAOK,aAAa,QAASnB,EAAoBtqB,IAElDorB,EAAOK,aAAa,eAAgB37C,EAAoB8I,GAExDwyC,EAAOM,IAAM10C,GAEdnH,EAAWmH,GAAO,CAACm0C,GACnB,IAAIQ,EAAmB,CAACC,EAAMh7C,KAE7Bw6C,EAAOz/B,QAAUy/B,EAAO3/B,OAAS,KACjCsyB,aAAatB,GACb,IAAIoP,EAAUh8C,EAAWmH,GAIzB,UAHOnH,EAAWmH,GAClBo0C,EAAOnC,YAAcmC,EAAOnC,WAAWC,YAAYkC,GACnDS,GAAWA,EAAQ/4B,SAASxiB,GAAQA,EAAGM,KACpCg7C,EAAM,OAAOA,EAAKh7C,EAAM,EAExB6rC,EAAU3vB,WAAW6+B,EAAiBh2B,KAAK,UAAM1iB,EAAW,CAAEgC,KAAM,UAAWqL,OAAQ8qC,IAAW,MACtGA,EAAOz/B,QAAUggC,EAAiBh2B,KAAK,KAAMy1B,EAAOz/B,SACpDy/B,EAAO3/B,OAASkgC,EAAiBh2B,KAAK,KAAMy1B,EAAO3/B,QACnD4/B,GAAcn0C,SAAS40C,KAAKziC,YAAY+hC,EApCkB,CAoCX,EyDvChDd,EAAoB5qB,EAAKjsB,IACH,oBAAX+W,QAA0BA,OAAOuhC,aAC1C/7C,OAAOuqB,eAAe9mB,EAAS+W,OAAOuhC,YAAa,CAAEl9B,MAAO,WAE7D7e,OAAOuqB,eAAe9mB,EAAS,aAAc,CAAEob,OAAO,GAAO,ECL9Dy7B,EAAoB0B,IAAOx4C,IAC1BA,EAAOoP,MAAQ,GACVpP,EAAOy4C,WAAUz4C,EAAOy4C,SAAW,IACjCz4C,GCHR82C,EAAoBn3C,EAAI,WCAxB,IAAI+4C,EACA5B,EAAoBvJ,EAAEoL,gBAAeD,EAAY5B,EAAoBvJ,EAAErnC,SAAW,IACtF,IAAIxC,EAAWozC,EAAoBvJ,EAAE7pC,SACrC,IAAKg1C,GAAah1C,IACbA,EAASk1C,gBACZF,EAAYh1C,EAASk1C,cAAcV,MAC/BQ,GAAW,CACf,IAAIZ,EAAUp0C,EAASq0C,qBAAqB,UAC5C,GAAGD,EAAQn5C,OAEV,IADA,IAAIF,EAAIq5C,EAAQn5C,OAAS,EAClBF,GAAK,KAAOi6C,IAAc,aAAa3/B,KAAK2/B,KAAaA,EAAYZ,EAAQr5C,KAAKy5C,GAE3F,CAID,IAAKQ,EAAW,MAAM,IAAI7uC,MAAM,yDAChC6uC,EAAYA,EAAUp+B,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpFw8B,EAAoB1vB,EAAIsxB,YClBxB5B,EAAoBrtC,EAAI/F,SAASm1C,SAAWphC,KAAKvR,SAASrC,KAK1D,IAAIi1C,EAAkB,CACrB,KAAM,GAGPhC,EAAoBtI,EAAE7uC,EAAI,CAAC83C,EAAS10C,KAElC,IAAIg2C,EAAqBjC,EAAoB5/B,EAAE4hC,EAAiBrB,GAAWqB,EAAgBrB,QAAWh4C,EACtG,GAA0B,IAAvBs5C,EAGF,GAAGA,EACFh2C,EAAStF,KAAKs7C,EAAmB,QAC3B,CAGL,IAAI5O,EAAU,IAAInnC,SAAQ,CAACC,EAASiI,IAAY6tC,EAAqBD,EAAgBrB,GAAW,CAACx0C,EAASiI,KAC1GnI,EAAStF,KAAKs7C,EAAmB,GAAK5O,GAGtC,IAAI3mC,EAAMszC,EAAoB1vB,EAAI0vB,EAAoB3E,EAAEsF,GAEpD90C,EAAQ,IAAIkH,MAgBhBitC,EAAoBp4C,EAAE8E,GAfFpG,IACnB,GAAG05C,EAAoB5/B,EAAE4hC,EAAiBrB,KAEf,KAD1BsB,EAAqBD,EAAgBrB,MACRqB,EAAgBrB,QAAWh4C,GACrDs5C,GAAoB,CACtB,IAAIC,EAAY57C,IAAyB,SAAfA,EAAMqE,KAAkB,UAAYrE,EAAMqE,MAChEw3C,EAAU77C,GAASA,EAAM0P,QAAU1P,EAAM0P,OAAOorC,IACpDv1C,EAAMwL,QAAU,iBAAmBspC,EAAU,cAAgBuB,EAAY,KAAOC,EAAU,IAC1Ft2C,EAAM1E,KAAO,iBACb0E,EAAMlB,KAAOu3C,EACbr2C,EAAMgpC,QAAUsN,EAChBF,EAAmB,GAAGp2C,EACvB,CACD,GAEwC,SAAW80C,EAASA,EAE/D,CACD,EAWFX,EAAoB7H,EAAEtvC,EAAK83C,GAA0C,IAA7BqB,EAAgBrB,GAGxD,IAAIyB,EAAuB,CAACC,EAA4B9yC,KACvD,IAKI0wC,EAAUU,EALVN,EAAW9wC,EAAK,GAChB+yC,EAAc/yC,EAAK,GACnBgzC,EAAUhzC,EAAK,GAGI5H,EAAI,EAC3B,GAAG04C,EAAS71C,MAAML,GAAgC,IAAxB63C,EAAgB73C,KAAa,CACtD,IAAI81C,KAAYqC,EACZtC,EAAoB5/B,EAAEkiC,EAAarC,KACrCD,EAAoBnI,EAAEoI,GAAYqC,EAAYrC,IAGhD,GAAGsC,EAAS,IAAIj2C,EAASi2C,EAAQvC,EAClC,CAEA,IADGqC,GAA4BA,EAA2B9yC,GACrD5H,EAAI04C,EAASx4C,OAAQF,IACzBg5C,EAAUN,EAAS14C,GAChBq4C,EAAoB5/B,EAAE4hC,EAAiBrB,IAAYqB,EAAgBrB,IACrEqB,EAAgBrB,GAAS,KAE1BqB,EAAgBrB,GAAW,EAE5B,OAAOX,EAAoB7H,EAAE7rC,EAAO,EAGjCk2C,EAAqB7hC,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1F6hC,EAAmBh6B,QAAQ45B,EAAqB/2B,KAAK,KAAM,IAC3Dm3B,EAAmB77C,KAAOy7C,EAAqB/2B,KAAK,KAAMm3B,EAAmB77C,KAAK0kB,KAAKm3B,QCvFvFxC,EAAoBtqB,QAAK/sB,ECGzB,IAAI85C,EAAsBzC,EAAoB7H,OAAExvC,EAAW,CAAC,OAAO,IAAOq3C,EAAoB,SAC9FyC,EAAsBzC,EAAoB7H,EAAEsK","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/apps/files/src/logger.js","webpack:///nextcloud/apps/files/src/actions/deleteAction.ts","webpack:///nextcloud/apps/files/src/actions/downloadAction.ts","webpack:///nextcloud/apps/files/src/actions/editLocallyAction.ts","webpack:///nextcloud/apps/files/src/actions/favoriteAction.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/actions/moveOrCopyAction.ts","webpack:///nextcloud/apps/files/src/actions/openFolderAction.ts","webpack:///nextcloud/apps/files/src/actions/openInFilesAction.ts","webpack:///nextcloud/apps/files/src/actions/renameAction.ts","webpack:///nextcloud/apps/files/src/actions/sidebarAction.ts","webpack:///nextcloud/apps/files/src/actions/viewInFolderAction.ts","webpack:///nextcloud/apps/files/src/components/NewNodeDialog.vue","webpack:///nextcloud/apps/files/src/components/NewNodeDialog.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/NewNodeDialog.vue?1a36","webpack:///nextcloud/apps/files/src/utils/newNodeDialog.ts","webpack:///nextcloud/apps/files/src/newMenu/newFolder.ts","webpack:///nextcloud/apps/files/src/newMenu/newTemplatesFolder.ts","webpack:///nextcloud/apps/files/src/newMenu/newFromTemplate.ts","webpack:///nextcloud/apps/files/src/services/Favorites.ts","webpack:///nextcloud/apps/files/src/views/favorites.ts","webpack:///nextcloud/node_modules/pinia/dist/pinia.mjs","webpack:///nextcloud/apps/files/src/store/userconfig.ts","webpack:///nextcloud/apps/files/src/store/index.ts","webpack:///nextcloud/apps/files/src/services/Recent.ts","webpack:///nextcloud/apps/files/src/init.ts","webpack:///nextcloud/apps/files/src/views/files.ts","webpack:///nextcloud/apps/files/src/views/recent.ts","webpack:///nextcloud/apps/files/src/services/ServiceWorker.js","webpack:///nextcloud/apps/files/src/services/LivePhotos.ts","webpack:///nextcloud/apps/files/src/utils/fileUtils.ts","webpack:///nextcloud/node_modules/@nextcloud/dialogs/dist/style.css","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css","webpack:///nextcloud/node_modules/simple-eta/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 * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { getLoggerBuilder } from '@nextcloud/logger'\n\nexport default getLoggerBuilder()\n\t.setApp('files')\n\t.detectUser()\n\t.build()\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { emit } from '@nextcloud/event-bus';\nimport { Permission, Node, View, FileAction, FileType } from '@nextcloud/files';\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport CloseSvg from '@mdi/svg/svg/close.svg?raw';\nimport NetworkOffSvg from '@mdi/svg/svg/network-off.svg?raw';\nimport TrashCanSvg from '@mdi/svg/svg/trash-can.svg?raw';\nimport logger from '../logger.js';\nimport PQueue from 'p-queue';\nconst canUnshareOnly = (nodes) => {\n return nodes.every(node => node.attributes['is-mount-root'] === true\n && node.attributes['mount-type'] === 'shared');\n};\nconst canDisconnectOnly = (nodes) => {\n return nodes.every(node => node.attributes['is-mount-root'] === true\n && node.attributes['mount-type'] === 'external');\n};\nconst isMixedUnshareAndDelete = (nodes) => {\n if (nodes.length === 1) {\n return false;\n }\n const hasSharedItems = nodes.some(node => canUnshareOnly([node]));\n const hasDeleteItems = nodes.some(node => !canUnshareOnly([node]));\n return hasSharedItems && hasDeleteItems;\n};\nconst isAllFiles = (nodes) => {\n return !nodes.some(node => node.type !== FileType.File);\n};\nconst isAllFolders = (nodes) => {\n return !nodes.some(node => node.type !== FileType.Folder);\n};\nconst queue = new PQueue({ concurrency: 1 });\nexport const action = new FileAction({\n id: 'delete',\n displayName(nodes, view) {\n /**\n * If we're in the trashbin, we can only delete permanently\n */\n if (view.id === 'trashbin') {\n return t('files', 'Delete permanently');\n }\n /**\n * If we're in the sharing view, we can only unshare\n */\n if (isMixedUnshareAndDelete(nodes)) {\n return t('files', 'Delete and unshare');\n }\n /**\n * If those nodes are all the root node of a\n * share, we can only unshare them.\n */\n if (canUnshareOnly(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Leave this share');\n }\n return t('files', 'Leave these shares');\n }\n /**\n * If those nodes are all the root node of an\n * external storage, we can only disconnect it.\n */\n if (canDisconnectOnly(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Disconnect storage');\n }\n return t('files', 'Disconnect storages');\n }\n /**\n * If we're only selecting files, use proper wording\n */\n if (isAllFiles(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Delete file');\n }\n return t('files', 'Delete files');\n }\n /**\n * If we're only selecting folders, use proper wording\n */\n if (isAllFolders(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Delete folder');\n }\n return t('files', 'Delete folders');\n }\n return t('files', 'Delete');\n },\n iconSvgInline: (nodes) => {\n if (canUnshareOnly(nodes)) {\n return CloseSvg;\n }\n if (canDisconnectOnly(nodes)) {\n return NetworkOffSvg;\n }\n return TrashCanSvg;\n },\n enabled(nodes) {\n return nodes.length > 0 && nodes\n .map(node => node.permissions)\n .every(permission => (permission & Permission.DELETE) !== 0);\n },\n async exec(node, view, dir) {\n try {\n await axios.delete(node.encodedSource);\n // Let's delete even if it's moved to the trashbin\n // since it has been removed from the current view\n // and changing the view will trigger a reload anyway.\n emit('files:node:deleted', node);\n return true;\n }\n catch (error) {\n logger.error('Error while deleting a file', { error, source: node.source, node });\n return false;\n }\n },\n async execBatch(nodes, view, dir) {\n // Map each node to a promise that resolves with the result of exec(node)\n const promises = nodes.map(node => {\n // Create a promise that resolves with the result of exec(node)\n const promise = new Promise(resolve => {\n queue.add(async () => {\n const result = await this.exec(node, view, dir);\n resolve(result !== null ? result : false);\n });\n });\n return promise;\n });\n return Promise.all(promises);\n },\n order: 100,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { generateUrl } from '@nextcloud/router';\nimport { FileAction, Permission, Node, FileType, View } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport ArrowDownSvg from '@mdi/svg/svg/arrow-down.svg?raw';\nconst triggerDownload = function (url) {\n const hiddenElement = document.createElement('a');\n hiddenElement.download = '';\n hiddenElement.href = url;\n hiddenElement.click();\n};\nconst downloadNodes = function (dir, nodes) {\n const secret = Math.random().toString(36).substring(2);\n const url = generateUrl('/apps/files/ajax/download.php?dir={dir}&files={files}&downloadStartSecret={secret}', {\n dir,\n secret,\n files: JSON.stringify(nodes.map(node => node.basename)),\n });\n triggerDownload(url);\n};\nconst isDownloadable = function (node) {\n if ((node.permissions & Permission.READ) === 0) {\n return false;\n }\n // If the mount type is a share, ensure it got download permissions.\n if (node.attributes['mount-type'] === 'shared') {\n const shareAttributes = JSON.parse(node.attributes['share-attributes'] ?? 'null');\n const downloadAttribute = shareAttributes?.find?.((attribute) => attribute.scope === 'permissions' && attribute.key === 'download');\n if (downloadAttribute !== undefined && downloadAttribute.enabled === false) {\n return false;\n }\n }\n return true;\n};\nexport const action = new FileAction({\n id: 'download',\n displayName: () => t('files', 'Download'),\n iconSvgInline: () => ArrowDownSvg,\n enabled(nodes) {\n if (nodes.length === 0) {\n return false;\n }\n // We can download direct dav files. But if we have\n // some folders, we need to use the /apps/files/ajax/download.php\n // endpoint, which only supports user root folder.\n if (nodes.some(node => node.type === FileType.Folder)\n && nodes.some(node => !node.root?.startsWith('/files'))) {\n return false;\n }\n return nodes.every(isDownloadable);\n },\n async exec(node, view, dir) {\n if (node.type === FileType.Folder) {\n downloadNodes(dir, [node]);\n return null;\n }\n triggerDownload(node.encodedSource);\n return null;\n },\n async execBatch(nodes, view, dir) {\n if (nodes.length === 1) {\n this.exec(nodes[0], view, dir);\n return [null];\n }\n downloadNodes(dir, nodes);\n return new Array(nodes.length).fill(null);\n },\n order: 30,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { encodePath } from '@nextcloud/paths';\nimport { generateOcsUrl } from '@nextcloud/router';\nimport { getCurrentUser } from '@nextcloud/auth';\nimport { FileAction, Permission } from '@nextcloud/files';\nimport { showError } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport LaptopSvg from '@mdi/svg/svg/laptop.svg?raw';\nconst openLocalClient = async function (path) {\n const link = generateOcsUrl('apps/files/api/v1') + '/openlocaleditor?format=json';\n try {\n const result = await axios.post(link, { path });\n const uid = getCurrentUser()?.uid;\n let url = `nc://open/${uid}@` + window.location.host + encodePath(path);\n url += '?token=' + result.data.ocs.data.token;\n window.location.href = url;\n }\n catch (error) {\n showError(t('files', 'Failed to redirect to client'));\n }\n};\nexport const action = new FileAction({\n id: 'edit-locally',\n displayName: () => t('files', 'Edit locally'),\n iconSvgInline: () => LaptopSvg,\n // Only works on single files\n enabled(nodes) {\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n return (nodes[0].permissions & Permission.UPDATE) !== 0;\n },\n async exec(node) {\n openLocalClient(node.path);\n return null;\n },\n order: 25,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { emit } from '@nextcloud/event-bus';\nimport { generateUrl } from '@nextcloud/router';\nimport { Permission, View, FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nimport StarOutlineSvg from '@mdi/svg/svg/star-outline.svg?raw';\nimport StarSvg from '@mdi/svg/svg/star.svg?raw';\nimport logger from '../logger.js';\nimport { encodePath } from '@nextcloud/paths';\n// If any of the nodes is not favorited, we display the favorite action.\nconst shouldFavorite = (nodes) => {\n return nodes.some(node => node.attributes.favorite !== 1);\n};\nexport const favoriteNode = async (node, view, willFavorite) => {\n try {\n // TODO: migrate to webdav tags plugin\n const url = generateUrl('/apps/files/api/v1/files') + encodePath(node.path);\n await axios.post(url, {\n tags: willFavorite\n ? [window.OC.TAG_FAVORITE]\n : [],\n });\n // Let's delete if we are in the favourites view\n // AND if it is removed from the user favorites\n // AND it's in the root of the favorites view\n if (view.id === 'favorites' && !willFavorite && node.dirname === '/') {\n emit('files:node:deleted', node);\n }\n // Update the node webdav attribute\n Vue.set(node.attributes, 'favorite', willFavorite ? 1 : 0);\n // Dispatch event to whoever is interested\n if (willFavorite) {\n emit('files:favorites:added', node);\n }\n else {\n emit('files:favorites:removed', node);\n }\n return true;\n }\n catch (error) {\n const action = willFavorite ? 'adding a file to favourites' : 'removing a file from favourites';\n logger.error('Error while ' + action, { error, source: node.source, node });\n return false;\n }\n};\nexport const action = new FileAction({\n id: 'favorite',\n displayName(nodes) {\n return shouldFavorite(nodes)\n ? t('files', 'Add to favorites')\n : t('files', 'Remove from favorites');\n },\n iconSvgInline: (nodes) => {\n return shouldFavorite(nodes)\n ? StarOutlineSvg\n : StarSvg;\n },\n enabled(nodes) {\n // We can only favorite nodes within files and with permissions\n return !nodes.some(node => !node.root?.startsWith?.('/files'))\n && nodes.every(node => node.permissions !== Permission.NONE);\n },\n async exec(node, view) {\n const willFavorite = shouldFavorite([node]);\n return await favoriteNode(node, view, willFavorite);\n },\n async execBatch(nodes, view) {\n const willFavorite = shouldFavorite(nodes);\n return Promise.all(nodes.map(async (node) => await favoriteNode(node, view, willFavorite)));\n },\n order: -50,\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æ \n *\n * @author John Molakvoæ \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 .\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 // a shared file cannot be copied if the download is disabled\n // it can be copied if the user has at least read permissions\n return canDownload(nodes)\n && !nodes.some(node => node.permissions === Permission.NONE);\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken, onRequestTokenUpdate } from '@nextcloud/auth';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl);\n // set CSRF token header\n const setHeaders = (token) => {\n client?.setHeaders({\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: token ?? '',\n });\n };\n // refresh headers when request token changes\n onRequestTokenUpdate(setHeaders);\n setHeaders(getRequestToken());\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('fetch', (url, options) => {\n const headers = options.headers;\n if (headers?.method) {\n options.method = headers.method;\n delete headers.method;\n }\n return fetch(url, options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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.ts';\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 = String(props['owner-id'] || userId);\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 'owner-id': owner,\n 'owner-display-name': String(props['owner-display-name']),\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) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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} 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} 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 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { Permission, Node, FileType, View, FileAction, DefaultType } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport FolderSvg from '@mdi/svg/svg/folder.svg?raw';\nexport const action = new FileAction({\n id: 'open-folder',\n displayName(files) {\n // Only works on single node\n const displayName = files[0].attributes.displayName || files[0].basename;\n return t('files', 'Open folder {displayName}', { displayName });\n },\n iconSvgInline: () => FolderSvg,\n enabled(nodes) {\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n const node = nodes[0];\n if (!node.isDavRessource) {\n return false;\n }\n return node.type === FileType.Folder\n && (node.permissions & Permission.READ) !== 0;\n },\n async exec(node, view) {\n if (!node || node.type !== FileType.Folder) {\n return false;\n }\n window.OCP.Files.Router.goToRoute(null, { view: view.id, fileid: node.fileid }, { dir: node.path });\n return null;\n },\n // Main action if enabled, meaning folders only\n default: DefaultType.HIDDEN,\n order: -100,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport { FileType, FileAction, DefaultType } from '@nextcloud/files';\n/**\n * TODO: Move away from a redirect and handle\n * navigation straight out of the recent view\n */\nexport const action = new FileAction({\n id: 'open-in-files-recent',\n displayName: () => t('files', 'Open in Files'),\n iconSvgInline: () => '',\n enabled: (nodes, view) => view.id === 'recent',\n async exec(node) {\n let dir = node.dirname;\n if (node.type === FileType.Folder) {\n dir = dir + '/' + node.basename;\n }\n window.OCP.Files.Router.goToRoute(null, // use default route\n { view: 'files', fileid: node.fileid }, { dir, openfile: 'true' });\n return null;\n },\n // Before openFolderAction\n order: -1000,\n default: DefaultType.HIDDEN,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { emit } from '@nextcloud/event-bus';\nimport { Permission, FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport PencilSvg from '@mdi/svg/svg/pencil.svg?raw';\nexport const ACTION_DETAILS = 'details';\nexport const action = new FileAction({\n id: 'rename',\n displayName: () => t('files', 'Rename'),\n iconSvgInline: () => PencilSvg,\n enabled: (nodes) => {\n return nodes.length > 0 && nodes\n .map(node => node.permissions)\n .every(permission => (permission & Permission.UPDATE) !== 0);\n },\n async exec(node) {\n // Renaming is a built-in feature of the files app\n emit('files:node:rename', node);\n return null;\n },\n order: 10,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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 }, { ...window.OCP.Files.Router.query, 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","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { Node, FileType, Permission, View, FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport FolderMoveSvg from '@mdi/svg/svg/folder-move.svg?raw';\nexport const action = new FileAction({\n id: 'view-in-folder',\n displayName() {\n return t('files', 'View in folder');\n },\n iconSvgInline: () => FolderMoveSvg,\n enabled(nodes, view) {\n // Only works outside of the main files view\n if (view.id === 'files') {\n return false;\n }\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n const node = nodes[0];\n if (!node.isDavRessource) {\n return false;\n }\n if (node.permissions === Permission.NONE) {\n return false;\n }\n return node.type === FileType.File;\n },\n async exec(node) {\n if (!node || node.type !== FileType.File) {\n return false;\n }\n window.OCP.Files.Router.goToRoute(null, { view: 'files', fileid: node.fileid }, { dir: node.dirname });\n return null;\n },\n order: 80,\n});\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcDialog',{attrs:{\"name\":_vm.name,\"open\":_vm.open,\"close-on-click-outside\":\"\",\"out-transition\":\"\"},on:{\"update:open\":_vm.onClose},scopedSlots:_vm._u([{key:\"actions\",fn:function(){return [_c('NcButton',{attrs:{\"type\":\"primary\",\"disabled\":!_vm.isUniqueName},on:{\"click\":_vm.onCreate}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Create'))+\"\\n\\t\\t\")])]},proxy:true}])},[_vm._v(\" \"),_c('form',{on:{\"submit\":function($event){$event.preventDefault();return _vm.onCreate.apply(null, arguments)}}},[_c('NcTextField',{ref:\"input\",attrs:{\"error\":!_vm.isUniqueName,\"helper-text\":_vm.errorMessage,\"label\":_vm.label,\"value\":_vm.localDefaultName},on:{\"update:value\":function($event){_vm.localDefaultName=$event}}})],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!./NewNodeDialog.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!./NewNodeDialog.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./NewNodeDialog.vue?vue&type=template&id=c63cee88\"\nimport script from \"./NewNodeDialog.vue?vue&type=script&lang=ts\"\nexport * from \"./NewNodeDialog.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","/**\n * @copyright Copyright (c) 2024 Ferdinand Thiessen \n *\n * @author Ferdinand Thiessen \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 .\n *\n */\nimport { spawnDialog } from '@nextcloud/dialogs';\nimport NewNodeDialog from '../components/NewNodeDialog.vue';\n/**\n * Ask user for file or folder name\n * @param defaultName Default name to use\n * @param folderContent Nodes with in the current folder to check for unique name\n * @param labels Labels to set on the dialog\n * @return string if successfull otherwise null if aborted\n */\nexport function newNodeName(defaultName, folderContent, labels = {}) {\n const contentNames = folderContent.map((node) => node.basename);\n return new Promise((resolve) => {\n spawnDialog(NewNodeDialog, {\n ...labels,\n defaultName,\n otherNames: contentNames,\n }, (folderName) => {\n resolve(folderName);\n });\n });\n}\n","import { basename } from 'path';\nimport { emit } from '@nextcloud/event-bus';\nimport { getCurrentUser } from '@nextcloud/auth';\nimport { Permission, Folder } from '@nextcloud/files';\nimport { showSuccess } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport FolderPlusSvg from '@mdi/svg/svg/folder-plus.svg?raw';\nimport { newNodeName } from '../utils/newNodeDialog';\nimport logger from '../logger';\nconst createNewFolder = async (root, name) => {\n const source = root.source + '/' + name;\n const encodedSource = root.encodedSource + '/' + encodeURIComponent(name);\n const response = await axios({\n method: 'MKCOL',\n url: encodedSource,\n headers: {\n Overwrite: 'F',\n },\n });\n return {\n fileid: parseInt(response.headers['oc-fileid']),\n source,\n };\n};\nexport const entry = {\n id: 'newFolder',\n displayName: t('files', 'New folder'),\n enabled: (context) => (context.permissions & Permission.CREATE) !== 0,\n iconSvgInline: FolderPlusSvg,\n order: 0,\n async handler(context, content) {\n const name = await newNodeName(t('files', 'New folder'), content);\n if (name !== null) {\n const { fileid, source } = await createNewFolder(context, name);\n // Create the folder in the store\n const folder = new Folder({\n source,\n id: fileid,\n mtime: new Date(),\n owner: getCurrentUser()?.uid || null,\n permissions: Permission.ALL,\n root: context?.root || '/files/' + getCurrentUser()?.uid,\n // Include mount-type from parent folder as this is inherited\n attributes: {\n 'mount-type': context.attributes?.['mount-type'],\n 'owner-id': context.attributes?.['owner-id'],\n 'owner-display-name': context.attributes?.['owner-display-name'],\n },\n });\n showSuccess(t('files', 'Created new folder \"{name}\"', { name: basename(source) }));\n logger.debug('Created new folder', { folder, source });\n emit('files:node:created', folder);\n window.OCP.Files.Router.goToRoute(null, // use default route\n { view: 'files', fileid: folder.fileid }, { dir: context.path });\n }\n },\n};\n","import { getCurrentUser } from '@nextcloud/auth';\nimport { showError } from '@nextcloud/dialogs';\nimport { Permission, removeNewFileMenuEntry } from '@nextcloud/files';\nimport { loadState } from '@nextcloud/initial-state';\nimport { translate as t } from '@nextcloud/l10n';\nimport { generateOcsUrl } from '@nextcloud/router';\nimport { join } from 'path';\nimport { newNodeName } from '../utils/newNodeDialog';\nimport PlusSvg from '@mdi/svg/svg/plus.svg?raw';\nimport axios from '@nextcloud/axios';\nimport logger from '../logger.js';\nlet templatesPath = loadState('files', 'templates_path', false);\nlogger.debug('Initial templates folder', { templatesPath });\n/**\n * Init template folder\n * @param directory Folder where to create the templates folder\n * @param name Name to use or the templates folder\n */\nconst initTemplatesFolder = async function (directory, name) {\n const templatePath = join(directory.path, name);\n try {\n logger.debug('Initializing the templates directory', { templatePath });\n const { data } = await axios.post(generateOcsUrl('apps/files/api/v1/templates/path'), {\n templatePath,\n copySystemTemplates: true,\n });\n // Go to template directory\n window.OCP.Files.Router.goToRoute(null, // use default route\n { view: 'files', fileid: undefined }, { dir: templatePath });\n logger.info('Created new templates folder', {\n ...data.ocs.data,\n });\n templatesPath = data.ocs.data.templates_path;\n }\n catch (error) {\n logger.error('Unable to initialize the templates directory');\n showError(t('files', 'Unable to initialize the templates directory'));\n }\n};\nexport const entry = {\n id: 'template-picker',\n displayName: t('files', 'Create new templates folder'),\n iconSvgInline: PlusSvg,\n order: 10,\n enabled(context) {\n // Templates folder already initialized\n if (templatesPath) {\n return false;\n }\n // Allow creation on your own folders only\n if (context.owner !== getCurrentUser()?.uid) {\n return false;\n }\n return (context.permissions & Permission.CREATE) !== 0;\n },\n async handler(context, content) {\n const name = await newNodeName(t('files', 'Templates'), content, { name: t('files', 'New template folder') });\n if (name !== null) {\n // Create the template folder\n initTemplatesFolder(context, name);\n // Remove the menu entry\n removeNewFileMenuEntry('template-picker');\n }\n },\n};\n","/**\n * @copyright Copyright (c) 2020 John Molakvoæ \n *\n * @author John Molakvoæ \n * @author Julius Härtl \n * @author Ferdinand Thiessen \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 .\n *\n */\nimport { Folder, Node, Permission, addNewFileMenuEntry } from '@nextcloud/files';\nimport { loadState } from '@nextcloud/initial-state';\nimport { newNodeName } from '../utils/newNodeDialog';\nimport { translate as t } from '@nextcloud/l10n';\nimport Vue, { defineAsyncComponent } from 'vue';\n// async to reduce bundle size\nconst TemplatePickerVue = defineAsyncComponent(() => import('../views/TemplatePicker.vue'));\nlet TemplatePicker = null;\nconst getTemplatePicker = async (context) => {\n if (TemplatePicker === null) {\n // Create document root\n const mountingPoint = document.createElement('div');\n mountingPoint.id = 'template-picker';\n document.body.appendChild(mountingPoint);\n // Init vue app\n TemplatePicker = new Vue({\n render: (h) => h(TemplatePickerVue, {\n ref: 'picker',\n props: {\n parent: context,\n },\n }),\n methods: { open(...args) { this.$refs.picker.open(...args); } },\n el: mountingPoint,\n });\n }\n return TemplatePicker;\n};\n/**\n * Register all new-file-menu entries for all template providers\n */\nexport function registerTemplateEntries() {\n const templates = loadState('files', 'templates', []);\n // Init template files menu\n templates.forEach((provider, index) => {\n addNewFileMenuEntry({\n id: `template-new-${provider.app}-${index}`,\n displayName: provider.label,\n // TODO: migrate to inline svg\n iconClass: provider.iconClass || 'icon-file',\n enabled(context) {\n return (context.permissions & Permission.CREATE) !== 0;\n },\n order: 11,\n async handler(context, content) {\n const templatePicker = getTemplatePicker(context);\n const name = await newNodeName(`${provider.label}${provider.extension}`, content, {\n label: t('files', 'Filename'),\n name: provider.label,\n });\n if (name !== null) {\n // Create the file\n const picker = await templatePicker;\n picker.open(name, provider);\n }\n },\n });\n });\n}\n","import { Folder, davGetDefaultPropfind, davGetFavoritesReport } from '@nextcloud/files';\nimport { getClient } from './WebdavClient';\nimport { resultToNode } from './Files';\nconst client = getClient();\nexport const getContents = async (path = '/') => {\n const propfindPayload = davGetDefaultPropfind();\n const reportPayload = davGetFavoritesReport();\n // Get root folder\n let rootResponse;\n if (path === '/') {\n rootResponse = await client.stat(path, {\n details: true,\n data: propfindPayload,\n });\n }\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n // Only filter favorites if we're at the root\n data: path === '/' ? reportPayload : propfindPayload,\n headers: {\n // Patched in WebdavClient.ts\n method: path === '/' ? 'REPORT' : 'PROPFIND',\n },\n includeSelf: true,\n });\n const root = rootResponse?.data || contentsResponse.data[0];\n const contents = contentsResponse.data.filter(node => node.filename !== path);\n return {\n folder: resultToNode(root),\n contents: contents.map(resultToNode),\n };\n};\n","import { subscribe } from '@nextcloud/event-bus';\nimport { FileType, View, getNavigation } from '@nextcloud/files';\nimport { loadState } from '@nextcloud/initial-state';\nimport { getLanguage, translate as t } from '@nextcloud/l10n';\nimport { basename } from 'path';\nimport FolderSvg from '@mdi/svg/svg/folder.svg?raw';\nimport StarSvg from '@mdi/svg/svg/star.svg?raw';\nimport { getContents } from '../services/Favorites';\nimport { hashCode } from '../utils/hashUtils';\nimport logger from '../logger';\nexport const generateFavoriteFolderView = function (folder, index = 0) {\n return new View({\n id: generateIdFromPath(folder.path),\n name: basename(folder.path),\n icon: FolderSvg,\n order: index,\n params: {\n dir: folder.path,\n fileid: folder.fileid.toString(),\n view: 'favorites',\n },\n parent: 'favorites',\n columns: [],\n getContents,\n });\n};\nexport const generateIdFromPath = function (path) {\n return `favorite-${hashCode(path)}`;\n};\nexport default () => {\n // Load state in function for mock testing purposes\n const favoriteFolders = loadState('files', 'favoriteFolders', []);\n const favoriteFoldersViews = favoriteFolders.map((folder, index) => generateFavoriteFolderView(folder, index));\n logger.debug('Generating favorites view', { favoriteFolders });\n const Navigation = getNavigation();\n Navigation.register(new View({\n id: 'favorites',\n name: t('files', 'Favorites'),\n caption: t('files', 'List of favorites files and folders.'),\n emptyTitle: t('files', 'No favorites yet'),\n emptyCaption: t('files', 'Files and folders you mark as favorite will show up here'),\n icon: StarSvg,\n order: 5,\n columns: [],\n getContents,\n }));\n favoriteFoldersViews.forEach(view => Navigation.register(view));\n /**\n * Update favourites navigation when a new folder is added\n */\n subscribe('files:favorites:added', (node) => {\n if (node.type !== FileType.Folder) {\n return;\n }\n // Sanity check\n if (node.path === null || !node.root?.startsWith('/files')) {\n logger.error('Favorite folder is not within user files root', { node });\n return;\n }\n addToFavorites(node);\n });\n /**\n * Remove favourites navigation when a folder is removed\n */\n subscribe('files:favorites:removed', (node) => {\n if (node.type !== FileType.Folder) {\n return;\n }\n // Sanity check\n if (node.path === null || !node.root?.startsWith('/files')) {\n logger.error('Favorite folder is not within user files root', { node });\n return;\n }\n removePathFromFavorites(node.path);\n });\n /**\n * Sort the favorites paths array and\n * update the order property of the existing views\n */\n const updateAndSortViews = function () {\n favoriteFolders.sort((a, b) => a.path.localeCompare(b.path, getLanguage(), { ignorePunctuation: true }));\n favoriteFolders.forEach((folder, index) => {\n const view = favoriteFoldersViews.find((view) => view.id === generateIdFromPath(folder.path));\n if (view) {\n view.order = index;\n }\n });\n };\n // Add a folder to the favorites paths array and update the views\n const addToFavorites = function (node) {\n const newFavoriteFolder = { path: node.path, fileid: node.fileid };\n const view = generateFavoriteFolderView(newFavoriteFolder);\n // Skip if already exists\n if (favoriteFolders.find((folder) => folder.path === node.path)) {\n return;\n }\n // Update arrays\n favoriteFolders.push(newFavoriteFolder);\n favoriteFoldersViews.push(view);\n // Update and sort views\n updateAndSortViews();\n Navigation.register(view);\n };\n // Remove a folder from the favorites paths array and update the views\n const removePathFromFavorites = function (path) {\n const id = generateIdFromPath(path);\n const index = favoriteFolders.findIndex((folder) => folder.path === path);\n // Skip if not exists\n if (index === -1) {\n return;\n }\n // Update arrays\n favoriteFolders.splice(index, 1);\n favoriteFoldersViews.splice(index, 1);\n // Update and sort views\n Navigation.remove(id);\n updateAndSortViews();\n };\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 = { readonly [P in keyof T]: DeepReadonly }\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 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","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) 2024 Ferdinand Thiessen \n *\n * @author Ferdinand Thiessen \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 .\n *\n */\nimport { createPinia } from 'pinia';\nexport const pinia = createPinia();\n","import { getCurrentUser } from '@nextcloud/auth';\nimport { Folder, Permission, davGetRecentSearch, davGetClient, davResultToNode, davRootPath, davRemoteURL } from '@nextcloud/files';\nimport { useUserConfigStore } from '../store/userconfig.ts';\nimport { pinia } from '../store/index.ts';\nconst client = davGetClient();\nconst lastTwoWeeksTimestamp = Math.round((Date.now() / 1000) - (60 * 60 * 24 * 14));\n/**\n * Get recently changed nodes\n *\n * This takes the users preference about hidden files into account.\n * If hidden files are not shown, then also recently changed files *in* hidden directories are filtered.\n *\n * @param path Path to search for recent changes\n */\nexport const getContents = async (path = '/') => {\n const store = useUserConfigStore(pinia);\n /**\n * Filter function that returns only the visible nodes - or hidden if explicitly configured\n * @param node The node to check\n */\n const filterHidden = (node) => path !== '/' // We need to hide files from hidden directories in the root if not configured to show\n || store.userConfig.show_hidden // If configured to show hidden files we can early return\n || !node.dirname.split('/').some((dir) => dir.startsWith('.')); // otherwise only include the file if non of the parent directories is hidden\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n data: davGetRecentSearch(lastTwoWeeksTimestamp),\n headers: {\n // Patched in WebdavClient.ts\n method: 'SEARCH',\n // Somehow it's needed to get the correct response\n 'Content-Type': 'application/xml; charset=utf-8',\n },\n deep: true,\n });\n const contents = contentsResponse.data;\n return {\n folder: new Folder({\n id: 0,\n source: `${davRemoteURL}${davRootPath}`,\n root: davRootPath,\n owner: getCurrentUser()?.uid || null,\n permissions: Permission.READ,\n }),\n contents: contents.map((r) => davResultToNode(r)).filter(filterHidden),\n };\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { addNewFileMenuEntry, registerDavProperty, registerFileAction } from '@nextcloud/files';\nimport { action as deleteAction } from './actions/deleteAction';\nimport { action as downloadAction } from './actions/downloadAction';\nimport { action as editLocallyAction } from './actions/editLocallyAction';\nimport { action as favoriteAction } from './actions/favoriteAction';\nimport { action as moveOrCopyAction } from './actions/moveOrCopyAction';\nimport { action as openFolderAction } from './actions/openFolderAction';\nimport { action as openInFilesAction } from './actions/openInFilesAction';\nimport { action as renameAction } from './actions/renameAction';\nimport { action as sidebarAction } from './actions/sidebarAction';\nimport { action as viewInFolderAction } from './actions/viewInFolderAction';\nimport { entry as newFolderEntry } from './newMenu/newFolder.ts';\nimport { entry as newTemplatesFolder } from './newMenu/newTemplatesFolder.ts';\nimport { registerTemplateEntries } from './newMenu/newFromTemplate.ts';\nimport registerFavoritesView from './views/favorites';\nimport registerRecentView from './views/recent';\nimport registerFilesView from './views/files';\nimport registerPreviewServiceWorker from './services/ServiceWorker.js';\nimport { initLivePhotos } from './services/LivePhotos';\n// Register file actions\nregisterFileAction(deleteAction);\nregisterFileAction(downloadAction);\nregisterFileAction(editLocallyAction);\nregisterFileAction(favoriteAction);\nregisterFileAction(moveOrCopyAction);\nregisterFileAction(openFolderAction);\nregisterFileAction(openInFilesAction);\nregisterFileAction(renameAction);\nregisterFileAction(sidebarAction);\nregisterFileAction(viewInFolderAction);\n// Register new menu entry\naddNewFileMenuEntry(newFolderEntry);\naddNewFileMenuEntry(newTemplatesFolder);\nregisterTemplateEntries();\n// Register files views\nregisterFavoritesView();\nregisterFilesView();\nregisterRecentView();\n// Register preview service worker\nregisterPreviewServiceWorker();\nregisterDavProperty('nc:hidden', { nc: 'http://nextcloud.org/ns' });\nregisterDavProperty('nc:is-mount-root', { nc: 'http://nextcloud.org/ns' });\ninitLivePhotos();\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport FolderSvg from '@mdi/svg/svg/folder.svg?raw';\nimport { getContents } from '../services/Files';\nimport { View, getNavigation } from '@nextcloud/files';\nexport default () => {\n const Navigation = getNavigation();\n Navigation.register(new View({\n id: 'files',\n name: t('files', 'All files'),\n caption: t('files', 'List of your files and folders.'),\n icon: FolderSvg,\n order: 0,\n getContents,\n }));\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { View, getNavigation } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport HistorySvg from '@mdi/svg/svg/history.svg?raw';\nimport { getContents } from '../services/Recent';\nexport default () => {\n const Navigation = getNavigation();\n Navigation.register(new View({\n id: 'recent',\n name: t('files', 'Recent'),\n caption: t('files', 'List of recently modified files and folders.'),\n emptyTitle: t('files', 'No recently modified files'),\n emptyCaption: t('files', 'Files and folders you recently modified will show up here.'),\n icon: HistorySvg,\n order: 2,\n defaultSortKey: 'mtime',\n getContents,\n }));\n};\n","/**\n * @copyright Copyright (c) 2019 Gary Kim \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { generateUrl } from '@nextcloud/router'\nimport logger from '../logger.js'\n\nexport default () => {\n\tif ('serviceWorker' in navigator) {\n\t\t// Use the window load event to keep the page load performant\n\t\twindow.addEventListener('load', async () => {\n\t\t\ttry {\n\t\t\t\tconst url = generateUrl('/apps/files/preview-service-worker.js', {}, { noRewrite: true })\n\t\t\t\tconst registration = await navigator.serviceWorker.register(url, { scope: '/' })\n\t\t\t\tlogger.debug('SW registered: ', { registration })\n\t\t\t} catch (error) {\n\t\t\t\tlogger.error('SW registration failed: ', { error })\n\t\t\t}\n\t\t})\n\t} else {\n\t\tlogger.debug('Service Worker is not enabled on this browser.')\n\t}\n}\n","/**\n * @copyright Copyright (c) 2023 Louis Chmn \n *\n * @author Louis Chmn \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 .\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","/**\n * @copyright Copyright (c) 2021 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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","// 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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \\n *\\n * @author Julius Härtl \\n * @author John Molakvoæ \\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 .\\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.nc-generic-dialog .dialog__actions {\\n justify-content: space-between;\\n min-width: calc(100% - 12px);\\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:\\n linear-gradient(\\n to right,\\n var(--color-background-darker),\\n var(--color-text-maxcontrast),\\n 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-22cbb5df] {\\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-6ff1b36b] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-6ff1b36b] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-6ff1b36b] {\\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-6ff1b36b] {\\n box-sizing: border-box;\\n}\\n[data-v-6ff1b36b] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-6ff1b36b] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-6ff1b36b] .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","// @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/*:: */(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","import { getCurrentUser, onRequestTokenUpdate, getRequestToken } from \"@nextcloud/auth\";\nimport { getLoggerBuilder } from \"@nextcloud/logger\";\nimport { join, basename, extname, dirname } from \"path\";\nimport { encodePath } from \"@nextcloud/paths\";\nimport { generateRemoteUrl } from \"@nextcloud/router\";\nimport { createClient, getPatcher } from \"webdav\";\nimport { CancelablePromise } from \"cancelable-promise\";\nimport { getCanonicalLocale, getLanguage } from \"@nextcloud/l10n\";\n/**\n * @copyright 2019 Christoph Wurst \n *\n * @author Christoph Wurst \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 .\n *\n */\nconst getLogger = (user) => {\n if (user === null) {\n return getLoggerBuilder().setApp(\"files\").build();\n }\n return getLoggerBuilder().setApp(\"files\").setUid(user.uid).build();\n};\nconst logger = getLogger(getCurrentUser());\n/**\n * @copyright Copyright (c) 2021 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar NewMenuEntryCategory = /* @__PURE__ */ ((NewMenuEntryCategory2) => {\n NewMenuEntryCategory2[NewMenuEntryCategory2[\"UploadFromDevice\"] = 0] = \"UploadFromDevice\";\n NewMenuEntryCategory2[NewMenuEntryCategory2[\"CreateNew\"] = 1] = \"CreateNew\";\n NewMenuEntryCategory2[NewMenuEntryCategory2[\"Other\"] = 2] = \"Other\";\n return NewMenuEntryCategory2;\n})(NewMenuEntryCategory || {});\nclass NewFileMenu {\n _entries = [];\n registerEntry(entry) {\n this.validateEntry(entry);\n entry.category = entry.category ?? 1;\n this._entries.push(entry);\n }\n unregisterEntry(entry) {\n const entryIndex = typeof entry === \"string\" ? this.getEntryIndex(entry) : this.getEntryIndex(entry.id);\n if (entryIndex === -1) {\n logger.warn(\"Entry not found, nothing removed\", { entry, entries: this.getEntries() });\n return;\n }\n this._entries.splice(entryIndex, 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(context) {\n if (context) {\n return this._entries.filter((entry) => typeof entry.enabled === \"function\" ? entry.enabled(context) : true);\n }\n return this._entries;\n }\n getEntryIndex(id) {\n return this._entries.findIndex((entry) => entry.id === id);\n }\n validateEntry(entry) {\n if (!entry.id || !entry.displayName || !(entry.iconSvgInline || entry.iconClass) || !entry.handler) {\n throw new Error(\"Invalid entry\");\n }\n if (typeof entry.id !== \"string\" || typeof entry.displayName !== \"string\") {\n throw new Error(\"Invalid id or displayName property\");\n }\n if (entry.iconClass && typeof entry.iconClass !== \"string\" || entry.iconSvgInline && typeof entry.iconSvgInline !== \"string\") {\n throw new Error(\"Invalid icon provided\");\n }\n if (entry.enabled !== void 0 && typeof entry.enabled !== \"function\") {\n throw new Error(\"Invalid enabled property\");\n }\n if (typeof entry.handler !== \"function\") {\n throw new Error(\"Invalid handler property\");\n }\n if (\"order\" in entry && typeof entry.order !== \"number\") {\n throw new Error(\"Invalid order property\");\n }\n if (this.getEntryIndex(entry.id) !== -1) {\n throw new Error(\"Duplicate entry\");\n }\n }\n}\nconst getNewFileMenu = function() {\n if (typeof window._nc_newfilemenu === \"undefined\") {\n window._nc_newfilemenu = new NewFileMenu();\n logger.debug(\"NewFileMenu initialized\");\n }\n return window._nc_newfilemenu;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar DefaultType = /* @__PURE__ */ ((DefaultType2) => {\n DefaultType2[\"DEFAULT\"] = \"default\";\n DefaultType2[\"HIDDEN\"] = \"hidden\";\n return DefaultType2;\n})(DefaultType || {});\nclass FileAction {\n _action;\n constructor(action) {\n this.validateAction(action);\n this._action = action;\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(action) {\n if (!action.id || typeof action.id !== \"string\") {\n throw new Error(\"Invalid id\");\n }\n if (!action.displayName || typeof action.displayName !== \"function\") {\n throw new Error(\"Invalid displayName function\");\n }\n if (\"title\" in action && typeof action.title !== \"function\") {\n throw new Error(\"Invalid title function\");\n }\n if (!action.iconSvgInline || typeof action.iconSvgInline !== \"function\") {\n throw new Error(\"Invalid iconSvgInline function\");\n }\n if (!action.exec || typeof action.exec !== \"function\") {\n throw new Error(\"Invalid exec function\");\n }\n if (\"enabled\" in action && typeof action.enabled !== \"function\") {\n throw new Error(\"Invalid enabled function\");\n }\n if (\"execBatch\" in action && typeof action.execBatch !== \"function\") {\n throw new Error(\"Invalid execBatch function\");\n }\n if (\"order\" in action && typeof action.order !== \"number\") {\n throw new Error(\"Invalid order\");\n }\n if (\"parent\" in action && typeof action.parent !== \"string\") {\n throw new Error(\"Invalid parent\");\n }\n if (action.default && !Object.values(DefaultType).includes(action.default)) {\n throw new Error(\"Invalid default\");\n }\n if (\"inline\" in action && typeof action.inline !== \"function\") {\n throw new Error(\"Invalid inline function\");\n }\n if (\"renderInline\" in action && typeof action.renderInline !== \"function\") {\n throw new Error(\"Invalid renderInline function\");\n }\n }\n}\nconst registerFileAction = function(action) {\n if (typeof window._nc_fileactions === \"undefined\") {\n window._nc_fileactions = [];\n logger.debug(\"FileActions initialized\");\n }\n if (window._nc_fileactions.find((search) => search.id === action.id)) {\n logger.error(`FileAction ${action.id} already registered`, { action });\n return;\n }\n window._nc_fileactions.push(action);\n};\nconst getFileActions = function() {\n if (typeof window._nc_fileactions === \"undefined\") {\n window._nc_fileactions = [];\n logger.debug(\"FileActions initialized\");\n }\n return window._nc_fileactions;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Header {\n _header;\n constructor(header) {\n this.validateHeader(header);\n this._header = header;\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(header) {\n if (!header.id || !header.render || !header.updated) {\n throw new Error(\"Invalid header: id, render and updated are required\");\n }\n if (typeof header.id !== \"string\") {\n throw new Error(\"Invalid id property\");\n }\n if (header.enabled !== void 0 && typeof header.enabled !== \"function\") {\n throw new Error(\"Invalid enabled property\");\n }\n if (header.render && typeof header.render !== \"function\") {\n throw new Error(\"Invalid render property\");\n }\n if (header.updated && typeof header.updated !== \"function\") {\n throw new Error(\"Invalid updated property\");\n }\n }\n}\nconst registerFileListHeaders = function(header) {\n if (typeof window._nc_filelistheader === \"undefined\") {\n window._nc_filelistheader = [];\n logger.debug(\"FileListHeaders initialized\");\n }\n if (window._nc_filelistheader.find((search) => search.id === header.id)) {\n logger.error(`Header ${header.id} already registered`, { header });\n return;\n }\n window._nc_filelistheader.push(header);\n};\nconst getFileListHeaders = function() {\n if (typeof window._nc_filelistheader === \"undefined\") {\n window._nc_filelistheader = [];\n logger.debug(\"FileListHeaders initialized\");\n }\n return window._nc_filelistheader;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar Permission = /* @__PURE__ */ ((Permission2) => {\n Permission2[Permission2[\"NONE\"] = 0] = \"NONE\";\n Permission2[Permission2[\"CREATE\"] = 4] = \"CREATE\";\n Permission2[Permission2[\"READ\"] = 1] = \"READ\";\n Permission2[Permission2[\"UPDATE\"] = 2] = \"UPDATE\";\n Permission2[Permission2[\"DELETE\"] = 8] = \"DELETE\";\n Permission2[Permission2[\"SHARE\"] = 16] = \"SHARE\";\n Permission2[Permission2[\"ALL\"] = 31] = \"ALL\";\n return Permission2;\n})(Permission || {});\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \n * @author Ferdinand Thiessen \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 .\n *\n */\nconst defaultDavProperties = [\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];\nconst defaultDavNamespaces = {\n d: \"DAV:\",\n nc: \"http://nextcloud.org/ns\",\n oc: \"http://owncloud.org/ns\",\n ocs: \"http://open-collaboration-services.org/ns\"\n};\nconst registerDavProperty = function(prop, namespace = { nc: \"http://nextcloud.org/ns\" }) {\n if (typeof window._nc_dav_properties === \"undefined\") {\n window._nc_dav_properties = [...defaultDavProperties];\n window._nc_dav_namespaces = { ...defaultDavNamespaces };\n }\n const namespaces = { ...window._nc_dav_namespaces, ...namespace };\n if (window._nc_dav_properties.find((search) => search === prop)) {\n logger.warn(`${prop} already registered`, { prop });\n return false;\n }\n if (prop.startsWith(\"<\") || prop.split(\":\").length !== 2) {\n logger.error(`${prop} is not valid. See example: 'oc:fileid'`, { prop });\n return false;\n }\n const ns = prop.split(\":\")[0];\n if (!namespaces[ns]) {\n logger.error(`${prop} namespace unknown`, { prop, namespaces });\n return false;\n }\n window._nc_dav_properties.push(prop);\n window._nc_dav_namespaces = namespaces;\n return true;\n};\nconst getDavProperties = function() {\n if (typeof window._nc_dav_properties === \"undefined\") {\n window._nc_dav_properties = [...defaultDavProperties];\n }\n return window._nc_dav_properties.map((prop) => `<${prop} />`).join(\" \");\n};\nconst getDavNameSpaces = function() {\n if (typeof window._nc_dav_namespaces === \"undefined\") {\n window._nc_dav_namespaces = { ...defaultDavNamespaces };\n }\n return Object.keys(window._nc_dav_namespaces).map((ns) => `xmlns:${ns}=\"${window._nc_dav_namespaces?.[ns]}\"`).join(\" \");\n};\nconst davGetDefaultPropfind = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${getDavProperties()}\n\t\t\t\n\t\t`;\n};\nconst davGetFavoritesReport = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${getDavProperties()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`;\n};\nconst davGetRecentSearch = function(lastModified) {\n return `\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${getDavProperties()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${getCurrentUser()?.uid}/\n\t\t\t\tinfinity\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\thttpd/unix-directory\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t0\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t${lastModified}\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t100\n\t\t\t0\n\t\t\n\t\n`;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \n * @author Ferdinand Thiessen \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 .\n *\n */\nconst davParsePermissions = function(permString = \"\") {\n let permissions = Permission.NONE;\n if (!permString) {\n return permissions;\n }\n if (permString.includes(\"C\") || permString.includes(\"K\")) {\n permissions |= Permission.CREATE;\n }\n if (permString.includes(\"G\")) {\n permissions |= Permission.READ;\n }\n if (permString.includes(\"W\") || permString.includes(\"N\") || permString.includes(\"V\")) {\n permissions |= Permission.UPDATE;\n }\n if (permString.includes(\"D\")) {\n permissions |= Permission.DELETE;\n }\n if (permString.includes(\"R\")) {\n permissions |= Permission.SHARE;\n }\n return permissions;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar FileType = /* @__PURE__ */ ((FileType2) => {\n FileType2[\"Folder\"] = \"folder\";\n FileType2[\"File\"] = \"file\";\n return FileType2;\n})(FileType || {});\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nconst isDavRessource = function(source, davService) {\n return source.match(davService) !== null;\n};\nconst validateData = (data, davService) => {\n if (data.id && typeof data.id !== \"number\") {\n throw new Error(\"Invalid id type of value\");\n }\n if (!data.source) {\n throw new Error(\"Missing mandatory source\");\n }\n try {\n new URL(data.source);\n } catch (e) {\n throw new Error(\"Invalid source format, source must be a valid URL\");\n }\n if (!data.source.startsWith(\"http\")) {\n throw new Error(\"Invalid source format, only http(s) is supported\");\n }\n if (data.mtime && !(data.mtime instanceof Date)) {\n throw new Error(\"Invalid mtime type\");\n }\n if (data.crtime && !(data.crtime instanceof Date)) {\n throw new Error(\"Invalid crtime type\");\n }\n if (!data.mime || typeof data.mime !== \"string\" || !data.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi)) {\n throw new Error(\"Missing or invalid mandatory mime\");\n }\n if (\"size\" in data && typeof data.size !== \"number\" && data.size !== void 0) {\n throw new Error(\"Invalid size type\");\n }\n if (\"permissions\" in data && data.permissions !== void 0 && !(typeof data.permissions === \"number\" && data.permissions >= Permission.NONE && data.permissions <= Permission.ALL)) {\n throw new Error(\"Invalid permissions\");\n }\n if (data.owner && data.owner !== null && typeof data.owner !== \"string\") {\n throw new Error(\"Invalid owner type\");\n }\n if (data.attributes && typeof data.attributes !== \"object\") {\n throw new Error(\"Invalid attributes type\");\n }\n if (data.root && typeof data.root !== \"string\") {\n throw new Error(\"Invalid root type\");\n }\n if (data.root && !data.root.startsWith(\"/\")) {\n throw new Error(\"Root must start with a leading slash\");\n }\n if (data.root && !data.source.includes(data.root)) {\n throw new Error(\"Root must be part of the source\");\n }\n if (data.root && isDavRessource(data.source, davService)) {\n const service = data.source.match(davService)[0];\n if (!data.source.includes(join(service, data.root))) {\n throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n }\n }\n if (data.status && !Object.values(NodeStatus).includes(data.status)) {\n throw new Error(\"Status must be a valid NodeStatus\");\n }\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar NodeStatus = /* @__PURE__ */ ((NodeStatus2) => {\n NodeStatus2[\"NEW\"] = \"new\";\n NodeStatus2[\"FAILED\"] = \"failed\";\n NodeStatus2[\"LOADING\"] = \"loading\";\n NodeStatus2[\"LOCKED\"] = \"locked\";\n return NodeStatus2;\n})(NodeStatus || {});\nclass Node {\n _data;\n _attributes;\n _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n readonlyAttributes = Object.entries(Object.getOwnPropertyDescriptors(Node.prototype)).filter((e) => typeof e[1].get === \"function\" && e[0] !== \"__proto__\").map((e) => e[0]);\n handler = {\n set: (target, prop, value) => {\n if (this.readonlyAttributes.includes(prop)) {\n return false;\n }\n this.updateMtime();\n return Reflect.set(target, prop, value);\n },\n deleteProperty: (target, prop) => {\n if (this.readonlyAttributes.includes(prop)) {\n return false;\n }\n this.updateMtime();\n return Reflect.deleteProperty(target, prop);\n },\n // TODO: This is deprecated and only needed for files v3\n get: (target, prop, receiver) => {\n if (this.readonlyAttributes.includes(prop)) {\n logger.warn(`Accessing \"Node.attributes.${prop}\" is deprecated, access it directly on the Node instance.`);\n return Reflect.get(this, prop);\n }\n return Reflect.get(target, prop, receiver);\n }\n };\n constructor(data, davService) {\n validateData(data, davService || this._knownDavService);\n this._data = { ...data, attributes: {} };\n this._attributes = new Proxy(this._data.attributes, this.handler);\n this.update(data.attributes ?? {});\n this._data.mtime = data.mtime;\n if (davService) {\n this._knownDavService = davService;\n }\n }\n /**\n * Get the source url to this object\n * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\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 } = new URL(this.source);\n return origin + encodePath(this.source.slice(origin.length));\n }\n /**\n * Get this object name\n * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\n */\n get basename() {\n return basename(this.source);\n }\n /**\n * Get this object's extension\n * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\n */\n get extension() {\n return extname(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 * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\n */\n get dirname() {\n if (this.root) {\n let source = this.source;\n if (this.isDavRessource) {\n source = source.split(this._knownDavService).pop();\n }\n const firstMatch = source.indexOf(this.root);\n const root = this.root.replace(/\\/$/, \"\");\n return dirname(source.slice(firstMatch + root.length) || \"/\");\n }\n const url = new URL(this.source);\n return dirname(url.pathname);\n }\n /**\n * Get the file mime\n * There is no setter as the mime is not meant to be changed\n */\n get mime() {\n return this._data.mime;\n }\n /**\n * Get the file modification time\n * There is no setter as the modification time is not meant to be changed manually.\n * It will be automatically updated when the attributes are changed.\n */\n get mtime() {\n return this._data.mtime;\n }\n /**\n * Get the file creation time\n * There is no setter as the creation time is not meant to be changed\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 * Set the file size\n */\n set size(size) {\n this.updateMtime();\n this._data.size = size;\n }\n /**\n * Get the file attribute\n * This contains all additional attributes not provided by the Node class\n */\n get attributes() {\n return this._attributes;\n }\n /**\n * Get the file permissions\n */\n get permissions() {\n if (this.owner === null && !this.isDavRessource) {\n return Permission.READ;\n }\n return this._data.permissions !== void 0 ? this._data.permissions : Permission.NONE;\n }\n /**\n * Set the file permissions\n */\n set permissions(permissions) {\n this.updateMtime();\n this._data.permissions = permissions;\n }\n /**\n * Get the file owner\n * There is no setter as the owner is not meant to be changed\n */\n get owner() {\n if (!this.isDavRessource) {\n return null;\n }\n return this._data.owner;\n }\n /**\n * Is this a dav-related ressource ?\n */\n get isDavRessource() {\n return isDavRessource(this.source, this._knownDavService);\n }\n /**\n * Get the dav root of this object\n * There is no setter as the root is not meant to be changed\n */\n get root() {\n if (this._data.root) {\n return this._data.root.replace(/^(.+)\\/$/, \"$1\");\n }\n if (this.isDavRessource) {\n const root = dirname(this.source);\n return root.split(this._knownDavService).pop() || null;\n }\n return 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 source = this.source;\n if (this.isDavRessource) {\n source = source.split(this._knownDavService).pop();\n }\n const firstMatch = source.indexOf(this.root);\n const root = this.root.replace(/\\/$/, \"\");\n return source.slice(firstMatch + root.length) || \"/\";\n }\n return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n }\n /**\n * Get the node id if defined.\n * There is no setter as the fileid is not meant to be changed\n */\n get fileid() {\n return this._data?.id;\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(status) {\n this._data.status = status;\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(destination) {\n validateData({ ...this._data, source: destination }, this._knownDavService);\n this._data.source = destination;\n 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(basename2) {\n if (basename2.includes(\"/\")) {\n throw new Error(\"Invalid basename\");\n }\n this.move(dirname(this.source) + \"/\" + basename2);\n }\n /**\n * Update the mtime if exists.\n */\n updateMtime() {\n if (this._data.mtime) {\n this._data.mtime = /* @__PURE__ */ new Date();\n }\n }\n /**\n * Update the attributes of the node\n *\n * @param attributes The new attributes to update on the Node attributes\n */\n update(attributes) {\n for (const [name, value] of Object.entries(attributes)) {\n try {\n if (value === void 0) {\n delete this.attributes[name];\n } else {\n this.attributes[name] = value;\n }\n } catch (e) {\n if (e instanceof TypeError) {\n continue;\n }\n throw e;\n }\n }\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass File extends Node {\n get type() {\n return FileType.File;\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Folder extends Node {\n constructor(data) {\n super({\n ...data,\n mime: \"httpd/unix-directory\"\n });\n }\n get type() {\n return FileType.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æ \n *\n * @author John Molakvoæ \n * @author Ferdinand Thiessen \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 .\n *\n */\nconst davRootPath = `/files/${getCurrentUser()?.uid}`;\nconst davRemoteURL = generateRemoteUrl(\"dav\");\nconst davGetClient = function(remoteURL = davRemoteURL, headers = {}) {\n const client = createClient(remoteURL, { headers });\n function setHeaders(token) {\n client.setHeaders({\n ...headers,\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: token ?? \"\"\n });\n }\n onRequestTokenUpdate(setHeaders);\n setHeaders(getRequestToken());\n const patcher = getPatcher();\n patcher.patch(\"fetch\", (url, options) => {\n const headers2 = options.headers;\n if (headers2?.method) {\n options.method = headers2.method;\n delete headers2.method;\n }\n return fetch(url, options);\n });\n return client;\n};\nconst getFavoriteNodes = (davClient, path = \"/\", davRoot = davRootPath) => {\n const controller = new AbortController();\n return new CancelablePromise(async (resolve, reject, onCancel) => {\n onCancel(() => controller.abort());\n try {\n const contentsResponse = await davClient.getDirectoryContents(`${davRoot}${path}`, {\n signal: controller.signal,\n details: true,\n data: davGetFavoritesReport(),\n headers: {\n // see davGetClient for patched webdav client\n method: \"REPORT\"\n },\n includeSelf: true\n });\n const nodes = contentsResponse.data.filter((node) => node.filename !== path).map((result) => davResultToNode(result, davRoot));\n resolve(nodes);\n } catch (error) {\n reject(error);\n }\n });\n};\nconst davResultToNode = function(node, filesRoot = davRootPath, remoteURL = davRemoteURL) {\n let userId = getCurrentUser()?.uid;\n const isPublic = document.querySelector(\"input#isPublic\")?.value;\n if (isPublic) {\n userId = userId ?? document.querySelector(\"input#sharingUserId\")?.value;\n userId = userId ?? \"anonymous\";\n } else 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 = String(props?.[\"owner-id\"] || userId);\n const nodeData = {\n id: props?.fileid || 0,\n source: `${remoteURL}${node.filename}`,\n mtime: new Date(Date.parse(node.lastmod)),\n mime: node.mime || \"application/octet-stream\",\n size: props?.size || Number.parseInt(props.getcontentlength || \"0\"),\n permissions,\n owner,\n root: filesRoot,\n attributes: {\n ...node,\n ...props,\n hasPreview: props?.[\"has-preview\"]\n }\n };\n delete nodeData.attributes?.props;\n return node.type === \"file\" ? new File(nodeData) : new Folder(nodeData);\n};\nconst forbiddenCharacters = window._oc_config?.forbidden_filenames_characters ?? [\"/\", \"\\\\\"];\nconst forbiddenFilenameRegex = window._oc_config?.blacklist_files_regex ? new RegExp(window._oc_config.blacklist_files_regex) : null;\nfunction isFilenameValid(filename) {\n if (forbiddenCharacters.some((character) => filename.includes(character))) {\n return false;\n }\n if (forbiddenFilenameRegex !== null && filename.match(forbiddenFilenameRegex)) {\n return false;\n }\n return true;\n}\n/**\n * @copyright 2019 Christoph Wurst \n *\n * @author Christoph Wurst \n * @author John Molakvoæ \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 .\n *\n */\nconst humanList = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"];\nconst humanListBinary = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction formatFileSize(size, skipSmallSizes = false, binaryPrefixes = false, base1000 = false) {\n binaryPrefixes = binaryPrefixes && !base1000;\n if (typeof size === \"string\") {\n size = Number(size);\n }\n let order = size > 0 ? Math.floor(Math.log(size) / Math.log(base1000 ? 1e3 : 1024)) : 0;\n order = Math.min((binaryPrefixes ? humanListBinary.length : humanList.length) - 1, order);\n const readableFormat = binaryPrefixes ? humanListBinary[order] : humanList[order];\n let relativeSize = (size / Math.pow(base1000 ? 1e3 : 1024, order)).toFixed(1);\n if (skipSmallSizes === true && order === 0) {\n return (relativeSize !== \"0.0\" ? \"< 1 \" : \"0 \") + (binaryPrefixes ? humanListBinary[1] : humanList[1]);\n }\n if (order < 2) {\n relativeSize = parseFloat(relativeSize).toFixed(0);\n } else {\n relativeSize = parseFloat(relativeSize).toLocaleString(getCanonicalLocale());\n }\n return relativeSize + \" \" + readableFormat;\n}\nfunction parseFileSize(value, forceBinary = false) {\n try {\n value = `${value}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n } catch (e) {\n return null;\n }\n const match = value.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n if (match === null || match[1] === \".\" || match[1] === \"\") {\n return null;\n }\n const bytesArray = {\n \"\": 0,\n k: 1,\n m: 2,\n g: 3,\n t: 4,\n p: 5,\n e: 6\n };\n const decimalString = `${match[1]}`;\n const base = match[4] === \"i\" || forceBinary ? 1024 : 1e3;\n return Math.round(Number.parseFloat(decimalString) * base ** bytesArray[match[3]]);\n}\nfunction stringify(value) {\n if (value instanceof Date) {\n return value.toISOString();\n }\n return String(value);\n}\nfunction orderBy(collection, identifiers, orders) {\n identifiers = identifiers ?? [(value) => value];\n orders = orders ?? [];\n const sorting = identifiers.map((_, index) => (orders[index] ?? \"asc\") === \"asc\" ? 1 : -1);\n const collator = Intl.Collator(\n [getLanguage(), getCanonicalLocale()],\n {\n // handle 10 as ten and not as one-zero\n numeric: true,\n usage: \"sort\"\n }\n );\n return [...collection].sort((a, b) => {\n for (const [index, identifier] of identifiers.entries()) {\n const value = collator.compare(stringify(identifier(a)), stringify(identifier(b)));\n if (value !== 0) {\n return value * sorting[index];\n }\n }\n return 0;\n });\n}\nvar FilesSortingMode = /* @__PURE__ */ ((FilesSortingMode2) => {\n FilesSortingMode2[\"Name\"] = \"basename\";\n FilesSortingMode2[\"Modified\"] = \"mtime\";\n FilesSortingMode2[\"Size\"] = \"size\";\n return FilesSortingMode2;\n})(FilesSortingMode || {});\nfunction sortNodes(nodes, options = {}) {\n const sortingOptions = {\n // Default to sort by name\n sortingMode: \"basename\",\n // Default to sort ascending\n sortingOrder: \"asc\",\n ...options\n };\n const identifiers = [\n // 1: Sort favorites first if enabled\n ...sortingOptions.sortFavoritesFirst ? [(v) => v.attributes?.favorite !== 1] : [],\n // 2: Sort folders first if sorting by name\n ...sortingOptions.sortFoldersFirst ? [(v) => v.type !== \"folder\"] : [],\n // 3: Use sorting mode if NOT basename (to be able to use displayName too)\n ...sortingOptions.sortingMode !== \"basename\" ? [(v) => v[sortingOptions.sortingMode]] : [],\n // 4: Use displayName if available, fallback to name\n (v) => v.attributes?.displayName || v.basename,\n // 5: Finally, use basename if all previous sorting methods failed\n (v) => v.basename\n ];\n const orders = [\n // (for 1): always sort favorites before normal files\n ...sortingOptions.sortFavoritesFirst ? [\"asc\"] : [],\n // (for 2): always sort folders before files\n ...sortingOptions.sortFoldersFirst ? [\"asc\"] : [],\n // (for 3): Reverse if sorting by mtime as mtime higher means edited more recent -> lower\n ...sortingOptions.sortingMode === \"mtime\" ? [sortingOptions.sortingOrder === \"asc\" ? \"desc\" : \"asc\"] : [],\n // (also for 3 so make sure not to conflict with 2 and 3)\n ...sortingOptions.sortingMode !== \"mtime\" && sortingOptions.sortingMode !== \"basename\" ? [sortingOptions.sortingOrder] : [],\n // for 4: use configured sorting direction\n sortingOptions.sortingOrder,\n // for 5: use configured sorting direction\n sortingOptions.sortingOrder\n ];\n return orderBy(nodes, identifiers, orders);\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Navigation {\n _views = [];\n _currentView = null;\n register(view) {\n if (this._views.find((search) => search.id === view.id)) {\n throw new Error(`View id ${view.id} is already registered`);\n }\n this._views.push(view);\n }\n remove(id) {\n const index = this._views.findIndex((view) => view.id === id);\n if (index !== -1) {\n this._views.splice(index, 1);\n }\n }\n get views() {\n return this._views;\n }\n setActive(view) {\n this._currentView = view;\n }\n get active() {\n return this._currentView;\n }\n}\nconst getNavigation = function() {\n if (typeof window._nc_navigation === \"undefined\") {\n window._nc_navigation = new Navigation();\n logger.debug(\"Navigation service initialized\");\n }\n return window._nc_navigation;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Column {\n _column;\n constructor(column) {\n isValidColumn(column);\n this._column = column;\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 isValidColumn = function(column) {\n if (!column.id || typeof column.id !== \"string\") {\n throw new Error(\"A column id is required\");\n }\n if (!column.title || typeof column.title !== \"string\") {\n throw new Error(\"A column title is required\");\n }\n if (!column.render || typeof column.render !== \"function\") {\n throw new Error(\"A render function is required\");\n }\n if (column.sort && typeof column.sort !== \"function\") {\n throw new Error(\"Column sortFunction must be a function\");\n }\n if (column.summary && typeof column.summary !== \"function\") {\n throw new Error(\"Column summary must be a function\");\n }\n return true;\n};\nvar validator$2 = {};\nvar util$3 = {};\n(function(exports) {\n const nameStartChar = \":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 const nameChar = nameStartChar + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\";\n const nameRegexp = \"[\" + nameStartChar + \"][\" + nameChar + \"]*\";\n const regexName = new RegExp(\"^\" + nameRegexp + \"$\");\n const getAllMatches = function(string, regex) {\n const matches = [];\n let match = regex.exec(string);\n while (match) {\n const allmatches = [];\n allmatches.startIndex = regex.lastIndex - match[0].length;\n const len = match.length;\n for (let index = 0; index < len; index++) {\n allmatches.push(match[index]);\n }\n matches.push(allmatches);\n match = regex.exec(string);\n }\n return matches;\n };\n const isName = function(string) {\n const match = regexName.exec(string);\n return !(match === null || typeof match === \"undefined\");\n };\n exports.isExist = function(v) {\n return typeof v !== \"undefined\";\n };\n exports.isEmptyObject = function(obj) {\n return Object.keys(obj).length === 0;\n };\n exports.merge = function(target, a, arrayMode) {\n if (a) {\n const keys = Object.keys(a);\n const len = keys.length;\n for (let i = 0; i < len; i++) {\n if (arrayMode === \"strict\") {\n target[keys[i]] = [a[keys[i]]];\n } else {\n target[keys[i]] = a[keys[i]];\n }\n }\n }\n };\n exports.getValue = function(v) {\n if (exports.isExist(v)) {\n return v;\n } else {\n return \"\";\n }\n };\n exports.isName = isName;\n exports.getAllMatches = getAllMatches;\n exports.nameRegexp = nameRegexp;\n})(util$3);\nconst util$2 = util$3;\nconst defaultOptions$2 = {\n allowBooleanAttributes: false,\n //A tag can have attributes without any value\n unpairedTags: []\n};\nvalidator$2.validate = function(xmlData, options) {\n options = Object.assign({}, defaultOptions$2, options);\n const tags = [];\n let tagFound = false;\n let reachedRoot = false;\n if (xmlData[0] === \"\\uFEFF\") {\n xmlData = xmlData.substr(1);\n }\n for (let i = 0; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\" && xmlData[i + 1] === \"?\") {\n i += 2;\n i = readPI(xmlData, i);\n if (i.err)\n return i;\n } else if (xmlData[i] === \"<\") {\n let tagStartPos = i;\n i++;\n if (xmlData[i] === \"!\") {\n i = readCommentAndCDATA(xmlData, i);\n continue;\n } else {\n let closingTag = false;\n if (xmlData[i] === \"/\") {\n closingTag = true;\n i++;\n }\n let tagName = \"\";\n for (; i < xmlData.length && xmlData[i] !== \">\" && xmlData[i] !== \" \" && xmlData[i] !== \"\t\" && xmlData[i] !== \"\\n\" && xmlData[i] !== \"\\r\"; i++) {\n tagName += xmlData[i];\n }\n tagName = tagName.trim();\n if (tagName[tagName.length - 1] === \"/\") {\n tagName = tagName.substring(0, tagName.length - 1);\n i--;\n }\n if (!validateTagName(tagName)) {\n let msg;\n if (tagName.trim().length === 0) {\n msg = \"Invalid space after '<'.\";\n } else {\n msg = \"Tag '\" + tagName + \"' is an invalid name.\";\n }\n return getErrorObject(\"InvalidTag\", msg, getLineNumberForPosition(xmlData, i));\n }\n const result = readAttributeStr(xmlData, i);\n if (result === false) {\n return getErrorObject(\"InvalidAttr\", \"Attributes for '\" + tagName + \"' have open quote.\", getLineNumberForPosition(xmlData, i));\n }\n let attrStr = result.value;\n i = result.index;\n if (attrStr[attrStr.length - 1] === \"/\") {\n const attrStrStart = i - attrStr.length;\n attrStr = attrStr.substring(0, attrStr.length - 1);\n const isValid = validateAttributeString(attrStr, options);\n if (isValid === true) {\n tagFound = true;\n } else {\n return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, attrStrStart + isValid.err.line));\n }\n } else if (closingTag) {\n if (!result.tagClosed) {\n return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' doesn't have proper closing.\", getLineNumberForPosition(xmlData, i));\n } else if (attrStr.trim().length > 0) {\n return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' can't have attributes or invalid starting.\", getLineNumberForPosition(xmlData, tagStartPos));\n } else if (tags.length === 0) {\n return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' has not been opened.\", getLineNumberForPosition(xmlData, tagStartPos));\n } else {\n const otg = tags.pop();\n if (tagName !== otg.tagName) {\n let openPos = getLineNumberForPosition(xmlData, otg.tagStartPos);\n return getErrorObject(\n \"InvalidTag\",\n \"Expected closing tag '\" + otg.tagName + \"' (opened in line \" + openPos.line + \", col \" + openPos.col + \") instead of closing tag '\" + tagName + \"'.\",\n getLineNumberForPosition(xmlData, tagStartPos)\n );\n }\n if (tags.length == 0) {\n reachedRoot = true;\n }\n }\n } else {\n const isValid = validateAttributeString(attrStr, options);\n if (isValid !== true) {\n return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, i - attrStr.length + isValid.err.line));\n }\n if (reachedRoot === true) {\n return getErrorObject(\"InvalidXml\", \"Multiple possible root nodes found.\", getLineNumberForPosition(xmlData, i));\n } else if (options.unpairedTags.indexOf(tagName) !== -1)\n ;\n else {\n tags.push({ tagName, tagStartPos });\n }\n tagFound = true;\n }\n for (i++; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\") {\n if (xmlData[i + 1] === \"!\") {\n i++;\n i = readCommentAndCDATA(xmlData, i);\n continue;\n } else if (xmlData[i + 1] === \"?\") {\n i = readPI(xmlData, ++i);\n if (i.err)\n return i;\n } else {\n break;\n }\n } else if (xmlData[i] === \"&\") {\n const afterAmp = validateAmpersand(xmlData, i);\n if (afterAmp == -1)\n return getErrorObject(\"InvalidChar\", \"char '&' is not expected.\", getLineNumberForPosition(xmlData, i));\n i = afterAmp;\n } else {\n if (reachedRoot === true && !isWhiteSpace(xmlData[i])) {\n return getErrorObject(\"InvalidXml\", \"Extra text at the end\", getLineNumberForPosition(xmlData, i));\n }\n }\n }\n if (xmlData[i] === \"<\") {\n i--;\n }\n }\n } else {\n if (isWhiteSpace(xmlData[i])) {\n continue;\n }\n return getErrorObject(\"InvalidChar\", \"char '\" + xmlData[i] + \"' is not expected.\", getLineNumberForPosition(xmlData, i));\n }\n }\n if (!tagFound) {\n return getErrorObject(\"InvalidXml\", \"Start tag expected.\", 1);\n } else if (tags.length == 1) {\n return getErrorObject(\"InvalidTag\", \"Unclosed tag '\" + tags[0].tagName + \"'.\", getLineNumberForPosition(xmlData, tags[0].tagStartPos));\n } else if (tags.length > 0) {\n return getErrorObject(\"InvalidXml\", \"Invalid '\" + JSON.stringify(tags.map((t) => t.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n }\n return true;\n};\nfunction isWhiteSpace(char) {\n return char === \" \" || char === \"\t\" || char === \"\\n\" || char === \"\\r\";\n}\nfunction readPI(xmlData, i) {\n const start = i;\n for (; i < xmlData.length; i++) {\n if (xmlData[i] == \"?\" || xmlData[i] == \" \") {\n const tagname = xmlData.substr(start, i - start);\n if (i > 5 && tagname === \"xml\") {\n return getErrorObject(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", getLineNumberForPosition(xmlData, i));\n } else if (xmlData[i] == \"?\" && xmlData[i + 1] == \">\") {\n i++;\n break;\n } else {\n continue;\n }\n }\n }\n return i;\n}\nfunction readCommentAndCDATA(xmlData, i) {\n if (xmlData.length > i + 5 && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \"-\") {\n for (i += 3; i < xmlData.length; i++) {\n if (xmlData[i] === \"-\" && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \">\") {\n i += 2;\n break;\n }\n }\n } else if (xmlData.length > i + 8 && xmlData[i + 1] === \"D\" && xmlData[i + 2] === \"O\" && xmlData[i + 3] === \"C\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"Y\" && xmlData[i + 6] === \"P\" && xmlData[i + 7] === \"E\") {\n let angleBracketsCount = 1;\n for (i += 8; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\") {\n angleBracketsCount++;\n } else if (xmlData[i] === \">\") {\n angleBracketsCount--;\n if (angleBracketsCount === 0) {\n break;\n }\n }\n }\n } else if (xmlData.length > i + 9 && xmlData[i + 1] === \"[\" && xmlData[i + 2] === \"C\" && xmlData[i + 3] === \"D\" && xmlData[i + 4] === \"A\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"A\" && xmlData[i + 7] === \"[\") {\n for (i += 8; i < xmlData.length; i++) {\n if (xmlData[i] === \"]\" && xmlData[i + 1] === \"]\" && xmlData[i + 2] === \">\") {\n i += 2;\n break;\n }\n }\n }\n return i;\n}\nconst doubleQuote = '\"';\nconst singleQuote = \"'\";\nfunction readAttributeStr(xmlData, i) {\n let attrStr = \"\";\n let startChar = \"\";\n let tagClosed = false;\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === doubleQuote || xmlData[i] === singleQuote) {\n if (startChar === \"\") {\n startChar = xmlData[i];\n } else if (startChar !== xmlData[i])\n ;\n else {\n startChar = \"\";\n }\n } else if (xmlData[i] === \">\") {\n if (startChar === \"\") {\n tagClosed = true;\n break;\n }\n }\n attrStr += xmlData[i];\n }\n if (startChar !== \"\") {\n return false;\n }\n return {\n value: attrStr,\n index: i,\n tagClosed\n };\n}\nconst validAttrStrRegxp = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction validateAttributeString(attrStr, options) {\n const matches = util$2.getAllMatches(attrStr, validAttrStrRegxp);\n const attrNames = {};\n for (let i = 0; i < matches.length; i++) {\n if (matches[i][1].length === 0) {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' has no space in starting.\", getPositionFromMatch(matches[i]));\n } else if (matches[i][3] !== void 0 && matches[i][4] === void 0) {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' is without value.\", getPositionFromMatch(matches[i]));\n } else if (matches[i][3] === void 0 && !options.allowBooleanAttributes) {\n return getErrorObject(\"InvalidAttr\", \"boolean attribute '\" + matches[i][2] + \"' is not allowed.\", getPositionFromMatch(matches[i]));\n }\n const attrName = matches[i][2];\n if (!validateAttrName(attrName)) {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is an invalid name.\", getPositionFromMatch(matches[i]));\n }\n if (!attrNames.hasOwnProperty(attrName)) {\n attrNames[attrName] = 1;\n } else {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is repeated.\", getPositionFromMatch(matches[i]));\n }\n }\n return true;\n}\nfunction validateNumberAmpersand(xmlData, i) {\n let re = /\\d/;\n if (xmlData[i] === \"x\") {\n i++;\n re = /[\\da-fA-F]/;\n }\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === \";\")\n return i;\n if (!xmlData[i].match(re))\n break;\n }\n return -1;\n}\nfunction validateAmpersand(xmlData, i) {\n i++;\n if (xmlData[i] === \";\")\n return -1;\n if (xmlData[i] === \"#\") {\n i++;\n return validateNumberAmpersand(xmlData, i);\n }\n let count = 0;\n for (; i < xmlData.length; i++, count++) {\n if (xmlData[i].match(/\\w/) && count < 20)\n continue;\n if (xmlData[i] === \";\")\n break;\n return -1;\n }\n return i;\n}\nfunction getErrorObject(code, message, lineNumber) {\n return {\n err: {\n code,\n msg: message,\n line: lineNumber.line || lineNumber,\n col: lineNumber.col\n }\n };\n}\nfunction validateAttrName(attrName) {\n return util$2.isName(attrName);\n}\nfunction validateTagName(tagname) {\n return util$2.isName(tagname);\n}\nfunction getLineNumberForPosition(xmlData, index) {\n const lines = xmlData.substring(0, index).split(/\\r?\\n/);\n return {\n line: lines.length,\n // column number is last line's length + 1, because column numbering starts at 1:\n col: lines[lines.length - 1].length + 1\n };\n}\nfunction getPositionFromMatch(match) {\n return match.startIndex + match[1].length;\n}\nvar OptionsBuilder = {};\nconst defaultOptions$1 = {\n preserveOrder: false,\n attributeNamePrefix: \"@_\",\n attributesGroupName: false,\n textNodeName: \"#text\",\n ignoreAttributes: true,\n removeNSPrefix: false,\n // remove NS from tag name or attribute name if true\n allowBooleanAttributes: false,\n //a tag can have attributes without any value\n //ignoreRootElement : false,\n parseTagValue: true,\n parseAttributeValue: false,\n trimValues: true,\n //Trim string values of tag and attributes\n cdataPropName: false,\n numberParseOptions: {\n hex: true,\n leadingZeros: true,\n eNotation: true\n },\n tagValueProcessor: function(tagName, val2) {\n return val2;\n },\n attributeValueProcessor: function(attrName, val2) {\n return val2;\n },\n stopNodes: [],\n //nested tags will not be parsed even for errors\n alwaysCreateTextNode: false,\n isArray: () => false,\n commentPropName: false,\n unpairedTags: [],\n processEntities: true,\n htmlEntities: false,\n ignoreDeclaration: false,\n ignorePiTags: false,\n transformTagName: false,\n transformAttributeName: false,\n updateTag: function(tagName, jPath, attrs) {\n return tagName;\n }\n // skipEmptyListItem: false\n};\nconst buildOptions$1 = function(options) {\n return Object.assign({}, defaultOptions$1, options);\n};\nOptionsBuilder.buildOptions = buildOptions$1;\nOptionsBuilder.defaultOptions = defaultOptions$1;\nclass XmlNode {\n constructor(tagname) {\n this.tagname = tagname;\n this.child = [];\n this[\":@\"] = {};\n }\n add(key, val2) {\n if (key === \"__proto__\")\n key = \"#__proto__\";\n this.child.push({ [key]: val2 });\n }\n addChild(node) {\n if (node.tagname === \"__proto__\")\n node.tagname = \"#__proto__\";\n if (node[\":@\"] && Object.keys(node[\":@\"]).length > 0) {\n this.child.push({ [node.tagname]: node.child, [\":@\"]: node[\":@\"] });\n } else {\n this.child.push({ [node.tagname]: node.child });\n }\n }\n}\nvar xmlNode$1 = XmlNode;\nconst util$1 = util$3;\nfunction readDocType$1(xmlData, i) {\n const entities = {};\n if (xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"C\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"Y\" && xmlData[i + 7] === \"P\" && xmlData[i + 8] === \"E\") {\n i = i + 9;\n let angleBracketsCount = 1;\n let hasBody = false, comment = false;\n let exp = \"\";\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\" && !comment) {\n if (hasBody && isEntity(xmlData, i)) {\n i += 7;\n [entityName, val, i] = readEntityExp(xmlData, i + 1);\n if (val.indexOf(\"&\") === -1)\n entities[validateEntityName(entityName)] = {\n regx: RegExp(`&${entityName};`, \"g\"),\n val\n };\n } else if (hasBody && isElement(xmlData, i))\n i += 8;\n else if (hasBody && isAttlist(xmlData, i))\n i += 8;\n else if (hasBody && isNotation(xmlData, i))\n i += 9;\n else if (isComment)\n comment = true;\n else\n throw new Error(\"Invalid DOCTYPE\");\n angleBracketsCount++;\n exp = \"\";\n } else if (xmlData[i] === \">\") {\n if (comment) {\n if (xmlData[i - 1] === \"-\" && xmlData[i - 2] === \"-\") {\n comment = false;\n angleBracketsCount--;\n }\n } else {\n angleBracketsCount--;\n }\n if (angleBracketsCount === 0) {\n break;\n }\n } else if (xmlData[i] === \"[\") {\n hasBody = true;\n } else {\n exp += xmlData[i];\n }\n }\n if (angleBracketsCount !== 0) {\n throw new Error(`Unclosed DOCTYPE`);\n }\n } else {\n throw new Error(`Invalid Tag instead of DOCTYPE`);\n }\n return { entities, i };\n}\nfunction readEntityExp(xmlData, i) {\n let entityName2 = \"\";\n for (; i < xmlData.length && (xmlData[i] !== \"'\" && xmlData[i] !== '\"'); i++) {\n entityName2 += xmlData[i];\n }\n entityName2 = entityName2.trim();\n if (entityName2.indexOf(\" \") !== -1)\n throw new Error(\"External entites are not supported\");\n const startChar = xmlData[i++];\n let val2 = \"\";\n for (; i < xmlData.length && xmlData[i] !== startChar; i++) {\n val2 += xmlData[i];\n }\n return [entityName2, val2, i];\n}\nfunction isComment(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"-\" && xmlData[i + 3] === \"-\")\n return true;\n return false;\n}\nfunction isEntity(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"N\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"I\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"Y\")\n return true;\n return false;\n}\nfunction isElement(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"L\" && xmlData[i + 4] === \"E\" && xmlData[i + 5] === \"M\" && xmlData[i + 6] === \"E\" && xmlData[i + 7] === \"N\" && xmlData[i + 8] === \"T\")\n return true;\n return false;\n}\nfunction isAttlist(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"A\" && xmlData[i + 3] === \"T\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"L\" && xmlData[i + 6] === \"I\" && xmlData[i + 7] === \"S\" && xmlData[i + 8] === \"T\")\n return true;\n return false;\n}\nfunction isNotation(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"N\" && xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"A\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"I\" && xmlData[i + 8] === \"O\" && xmlData[i + 9] === \"N\")\n return true;\n return false;\n}\nfunction validateEntityName(name) {\n if (util$1.isName(name))\n return name;\n else\n throw new Error(`Invalid entity name ${name}`);\n}\nvar DocTypeReader = readDocType$1;\nconst hexRegex = /^[-+]?0x[a-fA-F0-9]+$/;\nconst numRegex = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\nif (!Number.parseInt && window.parseInt) {\n Number.parseInt = window.parseInt;\n}\nif (!Number.parseFloat && window.parseFloat) {\n Number.parseFloat = window.parseFloat;\n}\nconst consider = {\n hex: true,\n leadingZeros: true,\n decimalPoint: \".\",\n eNotation: true\n //skipLike: /regex/\n};\nfunction toNumber$1(str, options = {}) {\n options = Object.assign({}, consider, options);\n if (!str || typeof str !== \"string\")\n return str;\n let trimmedStr = str.trim();\n if (options.skipLike !== void 0 && options.skipLike.test(trimmedStr))\n return str;\n else if (options.hex && hexRegex.test(trimmedStr)) {\n return Number.parseInt(trimmedStr, 16);\n } else {\n const match = numRegex.exec(trimmedStr);\n if (match) {\n const sign = match[1];\n const leadingZeros = match[2];\n let numTrimmedByZeros = trimZeros(match[3]);\n const eNotation = match[4] || match[6];\n if (!options.leadingZeros && leadingZeros.length > 0 && sign && trimmedStr[2] !== \".\")\n return str;\n else if (!options.leadingZeros && leadingZeros.length > 0 && !sign && trimmedStr[1] !== \".\")\n return str;\n else {\n const num = Number(trimmedStr);\n const numStr = \"\" + num;\n if (numStr.search(/[eE]/) !== -1) {\n if (options.eNotation)\n return num;\n else\n return str;\n } else if (eNotation) {\n if (options.eNotation)\n return num;\n else\n return str;\n } else if (trimmedStr.indexOf(\".\") !== -1) {\n if (numStr === \"0\" && numTrimmedByZeros === \"\")\n return num;\n else if (numStr === numTrimmedByZeros)\n return num;\n else if (sign && numStr === \"-\" + numTrimmedByZeros)\n return num;\n else\n return str;\n }\n if (leadingZeros) {\n if (numTrimmedByZeros === numStr)\n return num;\n else if (sign + numTrimmedByZeros === numStr)\n return num;\n else\n return str;\n }\n if (trimmedStr === numStr)\n return num;\n else if (trimmedStr === sign + numStr)\n return num;\n return str;\n }\n } else {\n return str;\n }\n }\n}\nfunction trimZeros(numStr) {\n if (numStr && numStr.indexOf(\".\") !== -1) {\n numStr = numStr.replace(/0+$/, \"\");\n if (numStr === \".\")\n numStr = \"0\";\n else if (numStr[0] === \".\")\n numStr = \"0\" + numStr;\n else if (numStr[numStr.length - 1] === \".\")\n numStr = numStr.substr(0, numStr.length - 1);\n return numStr;\n }\n return numStr;\n}\nvar strnum = toNumber$1;\nconst util = util$3;\nconst xmlNode = xmlNode$1;\nconst readDocType = DocTypeReader;\nconst toNumber = strnum;\nlet OrderedObjParser$1 = class OrderedObjParser {\n constructor(options) {\n this.options = options;\n this.currentNode = null;\n this.tagsNodeStack = [];\n this.docTypeEntities = {};\n 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 };\n this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" };\n 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 \"num_dec\": { regex: /&#([0-9]{1,7});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 10)) },\n \"num_hex\": { regex: /&#x([0-9a-fA-F]{1,6});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 16)) }\n };\n this.addExternalEntities = addExternalEntities;\n this.parseXml = parseXml;\n this.parseTextData = parseTextData;\n this.resolveNameSpace = resolveNameSpace;\n this.buildAttributesMap = buildAttributesMap;\n this.isItStopNode = isItStopNode;\n this.replaceEntitiesValue = replaceEntitiesValue$1;\n this.readStopNodeData = readStopNodeData;\n this.saveTextToParentTag = saveTextToParentTag;\n this.addChild = addChild;\n }\n};\nfunction addExternalEntities(externalEntities) {\n const entKeys = Object.keys(externalEntities);\n for (let i = 0; i < entKeys.length; i++) {\n const ent = entKeys[i];\n this.lastEntities[ent] = {\n regex: new RegExp(\"&\" + ent + \";\", \"g\"),\n val: externalEntities[ent]\n };\n }\n}\nfunction parseTextData(val2, tagName, jPath, dontTrim, hasAttributes, isLeafNode, escapeEntities) {\n if (val2 !== void 0) {\n if (this.options.trimValues && !dontTrim) {\n val2 = val2.trim();\n }\n if (val2.length > 0) {\n if (!escapeEntities)\n val2 = this.replaceEntitiesValue(val2);\n const newval = this.options.tagValueProcessor(tagName, val2, jPath, hasAttributes, isLeafNode);\n if (newval === null || newval === void 0) {\n return val2;\n } else if (typeof newval !== typeof val2 || newval !== val2) {\n return newval;\n } else if (this.options.trimValues) {\n return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n } else {\n const trimmedVal = val2.trim();\n if (trimmedVal === val2) {\n return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n } else {\n return val2;\n }\n }\n }\n }\n}\nfunction resolveNameSpace(tagname) {\n if (this.options.removeNSPrefix) {\n const tags = tagname.split(\":\");\n const prefix = tagname.charAt(0) === \"/\" ? \"/\" : \"\";\n if (tags[0] === \"xmlns\") {\n return \"\";\n }\n if (tags.length === 2) {\n tagname = prefix + tags[1];\n }\n }\n return tagname;\n}\nconst attrsRegx = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction buildAttributesMap(attrStr, jPath, tagName) {\n if (!this.options.ignoreAttributes && typeof attrStr === \"string\") {\n const matches = util.getAllMatches(attrStr, attrsRegx);\n const len = matches.length;\n const attrs = {};\n for (let i = 0; i < len; i++) {\n const attrName = this.resolveNameSpace(matches[i][1]);\n let oldVal = matches[i][4];\n let aName = this.options.attributeNamePrefix + attrName;\n if (attrName.length) {\n if (this.options.transformAttributeName) {\n aName = this.options.transformAttributeName(aName);\n }\n if (aName === \"__proto__\")\n aName = \"#__proto__\";\n if (oldVal !== void 0) {\n if (this.options.trimValues) {\n oldVal = oldVal.trim();\n }\n oldVal = this.replaceEntitiesValue(oldVal);\n const newVal = this.options.attributeValueProcessor(attrName, oldVal, jPath);\n if (newVal === null || newVal === void 0) {\n attrs[aName] = oldVal;\n } else if (typeof newVal !== typeof oldVal || newVal !== oldVal) {\n attrs[aName] = newVal;\n } else {\n attrs[aName] = parseValue(\n oldVal,\n this.options.parseAttributeValue,\n this.options.numberParseOptions\n );\n }\n } else if (this.options.allowBooleanAttributes) {\n attrs[aName] = true;\n }\n }\n }\n if (!Object.keys(attrs).length) {\n return;\n }\n if (this.options.attributesGroupName) {\n const attrCollection = {};\n attrCollection[this.options.attributesGroupName] = attrs;\n return attrCollection;\n }\n return attrs;\n }\n}\nconst parseXml = function(xmlData) {\n xmlData = xmlData.replace(/\\r\\n?/g, \"\\n\");\n const xmlObj = new xmlNode(\"!xml\");\n let currentNode = xmlObj;\n let textData = \"\";\n let jPath = \"\";\n for (let i = 0; i < xmlData.length; i++) {\n const ch = xmlData[i];\n if (ch === \"<\") {\n if (xmlData[i + 1] === \"/\") {\n const closeIndex = findClosingIndex(xmlData, \">\", i, \"Closing Tag is not closed.\");\n let tagName = xmlData.substring(i + 2, closeIndex).trim();\n if (this.options.removeNSPrefix) {\n const colonIndex = tagName.indexOf(\":\");\n if (colonIndex !== -1) {\n tagName = tagName.substr(colonIndex + 1);\n }\n }\n if (this.options.transformTagName) {\n tagName = this.options.transformTagName(tagName);\n }\n if (currentNode) {\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n }\n const lastTagName = jPath.substring(jPath.lastIndexOf(\".\") + 1);\n if (tagName && this.options.unpairedTags.indexOf(tagName) !== -1) {\n throw new Error(`Unpaired tag can not be used as closing tag: `);\n }\n let propIndex = 0;\n if (lastTagName && this.options.unpairedTags.indexOf(lastTagName) !== -1) {\n propIndex = jPath.lastIndexOf(\".\", jPath.lastIndexOf(\".\") - 1);\n this.tagsNodeStack.pop();\n } else {\n propIndex = jPath.lastIndexOf(\".\");\n }\n jPath = jPath.substring(0, propIndex);\n currentNode = this.tagsNodeStack.pop();\n textData = \"\";\n i = closeIndex;\n } else if (xmlData[i + 1] === \"?\") {\n let tagData = readTagExp(xmlData, i, false, \"?>\");\n if (!tagData)\n throw new Error(\"Pi Tag is not closed.\");\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n if (this.options.ignoreDeclaration && tagData.tagName === \"?xml\" || this.options.ignorePiTags)\n ;\n else {\n const childNode = new xmlNode(tagData.tagName);\n childNode.add(this.options.textNodeName, \"\");\n if (tagData.tagName !== tagData.tagExp && tagData.attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagData.tagExp, jPath, tagData.tagName);\n }\n this.addChild(currentNode, childNode, jPath);\n }\n i = tagData.closeIndex + 1;\n } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n const endIndex = findClosingIndex(xmlData, \"-->\", i + 4, \"Comment is not closed.\");\n if (this.options.commentPropName) {\n const comment = xmlData.substring(i + 4, endIndex - 2);\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n currentNode.add(this.options.commentPropName, [{ [this.options.textNodeName]: comment }]);\n }\n i = endIndex;\n } else if (xmlData.substr(i + 1, 2) === \"!D\") {\n const result = readDocType(xmlData, i);\n this.docTypeEntities = result.entities;\n i = result.i;\n } else if (xmlData.substr(i + 1, 2) === \"![\") {\n const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"CDATA is not closed.\") - 2;\n const tagExp = xmlData.substring(i + 9, closeIndex);\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n let val2 = this.parseTextData(tagExp, currentNode.tagname, jPath, true, false, true, true);\n if (val2 == void 0)\n val2 = \"\";\n if (this.options.cdataPropName) {\n currentNode.add(this.options.cdataPropName, [{ [this.options.textNodeName]: tagExp }]);\n } else {\n currentNode.add(this.options.textNodeName, val2);\n }\n i = closeIndex + 2;\n } else {\n let result = readTagExp(xmlData, i, this.options.removeNSPrefix);\n let tagName = result.tagName;\n const rawTagName = result.rawTagName;\n let tagExp = result.tagExp;\n let attrExpPresent = result.attrExpPresent;\n let closeIndex = result.closeIndex;\n if (this.options.transformTagName) {\n tagName = this.options.transformTagName(tagName);\n }\n if (currentNode && textData) {\n if (currentNode.tagname !== \"!xml\") {\n textData = this.saveTextToParentTag(textData, currentNode, jPath, false);\n }\n }\n const lastTag = currentNode;\n if (lastTag && this.options.unpairedTags.indexOf(lastTag.tagname) !== -1) {\n currentNode = this.tagsNodeStack.pop();\n jPath = jPath.substring(0, jPath.lastIndexOf(\".\"));\n }\n if (tagName !== xmlObj.tagname) {\n jPath += jPath ? \".\" + tagName : tagName;\n }\n if (this.isItStopNode(this.options.stopNodes, jPath, tagName)) {\n let tagContent = \"\";\n if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n if (tagName[tagName.length - 1] === \"/\") {\n tagName = tagName.substr(0, tagName.length - 1);\n jPath = jPath.substr(0, jPath.length - 1);\n tagExp = tagName;\n } else {\n tagExp = tagExp.substr(0, tagExp.length - 1);\n }\n i = result.closeIndex;\n } else if (this.options.unpairedTags.indexOf(tagName) !== -1) {\n i = result.closeIndex;\n } else {\n const result2 = this.readStopNodeData(xmlData, rawTagName, closeIndex + 1);\n if (!result2)\n throw new Error(`Unexpected end of ${rawTagName}`);\n i = result2.i;\n tagContent = result2.tagContent;\n }\n const childNode = new xmlNode(tagName);\n if (tagName !== tagExp && attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n }\n if (tagContent) {\n tagContent = this.parseTextData(tagContent, tagName, jPath, true, attrExpPresent, true, true);\n }\n jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n childNode.add(this.options.textNodeName, tagContent);\n this.addChild(currentNode, childNode, jPath);\n } else {\n if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n if (tagName[tagName.length - 1] === \"/\") {\n tagName = tagName.substr(0, tagName.length - 1);\n jPath = jPath.substr(0, jPath.length - 1);\n tagExp = tagName;\n } else {\n tagExp = tagExp.substr(0, tagExp.length - 1);\n }\n if (this.options.transformTagName) {\n tagName = this.options.transformTagName(tagName);\n }\n const childNode = new xmlNode(tagName);\n if (tagName !== tagExp && attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n }\n this.addChild(currentNode, childNode, jPath);\n jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n } else {\n const childNode = new xmlNode(tagName);\n this.tagsNodeStack.push(currentNode);\n if (tagName !== tagExp && attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n }\n this.addChild(currentNode, childNode, jPath);\n currentNode = childNode;\n }\n textData = \"\";\n i = closeIndex;\n }\n }\n } else {\n textData += xmlData[i];\n }\n }\n return xmlObj.child;\n};\nfunction addChild(currentNode, childNode, jPath) {\n const result = this.options.updateTag(childNode.tagname, jPath, childNode[\":@\"]);\n if (result === false)\n ;\n else if (typeof result === \"string\") {\n childNode.tagname = result;\n currentNode.addChild(childNode);\n } else {\n currentNode.addChild(childNode);\n }\n}\nconst replaceEntitiesValue$1 = function(val2) {\n if (this.options.processEntities) {\n for (let entityName2 in this.docTypeEntities) {\n const entity = this.docTypeEntities[entityName2];\n val2 = val2.replace(entity.regx, entity.val);\n }\n for (let entityName2 in this.lastEntities) {\n const entity = this.lastEntities[entityName2];\n val2 = val2.replace(entity.regex, entity.val);\n }\n if (this.options.htmlEntities) {\n for (let entityName2 in this.htmlEntities) {\n const entity = this.htmlEntities[entityName2];\n val2 = val2.replace(entity.regex, entity.val);\n }\n }\n val2 = val2.replace(this.ampEntity.regex, this.ampEntity.val);\n }\n return val2;\n};\nfunction saveTextToParentTag(textData, currentNode, jPath, isLeafNode) {\n if (textData) {\n if (isLeafNode === void 0)\n isLeafNode = Object.keys(currentNode.child).length === 0;\n textData = this.parseTextData(\n textData,\n currentNode.tagname,\n jPath,\n false,\n currentNode[\":@\"] ? Object.keys(currentNode[\":@\"]).length !== 0 : false,\n isLeafNode\n );\n if (textData !== void 0 && textData !== \"\")\n currentNode.add(this.options.textNodeName, textData);\n textData = \"\";\n }\n return textData;\n}\nfunction isItStopNode(stopNodes, jPath, currentTagName) {\n const allNodesExp = \"*.\" + currentTagName;\n for (const stopNodePath in stopNodes) {\n const stopNodeExp = stopNodes[stopNodePath];\n if (allNodesExp === stopNodeExp || jPath === stopNodeExp)\n return true;\n }\n return false;\n}\nfunction tagExpWithClosingIndex(xmlData, i, closingChar = \">\") {\n let attrBoundary;\n let tagExp = \"\";\n for (let index = i; index < xmlData.length; index++) {\n let ch = xmlData[index];\n if (attrBoundary) {\n if (ch === attrBoundary)\n attrBoundary = \"\";\n } else if (ch === '\"' || ch === \"'\") {\n attrBoundary = ch;\n } else if (ch === closingChar[0]) {\n if (closingChar[1]) {\n if (xmlData[index + 1] === closingChar[1]) {\n return {\n data: tagExp,\n index\n };\n }\n } else {\n return {\n data: tagExp,\n index\n };\n }\n } else if (ch === \"\t\") {\n ch = \" \";\n }\n tagExp += ch;\n }\n}\nfunction findClosingIndex(xmlData, str, i, errMsg) {\n const closingIndex = xmlData.indexOf(str, i);\n if (closingIndex === -1) {\n throw new Error(errMsg);\n } else {\n return closingIndex + str.length - 1;\n }\n}\nfunction readTagExp(xmlData, i, removeNSPrefix, closingChar = \">\") {\n const result = tagExpWithClosingIndex(xmlData, i + 1, closingChar);\n if (!result)\n return;\n let tagExp = result.data;\n const closeIndex = result.index;\n const separatorIndex = tagExp.search(/\\s/);\n let tagName = tagExp;\n let attrExpPresent = true;\n if (separatorIndex !== -1) {\n tagName = tagExp.substring(0, separatorIndex);\n tagExp = tagExp.substring(separatorIndex + 1).trimStart();\n }\n const rawTagName = tagName;\n if (removeNSPrefix) {\n const colonIndex = tagName.indexOf(\":\");\n if (colonIndex !== -1) {\n tagName = tagName.substr(colonIndex + 1);\n attrExpPresent = tagName !== result.data.substr(colonIndex + 1);\n }\n }\n return {\n tagName,\n tagExp,\n closeIndex,\n attrExpPresent,\n rawTagName\n };\n}\nfunction readStopNodeData(xmlData, tagName, i) {\n const startIndex = i;\n let openTagCount = 1;\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\") {\n if (xmlData[i + 1] === \"/\") {\n const closeIndex = findClosingIndex(xmlData, \">\", i, `${tagName} is not closed`);\n let closeTagName = xmlData.substring(i + 2, closeIndex).trim();\n if (closeTagName === tagName) {\n openTagCount--;\n if (openTagCount === 0) {\n return {\n tagContent: xmlData.substring(startIndex, i),\n i: closeIndex\n };\n }\n }\n i = closeIndex;\n } else if (xmlData[i + 1] === \"?\") {\n const closeIndex = findClosingIndex(xmlData, \"?>\", i + 1, \"StopNode is not closed.\");\n i = closeIndex;\n } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n const closeIndex = findClosingIndex(xmlData, \"-->\", i + 3, \"StopNode is not closed.\");\n i = closeIndex;\n } else if (xmlData.substr(i + 1, 2) === \"![\") {\n const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"StopNode is not closed.\") - 2;\n i = closeIndex;\n } else {\n const tagData = readTagExp(xmlData, i, \">\");\n if (tagData) {\n const openTagName = tagData && tagData.tagName;\n if (openTagName === tagName && tagData.tagExp[tagData.tagExp.length - 1] !== \"/\") {\n openTagCount++;\n }\n i = tagData.closeIndex;\n }\n }\n }\n }\n}\nfunction parseValue(val2, shouldParse, options) {\n if (shouldParse && typeof val2 === \"string\") {\n const newval = val2.trim();\n if (newval === \"true\")\n return true;\n else if (newval === \"false\")\n return false;\n else\n return toNumber(val2, options);\n } else {\n if (util.isExist(val2)) {\n return val2;\n } else {\n return \"\";\n }\n }\n}\nvar OrderedObjParser_1 = OrderedObjParser$1;\nvar node2json = {};\nfunction prettify$1(node, options) {\n return compress(node, options);\n}\nfunction compress(arr, options, jPath) {\n let text;\n const compressedObj = {};\n for (let i = 0; i < arr.length; i++) {\n const tagObj = arr[i];\n const property = propName$1(tagObj);\n let newJpath = \"\";\n if (jPath === void 0)\n newJpath = property;\n else\n newJpath = jPath + \".\" + property;\n if (property === options.textNodeName) {\n if (text === void 0)\n text = tagObj[property];\n else\n text += \"\" + tagObj[property];\n } else if (property === void 0) {\n continue;\n } else if (tagObj[property]) {\n let val2 = compress(tagObj[property], options, newJpath);\n const isLeaf = isLeafTag(val2, options);\n if (tagObj[\":@\"]) {\n assignAttributes(val2, tagObj[\":@\"], newJpath, options);\n } else if (Object.keys(val2).length === 1 && val2[options.textNodeName] !== void 0 && !options.alwaysCreateTextNode) {\n val2 = val2[options.textNodeName];\n } else if (Object.keys(val2).length === 0) {\n if (options.alwaysCreateTextNode)\n val2[options.textNodeName] = \"\";\n else\n val2 = \"\";\n }\n if (compressedObj[property] !== void 0 && compressedObj.hasOwnProperty(property)) {\n if (!Array.isArray(compressedObj[property])) {\n compressedObj[property] = [compressedObj[property]];\n }\n compressedObj[property].push(val2);\n } else {\n if (options.isArray(property, newJpath, isLeaf)) {\n compressedObj[property] = [val2];\n } else {\n compressedObj[property] = val2;\n }\n }\n }\n }\n if (typeof text === \"string\") {\n if (text.length > 0)\n compressedObj[options.textNodeName] = text;\n } else if (text !== void 0)\n compressedObj[options.textNodeName] = text;\n return compressedObj;\n}\nfunction propName$1(obj) {\n const keys = Object.keys(obj);\n for (let i = 0; i < keys.length; i++) {\n const key = keys[i];\n if (key !== \":@\")\n return key;\n }\n}\nfunction assignAttributes(obj, attrMap, jpath, options) {\n if (attrMap) {\n const keys = Object.keys(attrMap);\n const len = keys.length;\n for (let i = 0; i < len; i++) {\n const atrrName = keys[i];\n if (options.isArray(atrrName, jpath + \".\" + atrrName, true, true)) {\n obj[atrrName] = [attrMap[atrrName]];\n } else {\n obj[atrrName] = attrMap[atrrName];\n }\n }\n }\n}\nfunction isLeafTag(obj, options) {\n const { textNodeName } = options;\n const propCount = Object.keys(obj).length;\n if (propCount === 0) {\n return true;\n }\n if (propCount === 1 && (obj[textNodeName] || typeof obj[textNodeName] === \"boolean\" || obj[textNodeName] === 0)) {\n return true;\n }\n return false;\n}\nnode2json.prettify = prettify$1;\nconst { buildOptions } = OptionsBuilder;\nconst OrderedObjParser2 = OrderedObjParser_1;\nconst { prettify } = node2json;\nconst validator$1 = validator$2;\nlet XMLParser$1 = class XMLParser {\n constructor(options) {\n this.externalEntities = {};\n this.options = buildOptions(options);\n }\n /**\n * Parse XML dats to JS object \n * @param {string|Buffer} xmlData \n * @param {boolean|Object} validationOption \n */\n parse(xmlData, validationOption) {\n if (typeof xmlData === \"string\")\n ;\n else if (xmlData.toString) {\n xmlData = xmlData.toString();\n } else {\n throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n }\n if (validationOption) {\n if (validationOption === true)\n validationOption = {};\n const result = validator$1.validate(xmlData, validationOption);\n if (result !== true) {\n throw Error(`${result.err.msg}:${result.err.line}:${result.err.col}`);\n }\n }\n const orderedObjParser = new OrderedObjParser2(this.options);\n orderedObjParser.addExternalEntities(this.externalEntities);\n const orderedResult = orderedObjParser.parseXml(xmlData);\n if (this.options.preserveOrder || orderedResult === void 0)\n return orderedResult;\n else\n return prettify(orderedResult, 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(key, value) {\n if (value.indexOf(\"&\") !== -1) {\n throw new Error(\"Entity value can't have '&'\");\n } else if (key.indexOf(\"&\") !== -1 || key.indexOf(\";\") !== -1) {\n throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for ' '\");\n } else if (value === \"&\") {\n throw new Error(\"An entity with value '&' is not permitted\");\n } else {\n this.externalEntities[key] = value;\n }\n }\n};\nvar XMLParser_1 = XMLParser$1;\nconst EOL = \"\\n\";\nfunction toXml(jArray, options) {\n let indentation = \"\";\n if (options.format && options.indentBy.length > 0) {\n indentation = EOL;\n }\n return arrToStr(jArray, options, \"\", indentation);\n}\nfunction arrToStr(arr, options, jPath, indentation) {\n let xmlStr = \"\";\n let isPreviousElementTag = false;\n for (let i = 0; i < arr.length; i++) {\n const tagObj = arr[i];\n const tagName = propName(tagObj);\n if (tagName === void 0)\n continue;\n let newJPath = \"\";\n if (jPath.length === 0)\n newJPath = tagName;\n else\n newJPath = `${jPath}.${tagName}`;\n if (tagName === options.textNodeName) {\n let tagText = tagObj[tagName];\n if (!isStopNode(newJPath, options)) {\n tagText = options.tagValueProcessor(tagName, tagText);\n tagText = replaceEntitiesValue(tagText, options);\n }\n if (isPreviousElementTag) {\n xmlStr += indentation;\n }\n xmlStr += tagText;\n isPreviousElementTag = false;\n continue;\n } else if (tagName === options.cdataPropName) {\n if (isPreviousElementTag) {\n xmlStr += indentation;\n }\n xmlStr += ``;\n isPreviousElementTag = false;\n continue;\n } else if (tagName === options.commentPropName) {\n xmlStr += indentation + ``;\n isPreviousElementTag = true;\n continue;\n } else if (tagName[0] === \"?\") {\n const attStr2 = attr_to_str(tagObj[\":@\"], options);\n const tempInd = tagName === \"?xml\" ? \"\" : indentation;\n let piTextNodeName = tagObj[tagName][0][options.textNodeName];\n piTextNodeName = piTextNodeName.length !== 0 ? \" \" + piTextNodeName : \"\";\n xmlStr += tempInd + `<${tagName}${piTextNodeName}${attStr2}?>`;\n isPreviousElementTag = true;\n continue;\n }\n let newIdentation = indentation;\n if (newIdentation !== \"\") {\n newIdentation += options.indentBy;\n }\n const attStr = attr_to_str(tagObj[\":@\"], options);\n const tagStart = indentation + `<${tagName}${attStr}`;\n const tagValue = arrToStr(tagObj[tagName], options, newJPath, newIdentation);\n if (options.unpairedTags.indexOf(tagName) !== -1) {\n if (options.suppressUnpairedNode)\n xmlStr += tagStart + \">\";\n else\n xmlStr += tagStart + \"/>\";\n } else if ((!tagValue || tagValue.length === 0) && options.suppressEmptyNode) {\n xmlStr += tagStart + \"/>\";\n } else if (tagValue && tagValue.endsWith(\">\")) {\n xmlStr += tagStart + `>${tagValue}${indentation}`;\n } else {\n xmlStr += tagStart + \">\";\n if (tagValue && indentation !== \"\" && (tagValue.includes(\"/>\") || tagValue.includes(\"`;\n }\n isPreviousElementTag = true;\n }\n return xmlStr;\n}\nfunction propName(obj) {\n const keys = Object.keys(obj);\n for (let i = 0; i < keys.length; i++) {\n const key = keys[i];\n if (!obj.hasOwnProperty(key))\n continue;\n if (key !== \":@\")\n return key;\n }\n}\nfunction attr_to_str(attrMap, options) {\n let attrStr = \"\";\n if (attrMap && !options.ignoreAttributes) {\n for (let attr in attrMap) {\n if (!attrMap.hasOwnProperty(attr))\n continue;\n let attrVal = options.attributeValueProcessor(attr, attrMap[attr]);\n attrVal = replaceEntitiesValue(attrVal, options);\n if (attrVal === true && options.suppressBooleanAttributes) {\n attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}`;\n } else {\n attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}=\"${attrVal}\"`;\n }\n }\n }\n return attrStr;\n}\nfunction isStopNode(jPath, options) {\n jPath = jPath.substr(0, jPath.length - options.textNodeName.length - 1);\n let tagName = jPath.substr(jPath.lastIndexOf(\".\") + 1);\n for (let index in options.stopNodes) {\n if (options.stopNodes[index] === jPath || options.stopNodes[index] === \"*.\" + tagName)\n return true;\n }\n return false;\n}\nfunction replaceEntitiesValue(textValue, options) {\n if (textValue && textValue.length > 0 && options.processEntities) {\n for (let i = 0; i < options.entities.length; i++) {\n const entity = options.entities[i];\n textValue = textValue.replace(entity.regex, entity.val);\n }\n }\n return textValue;\n}\nvar orderedJs2Xml = toXml;\nconst buildFromOrderedJs = orderedJs2Xml;\nconst defaultOptions = {\n attributeNamePrefix: \"@_\",\n attributesGroupName: false,\n textNodeName: \"#text\",\n ignoreAttributes: true,\n cdataPropName: false,\n format: false,\n indentBy: \" \",\n suppressEmptyNode: false,\n suppressUnpairedNode: true,\n suppressBooleanAttributes: true,\n tagValueProcessor: function(key, a) {\n return a;\n },\n attributeValueProcessor: function(attrName, a) {\n return a;\n },\n preserveOrder: false,\n commentPropName: false,\n unpairedTags: [],\n entities: [\n { regex: new RegExp(\"&\", \"g\"), val: \"&\" },\n //it must be on top\n { regex: new RegExp(\">\", \"g\"), val: \">\" },\n { regex: new RegExp(\"<\", \"g\"), val: \"<\" },\n { regex: new RegExp(\"'\", \"g\"), val: \"'\" },\n { regex: new RegExp('\"', \"g\"), val: \""\" }\n ],\n processEntities: true,\n stopNodes: [],\n // transformTagName: false,\n // transformAttributeName: false,\n oneListGroup: false\n};\nfunction Builder(options) {\n this.options = Object.assign({}, defaultOptions, options);\n if (this.options.ignoreAttributes || this.options.attributesGroupName) {\n this.isAttribute = function() {\n return false;\n };\n } else {\n this.attrPrefixLen = this.options.attributeNamePrefix.length;\n this.isAttribute = isAttribute;\n }\n this.processTextOrObjNode = processTextOrObjNode;\n if (this.options.format) {\n this.indentate = indentate;\n this.tagEndChar = \">\\n\";\n this.newLine = \"\\n\";\n } else {\n this.indentate = function() {\n return \"\";\n };\n this.tagEndChar = \">\";\n this.newLine = \"\";\n }\n}\nBuilder.prototype.build = function(jObj) {\n if (this.options.preserveOrder) {\n return buildFromOrderedJs(jObj, this.options);\n } else {\n if (Array.isArray(jObj) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1) {\n jObj = {\n [this.options.arrayNodeName]: jObj\n };\n }\n return this.j2x(jObj, 0).val;\n }\n};\nBuilder.prototype.j2x = function(jObj, level) {\n let attrStr = \"\";\n let val2 = \"\";\n for (let key in jObj) {\n if (!Object.prototype.hasOwnProperty.call(jObj, key))\n continue;\n if (typeof jObj[key] === \"undefined\") {\n if (this.isAttribute(key)) {\n val2 += \"\";\n }\n } else if (jObj[key] === null) {\n if (this.isAttribute(key)) {\n val2 += \"\";\n } else if (key[0] === \"?\") {\n val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n } else {\n val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n }\n } else if (jObj[key] instanceof Date) {\n val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n } else if (typeof jObj[key] !== \"object\") {\n const attr = this.isAttribute(key);\n if (attr) {\n attrStr += this.buildAttrPairStr(attr, \"\" + jObj[key]);\n } else {\n if (key === this.options.textNodeName) {\n let newval = this.options.tagValueProcessor(key, \"\" + jObj[key]);\n val2 += this.replaceEntitiesValue(newval);\n } else {\n val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n }\n }\n } else if (Array.isArray(jObj[key])) {\n const arrLen = jObj[key].length;\n let listTagVal = \"\";\n for (let j = 0; j < arrLen; j++) {\n const item = jObj[key][j];\n if (typeof item === \"undefined\")\n ;\n else if (item === null) {\n if (key[0] === \"?\")\n val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n else\n val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n } else if (typeof item === \"object\") {\n if (this.options.oneListGroup) {\n listTagVal += this.j2x(item, level + 1).val;\n } else {\n listTagVal += this.processTextOrObjNode(item, key, level);\n }\n } else {\n listTagVal += this.buildTextValNode(item, key, \"\", level);\n }\n }\n if (this.options.oneListGroup) {\n listTagVal = this.buildObjectNode(listTagVal, key, \"\", level);\n }\n val2 += listTagVal;\n } else {\n if (this.options.attributesGroupName && key === this.options.attributesGroupName) {\n const Ks = Object.keys(jObj[key]);\n const L = Ks.length;\n for (let j = 0; j < L; j++) {\n attrStr += this.buildAttrPairStr(Ks[j], \"\" + jObj[key][Ks[j]]);\n }\n } else {\n val2 += this.processTextOrObjNode(jObj[key], key, level);\n }\n }\n }\n return { attrStr, val: val2 };\n};\nBuilder.prototype.buildAttrPairStr = function(attrName, val2) {\n val2 = this.options.attributeValueProcessor(attrName, \"\" + val2);\n val2 = this.replaceEntitiesValue(val2);\n if (this.options.suppressBooleanAttributes && val2 === \"true\") {\n return \" \" + attrName;\n } else\n return \" \" + attrName + '=\"' + val2 + '\"';\n};\nfunction processTextOrObjNode(object, key, level) {\n const result = this.j2x(object, level + 1);\n if (object[this.options.textNodeName] !== void 0 && Object.keys(object).length === 1) {\n return this.buildTextValNode(object[this.options.textNodeName], key, result.attrStr, level);\n } else {\n return this.buildObjectNode(result.val, key, result.attrStr, level);\n }\n}\nBuilder.prototype.buildObjectNode = function(val2, key, attrStr, level) {\n if (val2 === \"\") {\n if (key[0] === \"?\")\n return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n else {\n return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n }\n } else {\n let tagEndExp = \"\" + val2 + tagEndExp;\n } else if (this.options.commentPropName !== false && key === this.options.commentPropName && piClosingChar.length === 0) {\n return this.indentate(level) + `` + this.newLine;\n } else {\n return this.indentate(level) + \"<\" + key + attrStr + piClosingChar + this.tagEndChar + val2 + this.indentate(level) + tagEndExp;\n }\n }\n};\nBuilder.prototype.closeTag = function(key) {\n let closeTag = \"\";\n if (this.options.unpairedTags.indexOf(key) !== -1) {\n if (!this.options.suppressUnpairedNode)\n closeTag = \"/\";\n } else if (this.options.suppressEmptyNode) {\n closeTag = \"/\";\n } else {\n closeTag = `>` + this.newLine;\n } else if (this.options.commentPropName !== false && key === this.options.commentPropName) {\n return this.indentate(level) + `` + this.newLine;\n } else if (key[0] === \"?\") {\n return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n } else {\n let textValue = this.options.tagValueProcessor(key, val2);\n textValue = this.replaceEntitiesValue(textValue);\n if (textValue === \"\") {\n return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n } else {\n return this.indentate(level) + \"<\" + key + attrStr + \">\" + textValue + \" 0 && this.options.processEntities) {\n for (let i = 0; i < this.options.entities.length; i++) {\n const entity = this.options.entities[i];\n textValue = textValue.replace(entity.regex, entity.val);\n }\n }\n return textValue;\n};\nfunction indentate(level) {\n return this.options.indentBy.repeat(level);\n}\nfunction isAttribute(name) {\n if (name.startsWith(this.options.attributeNamePrefix) && name !== this.options.textNodeName) {\n return name.substr(this.attrPrefixLen);\n } else {\n return false;\n }\n}\nvar json2xml = Builder;\nconst validator = validator$2;\nconst XMLParser2 = XMLParser_1;\nconst XMLBuilder = json2xml;\nvar fxp = {\n XMLParser: XMLParser2,\n XMLValidator: validator,\n XMLBuilder\n};\nfunction isSvg(string) {\n if (typeof string !== \"string\") {\n throw new TypeError(`Expected a \\`string\\`, got \\`${typeof string}\\``);\n }\n string = string.trim();\n if (string.length === 0) {\n return false;\n }\n if (fxp.XMLValidator.validate(string) !== true) {\n return false;\n }\n let jsonObject;\n const parser = new fxp.XMLParser();\n try {\n jsonObject = parser.parse(string);\n } catch {\n return false;\n }\n if (!jsonObject) {\n return false;\n }\n if (!Object.keys(jsonObject).some((x) => x.toLowerCase() === \"svg\")) {\n return false;\n }\n return true;\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass View {\n _view;\n constructor(view) {\n isValidView(view);\n this._view = view;\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(icon) {\n this._view.icon = icon;\n }\n get order() {\n return this._view.order;\n }\n set order(order) {\n this._view.order = order;\n }\n get params() {\n return this._view.params;\n }\n set params(params) {\n this._view.params = params;\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(expanded) {\n this._view.expanded = expanded;\n }\n get defaultSortKey() {\n return this._view.defaultSortKey;\n }\n}\nconst isValidView = function(view) {\n if (!view.id || typeof view.id !== \"string\") {\n throw new Error(\"View id is required and must be a string\");\n }\n if (!view.name || typeof view.name !== \"string\") {\n throw new Error(\"View name is required and must be a string\");\n }\n if (view.columns && view.columns.length > 0 && (!view.caption || typeof view.caption !== \"string\")) {\n throw new Error(\"View caption is required for top-level views and must be a string\");\n }\n if (!view.getContents || typeof view.getContents !== \"function\") {\n throw new Error(\"View getContents is required and must be a function\");\n }\n if (!view.icon || typeof view.icon !== \"string\" || !isSvg(view.icon)) {\n throw new Error(\"View icon is required and must be a valid svg string\");\n }\n if (!(\"order\" in view) || typeof view.order !== \"number\") {\n throw new Error(\"View order is required and must be a number\");\n }\n if (view.columns) {\n view.columns.forEach((column) => {\n if (!(column instanceof Column)) {\n throw new Error(\"View columns must be an array of Column. Invalid column found\");\n }\n });\n }\n if (view.emptyView && typeof view.emptyView !== \"function\") {\n throw new Error(\"View emptyView must be a function\");\n }\n if (view.parent && typeof view.parent !== \"string\") {\n throw new Error(\"View parent must be a string\");\n }\n if (\"sticky\" in view && typeof view.sticky !== \"boolean\") {\n throw new Error(\"View sticky must be a boolean\");\n }\n if (\"expanded\" in view && typeof view.expanded !== \"boolean\") {\n throw new Error(\"View expanded must be a boolean\");\n }\n if (view.defaultSortKey && typeof view.defaultSortKey !== \"string\") {\n throw new Error(\"View defaultSortKey must be a string\");\n }\n return true;\n};\n/**\n * @copyright 2019 Christoph Wurst \n *\n * @author Christoph Wurst \n * @author John Molakvoæ \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 .\n *\n */\nconst addNewFileMenuEntry = function(entry) {\n const newFileMenu = getNewFileMenu();\n return newFileMenu.registerEntry(entry);\n};\nconst removeNewFileMenuEntry = function(entry) {\n const newFileMenu = getNewFileMenu();\n return newFileMenu.unregisterEntry(entry);\n};\nconst getNewFileMenuEntries = function(context) {\n const newFileMenu = getNewFileMenu();\n return newFileMenu.getEntries(context).sort((a, b) => {\n if (a.order !== void 0 && b.order !== void 0 && a.order !== b.order) {\n return a.order - b.order;\n }\n return a.displayName.localeCompare(b.displayName, void 0, { numeric: true, sensitivity: \"base\" });\n });\n};\nexport {\n Column,\n DefaultType,\n File,\n FileAction,\n FileType,\n FilesSortingMode,\n Folder,\n Header,\n Navigation,\n NewMenuEntryCategory,\n Node,\n NodeStatus,\n Permission,\n View,\n addNewFileMenuEntry,\n davGetClient,\n davGetDefaultPropfind,\n davGetFavoritesReport,\n davGetRecentSearch,\n davParsePermissions,\n davRemoteURL,\n davResultToNode,\n davRootPath,\n defaultDavNamespaces,\n defaultDavProperties,\n formatFileSize,\n getDavNameSpaces,\n getDavProperties,\n getFavoriteNodes,\n getFileActions,\n getFileListHeaders,\n getNavigation,\n getNewFileMenuEntries,\n isFilenameValid,\n orderBy,\n parseFileSize,\n registerDavProperty,\n registerFileAction,\n registerFileListHeaders,\n removeNewFileMenuEntry,\n sortNodes\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 \n *\n * @author Christoph Wurst \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 .\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 \n *\n * @author Ferdinand Thiessen \n * @author John Molakvoæ \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 .\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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Ali , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: enolp , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: Rashad Aliyev , 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 , 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 , 2022\nToni Hermoso Pulido , 2022\n` }, msgstr: [`Last-Translator: Toni Hermoso Pulido , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Pavel Borecki , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Michal Šmahel , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Martin Bonde , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann , 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 , 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æ , 2023\nAndi Chandler , 2023\n` }, msgstr: [`Last-Translator: Andi Chandler , 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æ , 2023\nFranciscoFJ , 2023\nNext Cloud , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Unai Tolosa Pontesta , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Jiri Grönroos , 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 , 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æ , 2023\nNacho , 2023\nMiguel Anxo Bouzada , 2023\n` }, msgstr: [`Last-Translator: Miguel Anxo Bouzada , 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ó , 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 , 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æ , 2023\nEmpty Slot Filler, 2023\nLinerly , 2023\n` }, msgstr: [`Last-Translator: Linerly , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: Sveinn í Felli , 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æ , 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æ , 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\": \"Сашко Тодоров , 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Сашко Тодоров , 2022\n` }, msgstr: [`Last-Translator: Сашко Тодоров , 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æ , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: Rico , 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æ , 2023\nM H , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Leonardo Colman Lopes , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Manuela Silva , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Mădălin Vasiliu , 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æ , 2023\nMax Smith , 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æ , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Phongpanot Phairat , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Kaya Zeren , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: O St , 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æ , 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æ , 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æ , 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\": \"黃柏諺 , 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黃柏諺 , 2024\n` }, msgstr: [`Last-Translator: 黃柏諺 , 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=\" + {\"1110\":\"2909496e7e35d6258214\",\"5929\":\"2e5e3b59f8a28f14168b\",\"6075\":\"f8e1d39004c19c13e598\",\"8902\":\"bb2f9be8a039f8db7e58\"}[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 = 1171;","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\t1171: 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__(40586)))\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","getLoggerBuilder","setApp","detectUser","build","canUnshareOnly","nodes","every","node","attributes","canDisconnectOnly","queue","PQueue","concurrency","action","FileAction","id","displayName","view","t","hasSharedItems","some","hasDeleteItems","isMixedUnshareAndDelete","type","FileType","File","isAllFiles","Folder","isAllFolders","iconSvgInline","enabled","map","permissions","permission","Permission","DELETE","exec","dir","axios","delete","encodedSource","error","logger","source","execBatch","promises","Promise","resolve","add","async","result","all","order","triggerDownload","url","hiddenElement","document","createElement","download","href","click","downloadNodes","secret","Math","random","toString","substring","generateUrl","files","JSON","stringify","basename","isDownloadable","READ","_node$attributes$shar","_shareAttributes$find","shareAttributes","parse","downloadAttribute","find","attribute","scope","key","_node$root","root","startsWith","fill","UPDATE","path","link","generateOcsUrl","_getCurrentUser","post","uid","getCurrentUser","window","location","host","encodePath","data","ocs","token","showError","openLocalClient","shouldFavorite","favorite","favoriteNode","willFavorite","tags","OC","TAG_FAVORITE","dirname","Vue","StarSvg","_node$root$startsWith","NONE","options","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","MoveCopyAction","canMove","reduce","min","ALL","canCopy","_node$attributes","canDownload","rootPath","defaultRootUrl","generateRemoteUrl","getClient","rootUrl","client","createClient","setHeaders","requesttoken","onRequestTokenUpdate","getRequestToken","getPatcher","patch","headers","method","fetch","hashCode","str","split","a","b","charCodeAt","resultToNode","userId","Error","props","davParsePermissions","owner","String","filename","nodeData","fileid","mtime","Date","lastmod","mime","size","hasPreview","failed","getContents","controller","AbortController","propfindPayload","davGetDefaultPropfind","CancelablePromise","reject","onCancel","abort","contentsResponse","getDirectoryContents","details","includeSelf","signal","contents","folder","filter","Boolean","getActionForNodes","MOVE_OR_COPY","MOVE","COPY","handleCopyMoveNodeTo","destination","overwrite","NodeStatus","LOADING","copySuffix","index","davGetClient","currentPath","join","davRootPath","destinationPath","target","otherNodes","getUniqueName","n","suffix","ignoreFileExtension","copyFile","stat","davResultToNode","hasConflict","selected","renamed","openConflictPicker","deleteFile","moveFile","AxiosError","_error$response","_error$response2","_error$response3","response","status","message","debug","openFilePickerForAction","fileIDs","filePicker","getFilePickerBuilder","allowDirectories","setFilter","CREATE","includes","setMimeTypeFilter","setMultiSelect","startAt","setButtonFactory","_selection","buttons","dirnames","paths","label","escape","sanitize","icon","CopyIconSvg","callback","FolderMoveSvg","pick","catch","FilePickerClosed","e","FolderSvg","isDavRessource","OCP","Files","Router","goToRoute","default","DefaultType","HIDDEN","openfile","InformationSvg","_window","_ref","_nodes$0$root","OCA","Sidebar","open","query","defineComponent","components","NcButton","NcDialog","NcTextField","defaultName","otherNames","emits","close","localDefaultName","computed","errorMessage","isUniqueName","uniqueName","watch","$nextTick","focusInput","mounted","methods","_this$$refs$input","_this$$refs$input$foc","$refs","input","focus","onCreate","$emit","onClose","state","_vm","_c","_self","_setupProxy","attrs","scopedSlots","_u","_v","_s","proxy","$event","preventDefault","ref","newNodeName","folderContent","labels","contentNames","spawnDialog","NewNodeDialog","folderName","entry","handler","content","_getCurrentUser2","_context$attributes","_context$attributes2","_context$attributes3","encodeURIComponent","Overwrite","parseInt","createNewFolder","showSuccess","templatesPath","loadState","directory","templatePath","copySystemTemplates","info","templates_path","initTemplatesFolder","removeNewFileMenuEntry","TemplatePickerVue","defineAsyncComponent","TemplatePicker","getTemplatePicker","mountingPoint","body","appendChild","render","h","parent","picker","el","_rootResponse","reportPayload","davGetFavoritesReport","rootResponse","generateFavoriteFolderView","View","generateIdFromPath","params","columns","activePinia","setActivePinia","pinia","piniaSymbol","Symbol","isPlainObject","o","toJSON","MutationType","IS_CLIENT","USE_DEVTOOLS","__VUE_PROD_DEVTOOLS__","_global","self","global","globalThis","HTMLElement","opts","xhr","XMLHttpRequest","responseType","onload","saveAs","onerror","console","send","corsEnabled","dispatchEvent","MouseEvent","createEvent","initMouseEvent","_navigator","navigator","userAgent","isMacOSWebView","test","HTMLAnchorElement","blob","rel","origin","URL","createObjectURL","setTimeout","revokeObjectURL","msSaveOrOpenBlob","autoBom","Blob","fromCharCode","bom","popup","title","innerText","force","isSafari","isChromeIOS","FileReader","reader","onloadend","replace","assign","readAsDataURL","toastMessage","piniaMessage","__VUE_DEVTOOLS_TOAST__","warn","log","isPinia","checkClipboardAccess","checkNotFocusedError","toLowerCase","fileInput","loadStoresState","storeState","value","formatDisplay","display","_custom","PINIA_ROOT_LABEL","PINIA_ROOT_ID","formatStoreForInspectorTree","store","$id","formatEventData","isArray","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","treeFilterPlaceholder","actions","clipboard","writeText","actionGlobalCopyState","tooltip","readText","actionGlobalPasteState","sendInspectorTree","sendInspectorState","actionGlobalSaveState","accept","onchange","file","item","text","oncancel","actionGlobalOpenStateFile","nodeActions","nodeId","get","$reset","inspectComponent","payload","ctx","componentInstance","_pStores","piniaStores","values","forEach","instanceData","editable","_isOptionsAPI","$state","_getters","getters","getInspectorTree","inspectorId","stores","from","rootNodes","getInspectorState","inspectedStore","storeNames","storeMap","storeId","getterName","_customProperties","customProperties","formatStoreForInspectorState","editInspectorState","unshift","set","editComponentState","activeAction","runningActionId","patchActionForGrouping","actionNames","wrapWithProxy","storeActions","actionName","_actionId","trackedStore","Proxy","Reflect","retValue","devtoolsPlugin","originalHotUpdate","_hotUpdate","newStore","_hmrPayload","settings","logStoreChanges","defaultValue","bind","$onAction","after","onError","groupId","addTimelineEvent","layerId","time","subtitle","logType","notifyComponentUpdate","deep","$subscribe","eventData","detached","flush","hotUpdate","$dispose","getSettings","addStoreToDevtools","noop","addSubscription","subscriptions","onCleanup","removeSubscription","idx","indexOf","splice","triggerSubscriptions","fallbackRunWithContext","mergeReactiveObjects","patchToApply","Map","Set","subPatch","targetValue","skipHydrateSymbol","skipHydrateMap","WeakMap","createSetupStore","setup","hot","isOptionsStore","optionsForPlugin","$subscribeOptions","isListening","isSyncListening","debuggerEvents","actionSubscriptions","initialState","hotState","activeListener","$patch","partialStateOrMutator","subscriptionMutation","myListenerId","then","newState","wrapAction","afterCallbackList","onErrorCallbackList","ret","partialStore","_p","stopWatcher","run","stop","_r","setupStore","_a","runWithContext","_e","prop","effect","obj","actionValue","defineProperty","nonEnumerable","writable","configurable","enumerable","p","extender","extensions","hydrate","userConfig","show_hidden","crop_image_previews","sort_favorites_first","sort_folders_first","grid_view","toBeInstalled","install","provide","config","globalProperties","$pinia","plugin","use","createPinia","lastTwoWeeksTimestamp","round","registerFileAction","deleteAction","downloadAction","editLocallyAction","favoriteAction","moveOrCopyAction","openFolderAction","openInFilesAction","renameAction","sidebarAction","viewInFolderAction","addNewFileMenuEntry","newFolderEntry","newTemplatesFolder","provider","iconClass","templatePicker","extension","favoriteFolders","favoriteFoldersViews","Navigation","getNavigation","register","caption","emptyTitle","emptyCaption","subscribe","addToFavorites","_node$root2","removePathFromFavorites","updateAndSortViews","sort","localeCompare","getLanguage","ignorePunctuation","newFavoriteFolder","findIndex","remove","registerFavoritesView","defaultSortKey","userConfigStore","idOrOptions","setupOptions","isSetupStore","useStore","hasContext","localState","computedGetters","createOptionsStore","defineStore","onUpdate","update","put","_initialized","useUserConfigStore","davGetRecentSearch","davRemoteURL","r","addEventListener","noRewrite","registration","serviceWorker","registerDavProperty","nc","newName","ext","extname","base","encodeFilePath","pathSections","relativePath","section","___CSS_LOADER_URL_IMPORT_0___","___CSS_LOADER_URL_IMPORT_1___","___CSS_LOADER_EXPORT___","___CSS_LOADER_URL_REPLACEMENT_0___","___CSS_LOADER_URL_REPLACEMENT_1___","def","x","d","RC","max","autostart","ignoreSameProgress","rate","lastTimestamp","lastProgress","historyTimeConstant","previousOutput","dt","start","report","progress","timestamp","deltaTimestamp","currentRate","reset","estimate","Infinity","estimatedTime","user","setUid","NewFileMenu","_entries","registerEntry","validateEntry","category","unregisterEntry","entryIndex","getEntryIndex","entries","getEntries","getNewFileMenu","_nc_newfilemenu","DefaultType2","_action","constructor","validateAction","inline","renderInline","_nc_fileactions","search","Permission2","defaultDavProperties","defaultDavNamespaces","oc","namespace","_nc_dav_properties","_nc_dav_namespaces","namespaces","getDavProperties","getDavNameSpaces","ns","lastModified","permString","SHARE","FileType2","davService","match","validateData","crtime","service","NodeStatus2","Node","_data","_attributes","_knownDavService","readonlyAttributes","getOwnPropertyDescriptors","updateMtime","deleteProperty","receiver","pop","firstMatch","pathname","move","rename","basename2","super","remoteURL","headers2","getFavoriteNodes","davClient","davRoot","filesRoot","isPublic","querySelector","Number","getcontentlength","_oc_config","blacklist_files_regex","RegExp","humanList","humanListBinary","formatFileSize","skipSmallSizes","binaryPrefixes","base1000","floor","readableFormat","relativeSize","pow","toFixed","parseFloat","toLocaleString","_views","_currentView","views","setActive","active","_nc_navigation","Column","_column","column","isValidColumn","summary","validator$2","util$3","nameStartChar","nameRegexp","regexName","isExist","v","isEmptyObject","merge","arrayMode","getValue","isName","string","getAllMatches","regex","matches","allmatches","startIndex","lastIndex","util$2","defaultOptions$2","allowBooleanAttributes","unpairedTags","isWhiteSpace","char","readPI","xmlData","tagname","substr","getErrorObject","getLineNumberForPosition","readCommentAndCDATA","angleBracketsCount","validate","tagFound","reachedRoot","err","tagStartPos","closingTag","tagName","trim","msg","readAttributeStr","attrStr","attrStrStart","isValid","validateAttributeString","code","line","tagClosed","otg","openPos","col","afterAmp","validateAmpersand","doubleQuote","singleQuote","startChar","validAttrStrRegxp","attrNames","getPositionFromMatch","attrName","validateAttrName","re","validateNumberAmpersand","count","lineNumber","lines","OptionsBuilder","defaultOptions$1","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","val2","attributeValueProcessor","stopNodes","alwaysCreateTextNode","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","jPath","buildOptions","defaultOptions","util$1","readEntityExp","entityName2","isComment","isEntity","isElement","isAttlist","isNotation","validateEntityName","hexRegex","numRegex","consider","decimalPoint","util","xmlNode","child","addChild","readDocType","entities","hasBody","comment","exp","entityName","val","regx","toNumber","trimmedStr","skipLike","sign","numTrimmedByZeros","numStr","num","addExternalEntities","externalEntities","entKeys","ent","lastEntities","parseTextData","dontTrim","hasAttributes","isLeafNode","escapeEntities","replaceEntitiesValue","newval","parseValue","resolveNameSpace","charAt","attrsRegx","buildAttributesMap","oldVal","aName","newVal","attrCollection","parseXml","xmlObj","currentNode","textData","closeIndex","findClosingIndex","colonIndex","saveTextToParentTag","lastTagName","lastIndexOf","propIndex","tagsNodeStack","tagData","readTagExp","childNode","tagExp","attrExpPresent","endIndex","docTypeEntities","rawTagName","lastTag","isItStopNode","tagContent","result2","readStopNodeData","replaceEntitiesValue$1","entity","ampEntity","currentTagName","allNodesExp","stopNodePath","stopNodeExp","errMsg","closingIndex","closingChar","attrBoundary","ch","tagExpWithClosingIndex","separatorIndex","trimStart","openTagCount","shouldParse","node2json","compress","arr","compressedObj","tagObj","property","propName$1","newJpath","isLeaf","isLeafTag","assignAttributes","attrMap","jpath","atrrName","propCount","prettify","OrderedObjParser2","_","validator$1","arrToStr","indentation","xmlStr","isPreviousElementTag","propName","newJPath","tagText","isStopNode","attStr2","attr_to_str","tempInd","piTextNodeName","newIdentation","indentBy","tagStart","tagValue","suppressUnpairedNode","suppressEmptyNode","endsWith","attr","attrVal","suppressBooleanAttributes","textValue","buildFromOrderedJs","jArray","format","oneListGroup","Builder","isAttribute","attrPrefixLen","processTextOrObjNode","indentate","tagEndChar","newLine","object","level","j2x","buildTextValNode","buildObjectNode","repeat","jObj","arrayNodeName","buildAttrPairStr","arrLen","listTagVal","Ks","L","closeTag","tagEndExp","piClosingChar","fxp","XMLParser","validationOption","orderedObjParser","orderedResult","addEntity","XMLValidator","XMLBuilder","_view","isValidView","emptyView","sticky","expanded","jsonObject","parser","isSvg","getNewFileMenuEntries","numeric","sensitivity","CancelError","reason","isCanceled","promiseState","freeze","pending","canceled","resolved","rejected","PCancelable","userFunction","arguments_","executor","description","defineProperties","shouldReject","boolean","onFulfilled","onRejected","onFinally","finally","cancel","setPrototypeOf","TimeoutError","AbortError","getDOMException","DOMException","getAbortedReason","PriorityQueue","enqueue","element","priority","array","comparator","first","step","trunc","it","lowerBound","dequeue","shift","timeout","carryoverConcurrencyCount","intervalCap","POSITIVE_INFINITY","interval","autoStart","queueClass","isFinite","throwOnTimeout","delay","clearInterval","canInitializeInterval","job","setInterval","newConcurrency","_resolve","function_","throwIfAborted","promise","milliseconds","fallback","customTimers","clearTimeout","timer","cancelablePromise","aborted","timeoutError","clear","pTimeout","race","addAll","functions","pause","onEmpty","onSizeLessThan","limit","onIdle","sizeBy","isPaused","A","s","Destination","request","onUploadProgress","B","appConfig","max_chunk_size","ceil","c","INITIALIZED","UPLOADING","ASSEMBLING","FINISHED","CANCELLED","FAILED","_source","_file","_isChunked","_chunks","_size","_uploaded","_startTime","_status","_controller","_response","isChunked","chunks","startTime","uploaded","getTime","g","I","IDLE","PAUSED","N","_destinationFolder","_isPublic","_uploadQueue","_jobQueue","_queueSize","_queueProgress","_queueStatus","_notifiers","maxChunksSize","updateStats","addNotifier","upload","f","T","U","m","bytes","ts","w","D","W","O","y","staticRenderFns","_compiled","functional","_scopeId","$vnode","ssrContext","__VUE_SSR_CONTEXT__","_registeredComponents","_ssrRegister","$root","$options","shadowRoot","_injectStyles","S","beforeCreate","ms","fillColor","_b","staticClass","role","$attrs","width","height","viewBox","fs","xs","R","detectLocale","locale","json","charset","Language","translations","msgid","comments","translator","msgstr","Add","paused","msgid_plural","extracted","Cancel","Continue","New","addTranslation","C","Gs","ngettext","u","gettext","Ls","extend","NcActionButton","NcActions","NcIconSvgWrapper","NcProgressBar","Plus","Upload","disabled","multiple","forbiddenCharacters","addLabel","cancelLabel","uploadLabel","progressLabel","progressTimeId","eta","timeLeft","newFileMenuEntries","uploadManager","M","totalQueueSize","uploadedQueueSize","hasFailure","isUploading","isAssembling","buttonName","setDestination","updateStatus","beforeMount","onUploadCompletion","onClick","onPick","Us","ys","form","setSeconds","toISOString","seconds","class","decorative","_l","svg","directives","rawName","expression","change","k","conflicts","submit","$destroy","$el","parentNode","removeChild","$mount","baseURL","modRewriteWorking","protocol","_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","__esModule","definition","chunkId","Function","done","script","needAttach","scripts","getElementsByTagName","getAttribute","setAttribute","src","onScriptComplete","prev","doneFns","head","toStringTag","nmd","children","scriptUrl","importScripts","currentScript","baseURI","installedChunks","installedChunkData","errorType","realSrc","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""} \ No newline at end of file +{"version":3,"file":"files-init.js?v=25ffec0e3c9ce263d19a","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,iDCvTnB,SAAesC,WAAAA,MACbC,OAAO,SACPC,aACAC,4GCIF,MAAMC,EAAkBC,GACbA,EAAMC,OAAMC,IAA6C,IAArCA,EAAKC,WAAW,kBACF,WAAlCD,EAAKC,WAAW,gBAErBC,EAAqBJ,GAChBA,EAAMC,OAAMC,IAA6C,IAArCA,EAAKC,WAAW,kBACF,aAAlCD,EAAKC,WAAW,gBAgBrBE,EAAQ,IAAIC,EAAAA,EAAO,CAAEC,YAAa,IAC3BC,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,SACJC,YAAWA,CAACX,EAAOY,IAIC,aAAZA,EAAKF,IACEG,EAAAA,EAAAA,IAAE,QAAS,sBAtBGb,KAC7B,GAAqB,IAAjBA,EAAM5B,OACN,OAAO,EAEX,MAAM0C,EAAiBd,EAAMe,MAAKb,GAAQH,EAAe,CAACG,MACpDc,EAAiBhB,EAAMe,MAAKb,IAASH,EAAe,CAACG,MAC3D,OAAOY,GAAkBE,CAAc,EAqB/BC,CAAwBjB,IACjBa,EAAAA,EAAAA,IAAE,QAAS,sBAMlBd,EAAeC,GACM,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,qBAEfA,EAAAA,EAAAA,IAAE,QAAS,sBAMlBT,EAAkBJ,GACG,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,uBAEfA,EAAAA,EAAAA,IAAE,QAAS,uBAxCVb,KACRA,EAAMe,MAAKb,GAAQA,EAAKgB,OAASC,EAAAA,GAASC,OA4C1CC,CAAWrB,GACU,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,gBAEfA,EAAAA,EAAAA,IAAE,QAAS,gBA9CRb,KACVA,EAAMe,MAAKb,GAAQA,EAAKgB,OAASC,EAAAA,GAASG,SAkD1CC,CAAavB,GACQ,IAAjBA,EAAM5B,QACCyC,EAAAA,EAAAA,IAAE,QAAS,kBAEfA,EAAAA,EAAAA,IAAE,QAAS,mBAEfA,EAAAA,EAAAA,IAAE,QAAS,UAEtBW,cAAgBxB,GACRD,EAAeC,iNAGfI,EAAkBJ,0lBAK1ByB,QAAQzB,GACGA,EAAM5B,OAAS,GAAK4B,EACtB0B,KAAIxB,GAAQA,EAAKyB,cACjB1B,OAAM2B,MAAeA,EAAaC,EAAAA,GAAWC,UAEtD,UAAMC,CAAK7B,EAAMU,EAAMoB,GACnB,IAMI,aALMC,EAAAA,EAAMC,OAAOhC,EAAKiC,gBAIxB3D,EAAAA,EAAAA,IAAK,qBAAsB0B,IACpB,CACX,CACA,MAAOkC,GAEH,OADAC,EAAAA,EAAOD,MAAM,8BAA+B,CAAEA,QAAOE,OAAQpC,EAAKoC,OAAQpC,UACnE,CACX,CACJ,EACA,eAAMqC,CAAUvC,EAAOY,EAAMoB,GAEzB,MAAMQ,EAAWxC,EAAM0B,KAAIxB,GAEP,IAAIuC,SAAQC,IACxBrC,EAAMsC,KAAIC,UACN,MAAMC,QAAenG,KAAKqF,KAAK7B,EAAMU,EAAMoB,GAC3CU,EAAmB,OAAXG,GAAkBA,EAAe,GAC3C,MAIV,OAAOJ,QAAQK,IAAIN,EACvB,EACAO,MAAO,2BC7HLC,EAAkB,SAAUC,GAC9B,MAAMC,EAAgBC,SAASC,cAAc,KAC7CF,EAAcG,SAAW,GACzBH,EAAcI,KAAOL,EACrBC,EAAcK,OAClB,EACMC,EAAgB,SAAUxB,EAAKhC,GACjC,MAAMyD,EAASC,KAAKC,SAASC,SAAS,IAAIC,UAAU,GAC9CZ,GAAMa,EAAAA,EAAAA,IAAY,qFAAsF,CAC1G9B,MACAyB,SACAM,MAAOC,KAAKC,UAAUjE,EAAM0B,KAAIxB,GAAQA,EAAKgE,cAEjDlB,EAAgBC,EACpB,EACMkB,EAAiB,SAAUjE,GAC7B,KAAKA,EAAKyB,YAAcE,EAAAA,GAAWuC,MAC/B,OAAO,EAGX,GAAsC,WAAlClE,EAAKC,WAAW,cAA4B,KAAAkE,EAAAC,EAC5C,MAAMC,EAAkBP,KAAKQ,MAAyC,QAApCH,EAACnE,EAAKC,WAAW,2BAAmB,IAAAkE,EAAAA,EAAI,QACpEI,EAAoBF,SAAqB,QAAND,EAAfC,EAAiBG,YAAI,IAAAJ,OAAA,EAArBA,EAAA1G,KAAA2G,GAAyBI,GAAkC,gBAApBA,EAAUC,OAA6C,aAAlBD,EAAUE,MAChH,QAA0B3F,IAAtBuF,IAAiE,IAA9BA,EAAkBhD,QACrD,OAAO,CAEf,CACA,OAAO,CACX,EACajB,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,WACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,YAC9BW,cAAeA,iLACfC,QAAQzB,GACiB,IAAjBA,EAAM5B,UAMN4B,EAAMe,MAAKb,GAAQA,EAAKgB,OAASC,EAAAA,GAASG,WACvCtB,EAAMe,MAAKb,IAAI,IAAA4E,EAAA,QAAc,QAAVA,EAAC5E,EAAK6E,YAAI,IAAAD,GAATA,EAAWE,WAAW,UAAU,MAGpDhF,EAAMC,MAAMkE,GAEvBvB,KAAUb,MAAC7B,EAAMU,EAAMoB,IACf9B,EAAKgB,OAASC,EAAAA,GAASG,QACvBkC,EAAcxB,EAAK,CAAC9B,IACb,OAEX8C,EAAgB9C,EAAKiC,eACd,MAEX,eAAMI,CAAUvC,EAAOY,EAAMoB,GACzB,OAAqB,IAAjBhC,EAAM5B,QACN1B,KAAKqF,KAAK/B,EAAM,GAAIY,EAAMoB,GACnB,CAAC,QAEZwB,EAAcxB,EAAKhC,GACZ,IAAI1B,MAAM0B,EAAM5B,QAAQ6G,KAAK,MACxC,EACAlC,MAAO,gDC7CEvC,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,eACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,gBAC9BW,cAAeA,mNAEfC,QAAQzB,GAEiB,IAAjBA,EAAM5B,WAGF4B,EAAM,GAAG2B,YAAcE,EAAAA,GAAWqD,QAE9CtC,KAAUb,MAAC7B,IAzBS0C,eAAgBuC,GACpC,MAAMC,GAAOC,EAAAA,EAAAA,IAAe,qBAAuB,+BACnD,IAAI,IAAAC,EACA,MAAMzC,QAAeZ,EAAAA,EAAMsD,KAAKH,EAAM,CAAED,SAClCK,EAAsB,QAAnBF,GAAGG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,IAC9B,IAAIvC,EAAM,aAAAlF,OAAayH,EAAG,KAAME,OAAOC,SAASC,MAAOC,EAAAA,EAAAA,IAAWV,GAClElC,GAAO,UAAYJ,EAAOiD,KAAKC,IAAID,KAAKE,MACxCN,OAAOC,SAASrC,KAAOL,CAC3B,CACA,MAAOb,IACH6D,EAAAA,EAAAA,KAAUpF,EAAAA,EAAAA,IAAE,QAAS,gCACzB,CACJ,CAcQqF,CAAgBhG,EAAKiF,MACd,MAEXpC,MAAO,gOC1BLoD,EAAkBnG,GACbA,EAAMe,MAAKb,GAAqC,IAA7BA,EAAKC,WAAWiG,WAEjCC,EAAezD,MAAO1C,EAAMU,EAAM0F,KAC3C,IAEI,MAAMrD,GAAMa,EAAAA,EAAAA,IAAY,6BAA8B+B,EAAAA,EAAAA,IAAW3F,EAAKiF,MAqBtE,aApBMlD,EAAAA,EAAMsD,KAAKtC,EAAK,CAClBsD,KAAMD,EACA,CAACZ,OAAOc,GAAGC,cACX,KAKM,cAAZ7F,EAAKF,IAAuB4F,GAAiC,MAAjBpG,EAAKwG,UACjDlI,EAAAA,EAAAA,IAAK,qBAAsB0B,GAG/ByG,EAAAA,GAAAA,IAAQzG,EAAKC,WAAY,WAAYmG,EAAe,EAAI,GAEpDA,GACA9H,EAAAA,EAAAA,IAAK,wBAAyB0B,IAG9B1B,EAAAA,EAAAA,IAAK,0BAA2B0B,IAE7B,CACX,CACA,MAAOkC,GACH,MAAM5B,EAAS8F,EAAe,8BAAgC,kCAE9D,OADAjE,EAAAA,EAAOD,MAAM,eAAiB5B,EAAQ,CAAE4B,QAAOE,OAAQpC,EAAKoC,OAAQpC,UAC7D,CACX,GAESM,EAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,WACJC,YAAYX,GACDmG,EAAenG,IAChBa,EAAAA,EAAAA,IAAE,QAAS,qBACXA,EAAAA,EAAAA,IAAE,QAAS,yBAErBW,cAAgBxB,GACLmG,EAAenG,0TAEhB4G,EAEVnF,QAAQzB,IAEIA,EAAMe,MAAKb,IAAI,IAAA4E,EAAA+B,EAAA,QAAc,QAAV/B,EAAC5E,EAAK6E,YAAI,IAAAD,GAAY,QAAZ+B,EAAT/B,EAAWE,kBAAU,IAAA6B,GAArBA,EAAAjJ,KAAAkH,EAAwB,UAAU,KACvD9E,EAAMC,OAAMC,GAAQA,EAAKyB,cAAgBE,EAAAA,GAAWiF,OAE/D,UAAM/E,CAAK7B,EAAMU,GACb,MAAM0F,EAAeH,EAAe,CAACjG,IACrC,aAAamG,EAAanG,EAAMU,EAAM0F,EAC1C,EACA,eAAM/D,CAAUvC,EAAOY,GACnB,MAAM0F,EAAeH,EAAenG,GACpC,OAAOyC,QAAQK,IAAI9C,EAAM0B,KAAIkB,eAAsByD,EAAanG,EAAMU,EAAM0F,KAChF,EACAvD,OAAQ,4ICjFRgE,EAAU,CAAC,EAEfA,EAAQC,kBAAoB,IAC5BD,EAAQE,cAAgB,IAElBF,EAAQG,OAAS,SAAc,KAAM,QAE3CH,EAAQI,OAAS,IACjBJ,EAAQK,mBAAqB,IAEhB,IAAI,IAASL,GAKJ,KAAW,IAAQM,QAAS,IAAQA,kECD1D,IAAIhH,EAUG,IAAIiH,GACX,SAAWA,GACPA,EAAqB,KAAI,OACzBA,EAAqB,KAAI,OACzBA,EAA6B,aAAI,cACpC,CAJD,CAIGA,IAAmBA,EAAiB,CAAC,IACjC,MAAMC,EAAWvH,MACEA,EAAMwH,QAAO,CAACC,EAAKvH,IAASwD,KAAK+D,IAAIA,EAAKvH,EAAKyB,cAAcE,EAAAA,GAAW6F,KACtE7F,EAAAA,GAAWqD,QAQ1ByC,EAAW3H,GANIA,IACjBA,EAAMC,OAAMC,IAAQ,IAAAmE,EAAAuD,EAEvB,OADwB5D,KAAKQ,MAA2C,QAAtCH,EAAgB,QAAhBuD,EAAC1H,EAAKC,kBAAU,IAAAyH,OAAA,EAAfA,EAAkB,2BAAmB,IAAAvD,EAAAA,EAAI,MACpDtD,MAAK4D,GAAiC,gBAApBA,EAAUC,QAAiD,IAAtBD,EAAUlD,SAAuC,aAAlBkD,EAAUE,KAAmB,IAMxIgD,CAAY7H,KACXA,EAAMe,MAAKb,GAAQA,EAAKyB,cAAgBE,EAAAA,GAAWiF,mCC/BxD,MAAMgB,EAAW,UAAH/J,OAA6B,QAA7BuH,GAAaG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,KACvCuC,IAAiBC,EAAAA,EAAAA,IAAkB,MAAQF,GAC3CG,GAAY,WAA8B,IAA7BC,EAAOlJ,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG+I,GAChC,MAAMI,GAASC,EAAAA,EAAAA,IAAaF,GAEtBG,EAAcrC,IAChBmC,SAAAA,EAAQE,WAAW,CAEf,mBAAoB,iBAEpBC,aAActC,QAAAA,EAAS,IACzB,EAsBN,OAnBAuC,EAAAA,EAAAA,IAAqBF,GACrBA,GAAWG,EAAAA,EAAAA,QAMKC,EAAAA,EAAAA,MAIRC,MAAM,SAAS,CAACzF,EAAK8D,KACzB,MAAM4B,EAAU5B,EAAQ4B,QAKxB,OAJIA,SAAAA,EAASC,SACT7B,EAAQ6B,OAASD,EAAQC,cAClBD,EAAQC,QAEZC,MAAM5F,EAAK8D,EAAQ,IAEvBoB,CACX,ECrCaW,GAAW,SAAUC,GAC9B,IAAIC,EAAO,EACX,IAAK,IAAI9K,EAAI,EAAGA,EAAI6K,EAAI3K,OAAQF,IAC5B8K,GAASA,GAAQ,GAAKA,EAAOD,EAAIE,WAAW/K,GAAM,EAEtD,OAAQ8K,IAAS,CACrB,ECpBMb,GAASF,KACFiB,GAAe,SAAUhJ,GAAM,IAAAoF,EACxC,MAAM6D,EAAyB,QAAnB7D,GAAGG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,IACjC,IAAK2D,EACD,MAAM,IAAIC,MAAM,oBAEpB,MAAMC,EAAQnJ,EAAKmJ,MACb1H,GAAc2H,EAAAA,EAAAA,IAAoBD,aAAK,EAALA,EAAO1H,aACzC4H,EAAQC,OAAOH,EAAM,aAAeF,GACpC7G,GAAS0F,EAAAA,EAAAA,IAAkB,MAAQF,EAAW5H,EAAKuJ,UAInDC,EAAW,CACbhJ,IAJO2I,aAAK,EAALA,EAAOM,QAAS,EACrBb,GAASxG,IACT+G,aAAK,EAALA,EAAOM,SAAU,EAGnBrH,SACAsH,MAAO,IAAIC,KAAK3J,EAAK4J,SACrBC,KAAM7J,EAAK6J,MAAQ,2BACnBC,MAAMX,aAAK,EAALA,EAAOW,OAAQ,EACrBrI,cACA4H,QACAxE,KAAM+C,EACN3H,WAAY,IACLD,KACAmJ,EACH,WAAYE,EACZ,qBAAsBC,OAAOH,EAAM,uBACnCY,aAAcZ,UAAAA,EAAQ,gBACtBa,QAAQb,aAAK,EAALA,EAAOM,QAAS,IAIhC,cADOD,EAASvJ,WAAWkJ,MACN,SAAdnJ,EAAKgB,KACN,IAAIE,EAAAA,GAAKsI,GACT,IAAIpI,EAAAA,GAAOoI,EACrB,EACaS,GAAc,WAAgB,IAAfhF,EAAInG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAC/B,MAAMoL,EAAa,IAAIC,gBACjBC,GAAkBC,EAAAA,EAAAA,MACxB,OAAO,IAAIC,EAAAA,mBAAkB5H,MAAOF,EAAS+H,EAAQC,KACjDA,GAAS,IAAMN,EAAWO,UAC1B,IACI,MAAMC,QAAyBzC,GAAO0C,qBAAqB1F,EAAM,CAC7D2F,SAAS,EACThF,KAAMwE,EACNS,aAAa,EACbC,OAAQZ,EAAWY,SAEjBjG,EAAO6F,EAAiB9E,KAAK,GAC7BmF,EAAWL,EAAiB9E,KAAKjI,MAAM,GAC7C,GAAIkH,EAAK0E,WAAatE,EAClB,MAAM,IAAIiE,MAAM,2CAEpB1G,EAAQ,CACJwI,OAAQhC,GAAanE,GACrBkG,SAAUA,EAASvJ,KAAImB,IACnB,IACI,OAAOqG,GAAarG,EACxB,CACA,MAAOT,GAEH,OADAC,EAAAA,EAAOD,MAAM,0BAADrE,OAA2B8E,EAAOqB,SAAQ,KAAK,CAAE9B,UACtD,IACX,KACD+I,OAAOC,UAElB,CACA,MAAOhJ,GACHqI,EAAOrI,EACX,IAER,kBCnCA,MAAMiJ,GAAqBrL,GACnBuH,EAAQvH,GACJ2H,EAAQ3H,GACDsH,EAAegE,aAEnBhE,EAAeiE,KAGnBjE,EAAekE,KAWbC,GAAuB7I,eAAO1C,EAAMwL,EAAa9C,GAA8B,IAAtB+C,EAAS3M,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC3E,IAAK0M,EACD,OAEJ,GAAIA,EAAYxK,OAASC,EAAAA,GAASG,OAC9B,MAAM,IAAI8H,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,gCAG/B,GAAI+H,IAAWtB,EAAeiE,MAAQrL,EAAKwG,UAAYgF,EAAYvG,KAC/D,MAAM,IAAIiE,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,kDAa/B,GAAI,GAAA9C,OAAG2N,EAAYvG,KAAI,KAAIH,WAAW,GAADjH,OAAImC,EAAKiF,KAAI,MAC9C,MAAM,IAAIiE,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,4EAG/B8F,EAAAA,GAAAA,IAAQzG,EAAM,SAAU0L,EAAAA,GAAWC,SACnC,MAAMxL,GJ1DDA,IACDA,EAAQ,IAAIC,EAAAA,EAAO,CAAEC,YAAa,KAE/BF,GIwDP,aAAaA,EAAMsC,KAAIC,UACnB,MAAMkJ,EAAcC,GACF,IAAVA,GACOlL,EAAAA,EAAAA,IAAE,QAAS,WAEfA,EAAAA,EAAAA,IAAE,QAAS,iBAAa3B,EAAW6M,GAE9C,IACI,MAAM5D,GAAS6D,EAAAA,EAAAA,MACTC,GAAcC,EAAAA,EAAAA,MAAKC,EAAAA,GAAajM,EAAKiF,MACrCiH,GAAkBF,EAAAA,EAAAA,MAAKC,EAAAA,GAAaT,EAAYvG,MACtD,GAAIyD,IAAWtB,EAAekE,KAAM,CAChC,IAAIa,EAASnM,EAAKgE,SAElB,IAAKyH,EAAW,CACZ,MAAMW,QAAmBnE,EAAO0C,qBAAqBuB,GACrDC,GAASE,EAAAA,GAAAA,IAAcrM,EAAKgE,SAAUoI,EAAW5K,KAAK8K,GAAMA,EAAEtI,WAAW,CACrEuI,OAAQX,EACRY,oBAAqBxM,EAAKgB,OAASC,EAAAA,GAASG,QAEpD,CAGA,SAFM6G,EAAOwE,SAASV,GAAaC,EAAAA,EAAAA,MAAKE,EAAiBC,IAErDnM,EAAKwG,UAAYgF,EAAYvG,KAAM,CACnC,MAAM,KAAEW,SAAeqC,EAAOyE,MAAKV,EAAAA,EAAAA,MAAKE,EAAiBC,GAAS,CAC9DvB,SAAS,EACThF,MAAMyE,EAAAA,EAAAA,SAEV/L,EAAAA,EAAAA,IAAK,sBAAsBqO,EAAAA,EAAAA,IAAgB/G,GAC/C,CACJ,KACK,CAED,MAAMwG,QAAmBnC,GAAYuB,EAAYvG,MACjD,IAAI2H,EAAAA,EAAAA,GAAY,CAAC5M,GAAOoM,EAAWrB,UAC/B,IAEI,MAAM,SAAE8B,EAAQ,QAAEC,SAAkBC,EAAAA,EAAAA,GAAmBvB,EAAYvG,KAAM,CAACjF,GAAOoM,EAAWrB,UAG5F,IAAK8B,EAAS3O,SAAW4O,EAAQ5O,OAG7B,aAFM+J,EAAO+E,WAAWjB,QACxBzN,EAAAA,EAAAA,IAAK,qBAAsB0B,EAGnC,CACA,MAAOkC,GAGH,YADA6D,EAAAA,EAAAA,KAAUpF,EAAAA,EAAAA,IAAE,QAAS,kBAEzB,OAIEsH,EAAOgF,SAASlB,GAAaC,EAAAA,EAAAA,MAAKE,EAAiBlM,EAAKgE,YAG9D1F,EAAAA,EAAAA,IAAK,qBAAsB0B,EAC/B,CACJ,CACA,MAAOkC,GACH,GAAIA,aAAiBgL,EAAAA,GAAY,KAAAC,EAAAC,EAAAC,EAC7B,GAAgC,OAA5BnL,SAAe,QAAViL,EAALjL,EAAOoL,gBAAQ,IAAAH,OAAA,EAAfA,EAAiBI,QACjB,MAAM,IAAIrE,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,kEAE1B,GAAgC,OAA5BuB,SAAe,QAAVkL,EAALlL,EAAOoL,gBAAQ,IAAAF,OAAA,EAAfA,EAAiBG,QACtB,MAAM,IAAIrE,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,wBAE1B,GAAgC,OAA5BuB,SAAe,QAAVmL,EAALnL,EAAOoL,gBAAQ,IAAAD,OAAA,EAAfA,EAAiBE,QACtB,MAAM,IAAIrE,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,oCAE1B,GAAIuB,EAAMsL,QACX,MAAM,IAAItE,MAAMhH,EAAMsL,QAE9B,CAEA,MADArL,EAAAA,EAAOsL,MAAMvL,GACP,IAAIgH,KACd,CAAC,QAEGzC,EAAAA,GAAAA,IAAQzG,EAAM,cAAUhB,EAC5B,IAER,EAQM0O,GAA0BhL,eAAOpC,GAA6B,IAArBwB,EAAGhD,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAAKgB,EAAKhB,UAAAZ,OAAA,EAAAY,UAAA,QAAAE,EAC3D,MAAM2O,EAAU7N,EAAM0B,KAAIxB,GAAQA,EAAKyJ,SAAQwB,OAAOC,SAChD0C,GAAaC,EAAAA,EAAAA,KAAqBlN,EAAAA,EAAAA,IAAE,QAAS,uBAC9CmN,kBAAiB,GACjBC,WAAWzB,MAEJA,EAAE7K,YAAcE,EAAAA,GAAWqM,UAE3BL,EAAQM,SAAS3B,EAAE7C,UAE1ByE,kBAAkB,IAClBC,gBAAe,GACfC,QAAQtM,GACb,OAAO,IAAIS,SAAQ,CAACC,EAAS+H,KACzBqD,EAAWS,kBAAiB,CAACC,EAAYrJ,KACrC,MAAMsJ,EAAU,GACVpC,GAASnI,EAAAA,EAAAA,UAASiB,GAClBuJ,EAAW1O,EAAM0B,KAAIxB,GAAQA,EAAKwG,UAClCiI,EAAQ3O,EAAM0B,KAAIxB,GAAQA,EAAKiF,OAerC,OAdI3E,IAAW8G,EAAekE,MAAQhL,IAAW8G,EAAegE,cAC5DmD,EAAQvR,KAAK,CACT0R,MAAOvC,GAASxL,EAAAA,EAAAA,IAAE,QAAS,mBAAoB,CAAEwL,eAAUnN,EAAW,CAAE2P,QAAQ,EAAOC,UAAU,KAAWjO,EAAAA,EAAAA,IAAE,QAAS,QACvHK,KAAM,UACN6N,KAAMC,EACN,cAAMC,CAASvD,GACXhJ,EAAQ,CACJgJ,YAAaA,EAAY,GACzBlL,OAAQ8G,EAAekE,MAE/B,IAIJkD,EAASP,SAAShJ,IAIlBwJ,EAAMR,SAAShJ,IAIf3E,IAAW8G,EAAeiE,MAAQ/K,IAAW8G,EAAegE,cAC5DmD,EAAQvR,KAAK,CACT0R,MAAOvC,GAASxL,EAAAA,EAAAA,IAAE,QAAS,mBAAoB,CAAEwL,eAAUnN,EAAW,CAAE2P,QAAQ,EAAOC,UAAU,KAAWjO,EAAAA,EAAAA,IAAE,QAAS,QACvHK,KAAMV,IAAW8G,EAAeiE,KAAO,UAAY,YACnDwD,KAAMG,EACN,cAAMD,CAASvD,GACXhJ,EAAQ,CACJgJ,YAAaA,EAAY,GACzBlL,OAAQ8G,EAAeiE,MAE/B,IAhBGkD,CAmBG,IAEHX,EAAWhO,QACnBqP,OAAOC,OAAOhN,IACjBC,EAAAA,EAAOsL,MAAMvL,GACTA,aAAiBiN,EAAAA,GACjB5E,EAAO,IAAIrB,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,sCAG5B4J,EAAO,IAAIrB,OAAMvI,EAAAA,EAAAA,IAAE,QAAS,kCAChC,GACF,GAEV,EACaL,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,YACJC,WAAAA,CAAYX,GACR,OAAQqL,GAAkBrL,IACtB,KAAKsH,EAAeiE,KAChB,OAAO1K,EAAAA,EAAAA,IAAE,QAAS,QACtB,KAAKyG,EAAekE,KAChB,OAAO3K,EAAAA,EAAAA,IAAE,QAAS,QACtB,KAAKyG,EAAegE,aAChB,OAAOzK,EAAAA,EAAAA,IAAE,QAAS,gBAE9B,EACAW,cAAeA,IAAM0N,EACrBzN,QAAQzB,KAECA,EAAMC,OAAMC,IAAI,IAAA4E,EAAA,OAAa,QAAbA,EAAI5E,EAAK6E,YAAI,IAAAD,OAAA,EAATA,EAAWE,WAAW,UAAU,KAGlDhF,EAAM5B,OAAS,IAAMmJ,EAAQvH,IAAU2H,EAAQ3H,IAE1D,UAAM+B,CAAK7B,EAAMU,EAAMoB,GACnB,MAAMxB,EAAS6K,GAAkB,CAACnL,IAClC,IAAI2C,EACJ,IACIA,QAAe+K,GAAwBpN,EAAQwB,EAAK,CAAC9B,GACzD,CACA,MAAOoP,GAEH,OADAjN,EAAAA,EAAOD,MAAMkN,IACN,CACX,CACA,IAEI,aADM7D,GAAqBvL,EAAM2C,EAAO6I,YAAa7I,EAAOrC,SACrD,CACX,CACA,MAAO4B,GACH,SAAIA,aAAiBgH,OAAWhH,EAAMsL,YAClCzH,EAAAA,EAAAA,IAAU7D,EAAMsL,SAET,KAGf,CACJ,EACA,eAAMnL,CAAUvC,EAAOY,EAAMoB,GACzB,MAAMxB,EAAS6K,GAAkBrL,GAC3B6C,QAAe+K,GAAwBpN,EAAQwB,EAAKhC,GACpDwC,EAAWxC,EAAM0B,KAAIkB,UACvB,IAEI,aADM6I,GAAqBvL,EAAM2C,EAAO6I,YAAa7I,EAAOrC,SACrD,CACX,CACA,MAAO4B,GAEH,OADAC,EAAAA,EAAOD,MAAM,aAADrE,OAAc8E,EAAOrC,OAAM,SAAS,CAAEN,OAAMkC,WACjD,CACX,KAKJ,aAAaK,QAAQK,IAAIN,EAC7B,EACAO,MAAO,uMC5REvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,cACJC,WAAAA,CAAYoD,GAER,MAAMpD,EAAcoD,EAAM,GAAG5D,WAAWQ,aAAeoD,EAAM,GAAGG,SAChE,OAAOrD,EAAAA,EAAAA,IAAE,QAAS,4BAA6B,CAAEF,eACrD,EACAa,cAAeA,IAAM+N,GACrB9N,OAAAA,CAAQzB,GAEJ,GAAqB,IAAjBA,EAAM5B,OACN,OAAO,EAEX,MAAM8B,EAAOF,EAAM,GACnB,QAAKE,EAAKsP,gBAGHtP,EAAKgB,OAASC,EAAAA,GAASG,WACtBpB,EAAKyB,YAAcE,EAAAA,GAAWuC,KAC1C,EACAxB,KAAUb,MAAC7B,EAAMU,OACRV,GAAQA,EAAKgB,OAASC,EAAAA,GAASG,UAGpCoE,OAAO+J,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAEhP,KAAMA,EAAKF,GAAIiJ,OAAQzJ,EAAKyJ,QAAU,CAAE3H,IAAK9B,EAAKiF,OACrF,MAGX0K,QAASC,EAAAA,GAAYC,OACrBhN,OAAQ,MC1BCvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,uBACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,iBAC9BW,cAAeA,IAAM,GACrBC,QAASA,CAACzB,EAAOY,IAAqB,WAAZA,EAAKF,GAC/B,UAAMqB,CAAK7B,GACP,IAAI8B,EAAM9B,EAAKwG,QAMf,OALIxG,EAAKgB,OAASC,EAAAA,GAASG,SACvBU,EAAMA,EAAM,IAAM9B,EAAKgE,UAE3BwB,OAAO+J,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAEhP,KAAM,QAAS+I,OAAQzJ,EAAKyJ,QAAU,CAAE3H,MAAKgO,SAAU,SAClD,IACX,EAEAjN,OAAQ,IACR8M,QAASC,EAAAA,GAAYC,SCjBZvP,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,SACJC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,UAC9BW,cAAeA,yPACfC,QAAUzB,GACCA,EAAM5B,OAAS,GAAK4B,EACtB0B,KAAIxB,GAAQA,EAAKyB,cACjB1B,OAAM2B,MAAeA,EAAaC,EAAAA,GAAWqD,UAEtDtC,KAAUb,MAAC7B,KAEP1B,EAAAA,EAAAA,IAAK,oBAAqB0B,GACnB,MAEX6C,MAAO,qBCfJ,MACMvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAF0B,UAG1BC,YAAaA,KAAME,EAAAA,EAAAA,IAAE,QAAS,gBAC9BW,cAAeA,IAAMyO,GAErBxO,QAAUzB,IAAU,IAAAkQ,EAAAC,EAAAC,EAEhB,OAAqB,IAAjBpQ,EAAM5B,UAGL4B,EAAM,MAIA,QAAPkQ,EAACxK,cAAM,IAAAwK,GAAK,QAALA,EAANA,EAAQG,WAAG,IAAAH,GAAO,QAAPA,EAAXA,EAAaR,aAAK,IAAAQ,IAAlBA,EAAoBI,UAG+D,QAAxFH,GAAqB,QAAbC,EAAApQ,EAAM,GAAG+E,YAAI,IAAAqL,OAAA,EAAbA,EAAepL,WAAW,aAAchF,EAAM,GAAG2B,cAAgBE,EAAAA,GAAWiF,YAAI,IAAAqJ,GAAAA,CAAU,EAEtG,UAAMpO,CAAK7B,EAAMU,EAAMoB,GACnB,IAKI,aAHM0D,OAAO2K,IAAIX,MAAMY,QAAQC,KAAKrQ,EAAKiF,MAEzCO,OAAO+J,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAEhP,KAAMA,EAAKF,GAAIiJ,OAAQzJ,EAAKyJ,QAAU,IAAKjE,OAAO+J,IAAIC,MAAMC,OAAOa,MAAOxO,QAAO,GACpH,IACX,CACA,MAAOI,GAEH,OADAC,EAAAA,EAAOD,MAAM,8BAA+B,CAAEA,WACvC,CACX,CACJ,EACAW,OAAQ,KClCCvC,GAAS,IAAIC,EAAAA,GAAW,CACjCC,GAAI,iBACJC,YAAWA,KACAE,EAAAA,EAAAA,IAAE,QAAS,kBAEtBW,cAAeA,IAAM0N,EACrBzN,OAAAA,CAAQzB,EAAOY,GAEX,GAAgB,UAAZA,EAAKF,GACL,OAAO,EAGX,GAAqB,IAAjBV,EAAM5B,OACN,OAAO,EAEX,MAAM8B,EAAOF,EAAM,GACnB,QAAKE,EAAKsP,gBAGNtP,EAAKyB,cAAgBE,EAAAA,GAAWiF,MAG7B5G,EAAKgB,OAASC,EAAAA,GAASC,IAClC,EACAwB,KAAUb,MAAC7B,MACFA,GAAQA,EAAKgB,OAASC,EAAAA,GAASC,QAGpCsE,OAAO+J,IAAIC,MAAMC,OAAOC,UAAU,KAAM,CAAEhP,KAAM,QAAS+I,OAAQzJ,EAAKyJ,QAAU,CAAE3H,IAAK9B,EAAKwG,UACrF,MAEX3D,MAAO,KCvDX,uCAMA,MCN6P,IDM9O0N,EAAAA,EAAAA,IAAgB,CAC3B/S,KAAM,gBACNgT,WAAY,CACRC,SAAQ,KACRC,SAAQ,KACRC,YAAWA,GAAAA,GAEfxH,MAAO,CAIHyH,YAAa,CACT5P,KAAMsI,OACNqG,SAAShP,EAAAA,EAAAA,IAAE,QAAS,eAKxBkQ,WAAY,CACR7P,KAAM5C,MACNuR,QAASA,IAAM,IAKnBU,KAAM,CACFrP,KAAMkK,QACNyE,SAAS,GAKbnS,KAAM,CACFwD,KAAMsI,OACNqG,SAAShP,EAAAA,EAAAA,IAAE,QAAS,sBAKxB+N,MAAO,CACH1N,KAAMsI,OACNqG,SAAShP,EAAAA,EAAAA,IAAE,QAAS,iBAG5BmQ,MAAO,CACHC,MAAQvT,GAAkB,OAATA,GAAiBA,GAEtCoI,IAAAA,GACI,MAAO,CACHoL,iBAAkB,KAAKJ,cAAejQ,EAAAA,EAAAA,IAAE,QAAS,cAEzD,EACAsQ,SAAU,CACNC,YAAAA,GACI,OAAI,KAAKC,aACE,IAGAxQ,EAAAA,EAAAA,IAAE,QAAS,kDAE1B,EACAyQ,UAAAA,GACI,OAAO/E,EAAAA,GAAAA,IAAc,KAAK2E,iBAAkB,KAAKH,WACrD,EACAM,YAAAA,GACI,OAAO,KAAKH,mBAAqB,KAAKI,UAC1C,GAEJC,MAAO,CACHT,WAAAA,GACI,KAAKI,iBAAmB,KAAKJ,cAAejQ,EAAAA,EAAAA,IAAE,QAAS,aAC3D,EAIA0P,IAAAA,GACI,KAAKiB,WAAU,IAAM,KAAKC,cAC9B,GAEJC,OAAAA,GAEI,KAAKR,iBAAmB,KAAKI,WAC7B,KAAKE,WAAU,IAAM,KAAKC,cAC9B,EACAE,QAAS,CACL9Q,EAAC,KAID4Q,UAAAA,GACQ,KAAKlB,MACL,KAAKiB,WAAU,SAAAI,EAAAC,EAAA,OAAsB,QAAtBD,EAAM,KAAKE,MAAMC,aAAK,IAAAH,GAAO,QAAPC,EAAhBD,EAAkBI,aAAK,IAAAH,OAAA,EAAvBA,EAAAjU,KAAAgU,EAA2B,GAExD,EACAK,QAAAA,GACI,KAAKC,MAAM,QAAS,KAAKhB,iBAC7B,EACAiB,OAAAA,CAAQC,GACCA,GACD,KAAKF,MAAM,QAAS,KAE5B,KEzFR,IAXgB,cACd,IFRW,WAAkB,IAAIG,EAAI3V,KAAK4V,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMC,YAAmBF,EAAG,WAAW,CAACG,MAAM,CAAC,KAAOJ,EAAI3U,KAAK,KAAO2U,EAAI9B,KAAK,yBAAyB,GAAG,iBAAiB,IAAIlR,GAAG,CAAC,cAAcgT,EAAIF,SAASO,YAAYL,EAAIM,GAAG,CAAC,CAAC9N,IAAI,UAAUtI,GAAG,WAAW,MAAO,CAAC+V,EAAG,WAAW,CAACG,MAAM,CAAC,KAAO,UAAU,UAAYJ,EAAIhB,cAAchS,GAAG,CAAC,MAAQgT,EAAIJ,WAAW,CAACI,EAAIO,GAAG,WAAWP,EAAIQ,GAAGR,EAAIxR,EAAE,QAAS,WAAW,YAAY,EAAEiS,OAAM,MAAS,CAACT,EAAIO,GAAG,KAAKN,EAAG,OAAO,CAACjT,GAAG,CAAC,OAAS,SAAS0T,GAAgC,OAAxBA,EAAOC,iBAAwBX,EAAIJ,SAAS9S,MAAM,KAAMH,UAAU,IAAI,CAACsT,EAAG,cAAc,CAACW,IAAI,QAAQR,MAAM,CAAC,OAASJ,EAAIhB,aAAa,cAAcgB,EAAIjB,aAAa,MAAQiB,EAAIzD,MAAM,MAAQyD,EAAInB,kBAAkB7R,GAAG,CAAC,eAAe,SAAS0T,GAAQV,EAAInB,iBAAiB6B,CAAM,MAAM,IAChyB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QCYzB,SAASG,GAAYpC,EAAaqC,GAA4B,IAAbC,EAAMpU,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,EAC9D,MAAMqU,EAAeF,EAAczR,KAAKxB,GAASA,EAAKgE,WACtD,OAAO,IAAIzB,SAASC,KAChB4Q,EAAAA,EAAAA,IAAYC,GAAe,IACpBH,EACHtC,cACAC,WAAYsC,IACZG,IACA9Q,EAAQ8Q,EAAW,GACrB,GAEV,CC/BA,MAeaC,GAAQ,CACjB/S,GAAI,YACJC,aAAaE,EAAAA,EAAAA,IAAE,QAAS,cACxBY,QAAUjF,MAAaA,EAAQmF,YAAcE,EAAAA,GAAWqM,QACxD1M,oUACAuB,MAAO,EACP,aAAM2Q,CAAQlX,EAASmX,GACnB,MAAMjW,QAAawV,IAAYrS,EAAAA,EAAAA,IAAE,QAAS,cAAe8S,GACzD,GAAa,OAATjW,EAAe,KAAA4H,EAAAsO,EAAAC,EAAAC,EAAAC,EACf,MAAM,OAAEpK,EAAM,OAAErH,QAxBJM,OAAOmC,EAAMrH,KACjC,MAAM4E,EAASyC,EAAKzC,OAAS,IAAM5E,EAC7ByE,EAAgB4C,EAAK5C,cAAgB,IAAM6R,mBAAmBtW,GAC9D8P,QAAiBvL,EAAAA,EAAAA,GAAM,CACzB2G,OAAQ,QACR3F,IAAKd,EACLwG,QAAS,CACLsL,UAAW,OAGnB,MAAO,CACHtK,OAAQuK,SAAS1G,EAAS7E,QAAQ,cAClCrG,SACH,EAWwC6R,CAAgB3X,EAASkB,GAEpDwN,EAAS,IAAI5J,EAAAA,GAAO,CACtBgB,SACA5B,GAAIiJ,EACJC,MAAO,IAAIC,KACXN,OAAuB,QAAhBjE,GAAAG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,MAAO,KAChC7D,YAAaE,EAAAA,GAAW6F,IACxB3C,MAAMvI,aAAO,EAAPA,EAASuI,OAAQ,WAA4B,QAAnB6O,GAAGnO,EAAAA,EAAAA,aAAgB,IAAAmO,OAAA,EAAhBA,EAAkBpO,KAErDrF,WAAY,CACR,aAAgC,QAApB0T,EAAErX,EAAQ2D,kBAAU,IAAA0T,OAAA,EAAlBA,EAAqB,cACnC,WAA8B,QAApBC,EAAEtX,EAAQ2D,kBAAU,IAAA2T,OAAA,EAAlBA,EAAqB,YACjC,qBAAwC,QAApBC,EAAEvX,EAAQ2D,kBAAU,IAAA4T,OAAA,EAAlBA,EAAqB,0BAGnDK,EAAAA,EAAAA,KAAYvT,EAAAA,EAAAA,IAAE,QAAS,8BAA+B,CAAEnD,MAAMwG,EAAAA,EAAAA,UAAS5B,MACvED,EAAAA,EAAOsL,MAAM,qBAAsB,CAAEzC,SAAQ5I,YAC7C9D,EAAAA,EAAAA,IAAK,qBAAsB0M,GAC3BxF,OAAO+J,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAEhP,KAAM,QAAS+I,OAAQuB,EAAOvB,QAAU,CAAE3H,IAAKxF,EAAQ2I,MAC7D,CACJ,mBC7CJ,IAAIkP,IAAgBC,EAAAA,GAAAA,GAAU,QAAS,kBAAkB,GACzDjS,EAAAA,EAAOsL,MAAM,2BAA4B,CAAE0G,mBAM3C,MAqBaZ,GAAQ,CACjB/S,GAAI,kBACJC,aAAaE,EAAAA,EAAAA,IAAE,QAAS,+BACxBW,uJACAuB,MAAO,GACPtB,OAAAA,CAAQjF,GAAS,IAAA8I,EAEb,OAAI+O,IAIA7X,EAAQ+M,SAA0B,QAArBjE,GAAKG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,SAGhChJ,EAAQmF,YAAcE,EAAAA,GAAWqM,OAC7C,EACA,aAAMwF,CAAQlX,EAASmX,GACnB,MAAMjW,QAAawV,IAAYrS,EAAAA,EAAAA,IAAE,QAAS,aAAc8S,EAAS,CAAEjW,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,yBACvE,OAATnD,IAvCgBkF,eAAgB2R,EAAW7W,GACnD,MAAM8W,GAAetI,EAAAA,EAAAA,MAAKqI,EAAUpP,KAAMzH,GAC1C,IACI2E,EAAAA,EAAOsL,MAAM,uCAAwC,CAAE6G,iBACvD,MAAM,KAAE1O,SAAe7D,EAAAA,EAAMsD,MAAKF,EAAAA,EAAAA,IAAe,oCAAqC,CAClFmP,eACAC,qBAAqB,IAGzB/O,OAAO+J,IAAIC,MAAMC,OAAOC,UAAU,KAClC,CAAEhP,KAAM,QAAS+I,YAAQzK,GAAa,CAAE8C,IAAKwS,IAC7CnS,EAAAA,EAAOqS,KAAK,+BAAgC,IACrC5O,EAAKC,IAAID,OAEhBuO,GAAgBvO,EAAKC,IAAID,KAAK6O,cAClC,CACA,MAAOvS,GACHC,EAAAA,EAAOD,MAAM,iDACb6D,EAAAA,EAAAA,KAAUpF,EAAAA,EAAAA,IAAE,QAAS,gDACzB,CACJ,CAqBY+T,CAAoBpY,EAASkB,IAE7BmX,EAAAA,EAAAA,IAAuB,mBAE/B,GClCEC,IAAoBC,EAAAA,EAAAA,KAAqB,IAAM,2DACrD,IAAIC,GAAiB,KACrB,MAAMC,GAAoBrS,UACtB,GAAuB,OAAnBoS,GAAyB,CAEzB,MAAME,EAAgB/R,SAASC,cAAc,OAC7C8R,EAAcxU,GAAK,kBACnByC,SAASgS,KAAKC,YAAYF,GAE1BF,GAAiB,IAAIrO,EAAAA,GAAI,CACrB0O,OAASC,GAAMA,EAAER,GAAmB,CAChC7B,IAAK,SACL5J,MAAO,CACHkM,OAAQ/Y,KAGhBmV,QAAS,CAAEpB,IAAAA,GAAgB7T,KAAKoV,MAAM0D,OAAOjF,QAAKvR,UAAU,GAC5DyW,GAAIP,GAEZ,CACA,OAAOF,EAAc,EC9CnB7M,GAASF,KACFkC,GAAcvH,iBAAsB,IAAA8S,EAAA,IAAfvQ,EAAInG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IACrC,MAAMsL,GAAkBC,EAAAA,EAAAA,MAClBoL,GAAgBC,EAAAA,EAAAA,MAEtB,IAAIC,EACS,MAAT1Q,IACA0Q,QAAqB1N,GAAOyE,KAAKzH,EAAM,CACnC2F,SAAS,EACThF,KAAMwE,KAGd,MAAMM,QAAyBzC,GAAO0C,qBAAqB1F,EAAM,CAC7D2F,SAAS,EAEThF,KAAe,MAATX,EAAewQ,EAAgBrL,EACrC3B,QAAS,CAELC,OAAiB,MAATzD,EAAe,SAAW,YAEtC4F,aAAa,IAEXhG,GAAmB,QAAZ2Q,EAAAG,SAAY,IAAAH,OAAA,EAAZA,EAAc5P,OAAQ8E,EAAiB9E,KAAK,GACnDmF,EAAWL,EAAiB9E,KAAKqF,QAAOjL,GAAQA,EAAKuJ,WAAatE,IACxE,MAAO,CACH+F,OAAQhC,GAAanE,GACrBkG,SAAUA,EAASvJ,IAAIwH,IAE/B,ECrBa4M,GAA6B,SAAU5K,GAAmB,IAAXa,EAAK/M,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,EAChE,OAAO,IAAI+W,EAAAA,GAAK,CACZrV,GAAIsV,GAAmB9K,EAAO/F,MAC9BzH,MAAMwG,EAAAA,EAAAA,UAASgH,EAAO/F,MACtB4J,KAAMQ,GACNxM,MAAOgJ,EACPkK,OAAQ,CACJjU,IAAKkJ,EAAO/F,KACZwE,OAAQuB,EAAOvB,OAAO/F,WACtBhD,KAAM,aAEV2U,OAAQ,YACRW,QAAS,GACT/L,YAAWA,IAEnB,EACa6L,GAAqB,SAAU7Q,GACxC,MAAO,YAAPpH,OAAmB+K,GAAS3D,GAChC,0CChBA,IAAIgR,GAQJ,MAAMC,GAAkBC,GAAWF,GAAcE,EAK3CC,GAAsGC,SAE5G,SAASC,GAETC,GACI,OAAQA,GACS,iBAANA,GAC+B,oBAAtCxa,OAAOC,UAAU0H,SAAShG,KAAK6Y,IACX,mBAAbA,EAAEC,MACjB,CAMA,IAAIC,IACJ,SAAWA,GAQPA,EAAqB,OAAI,SAMzBA,EAA0B,YAAI,eAM9BA,EAA4B,cAAI,gBAEnC,CAtBD,CAsBGA,KAAiBA,GAAe,CAAC,IAEpC,MAAMC,GAA8B,oBAAXlR,OAOnBmR,GAA6F,oBAA1BC,uBAAyCA,uBAAiEF,GAY7KG,GAAwB,KAAyB,iBAAXrR,QAAuBA,OAAOA,SAAWA,OAC/EA,OACgB,iBAATsR,MAAqBA,KAAKA,OAASA,KACtCA,KACkB,iBAAXC,QAAuBA,OAAOA,SAAWA,OAC5CA,OACsB,iBAAfC,WACHA,WACA,CAAEC,YAAa,MARH,GAkB9B,SAAS9T,GAASJ,EAAKvF,EAAM0Z,GACzB,MAAMC,EAAM,IAAIC,eAChBD,EAAI9G,KAAK,MAAOtN,GAChBoU,EAAIE,aAAe,OACnBF,EAAIG,OAAS,WACTC,GAAOJ,EAAI7J,SAAU9P,EAAM0Z,EAC/B,EACAC,EAAIK,QAAU,WACVC,GAAQvV,MAAM,0BAClB,EACAiV,EAAIO,MACR,CACA,SAASC,GAAY5U,GACjB,MAAMoU,EAAM,IAAIC,eAEhBD,EAAI9G,KAAK,OAAQtN,GAAK,GACtB,IACIoU,EAAIO,MACR,CACA,MAAOtI,GAAK,CACZ,OAAO+H,EAAI5J,QAAU,KAAO4J,EAAI5J,QAAU,GAC9C,CAEA,SAASlK,GAAMrD,GACX,IACIA,EAAK4X,cAAc,IAAIC,WAAW,SACtC,CACA,MAAOzI,GACH,MAAMtS,EAAMmG,SAAS6U,YAAY,eACjChb,EAAIib,eAAe,SAAS,GAAM,EAAMvS,OAAQ,EAAG,EAAG,EAAG,GAAI,IAAI,GAAO,GAAO,GAAO,EAAO,EAAG,MAChGxF,EAAK4X,cAAc9a,EACvB,CACJ,CACA,MAAMkb,GACgB,iBAAdC,UAAyBA,UAAY,CAAEC,UAAW,IAIpDC,GAA+B,KAAO,YAAYC,KAAKJ,GAAWE,YACpE,cAAcE,KAAKJ,GAAWE,aAC7B,SAASE,KAAKJ,GAAWE,WAFO,GAG/BX,GAAUb,GAGqB,oBAAtB2B,mBACH,aAAcA,kBAAkBrc,YAC/Bmc,GAOb,SAAwBG,EAAM9a,EAAO,WAAY0Z,GAC7C,MAAMqB,EAAItV,SAASC,cAAc,KACjCqV,EAAEpV,SAAW3F,EACb+a,EAAEC,IAAM,WAGY,iBAATF,GAEPC,EAAEnV,KAAOkV,EACLC,EAAEE,SAAWhT,SAASgT,OAClBd,GAAYY,EAAEnV,MACdD,GAASmV,EAAM9a,EAAM0Z,IAGrBqB,EAAEpM,OAAS,SACX9I,GAAMkV,IAIVlV,GAAMkV,KAKVA,EAAEnV,KAAOsV,IAAIC,gBAAgBL,GAC7BM,YAAW,WACPF,IAAIG,gBAAgBN,EAAEnV,KAC1B,GAAG,KACHwV,YAAW,WACPvV,GAAMkV,EACV,GAAG,GAEX,EApCgB,qBAAsBP,GAqCtC,SAAkBM,EAAM9a,EAAO,WAAY0Z,GACvC,GAAoB,iBAAToB,EACP,GAAIX,GAAYW,GACZnV,GAASmV,EAAM9a,EAAM0Z,OAEpB,CACD,MAAMqB,EAAItV,SAASC,cAAc,KACjCqV,EAAEnV,KAAOkV,EACTC,EAAEpM,OAAS,SACXyM,YAAW,WACPvV,GAAMkV,EACV,GACJ,MAIAN,UAAUa,iBA/GlB,SAAaR,GAAM,QAAES,GAAU,GAAU,CAAC,GAGtC,OAAIA,GACA,6EAA6EX,KAAKE,EAAKtX,MAChF,IAAIgY,KAAK,CAAC1P,OAAO2P,aAAa,OAASX,GAAO,CAAEtX,KAAMsX,EAAKtX,OAE/DsX,CACX,CAuGmCY,CAAIZ,EAAMpB,GAAO1Z,EAEpD,EACA,SAAyB8a,EAAM9a,EAAM0Z,EAAMiC,GAOvC,IAJAA,EAAQA,GAAS9I,KAAK,GAAI,aAEtB8I,EAAMlW,SAASmW,MAAQD,EAAMlW,SAASgS,KAAKoE,UAAY,kBAEvC,iBAATf,EACP,OAAOnV,GAASmV,EAAM9a,EAAM0Z,GAChC,MAAMoC,EAAsB,6BAAdhB,EAAKtX,KACbuY,EAAW,eAAenB,KAAK9O,OAAOuN,GAAQI,eAAiB,WAAYJ,GAC3E2C,EAAc,eAAepB,KAAKH,UAAUC,WAClD,IAAKsB,GAAgBF,GAASC,GAAapB,KACjB,oBAAfsB,WAA4B,CAEnC,MAAMC,EAAS,IAAID,WACnBC,EAAOC,UAAY,WACf,IAAI5W,EAAM2W,EAAO/W,OACjB,GAAmB,iBAARI,EAEP,MADAoW,EAAQ,KACF,IAAIjQ,MAAM,4BAEpBnG,EAAMyW,EACAzW,EACAA,EAAI6W,QAAQ,eAAgB,yBAC9BT,EACAA,EAAM1T,SAASrC,KAAOL,EAGtB0C,SAASoU,OAAO9W,GAEpBoW,EAAQ,IACZ,EACAO,EAAOI,cAAcxB,EACzB,KACK,CACD,MAAMvV,EAAM2V,IAAIC,gBAAgBL,GAC5Ba,EACAA,EAAM1T,SAASoU,OAAO9W,GAEtB0C,SAASrC,KAAOL,EACpBoW,EAAQ,KACRP,YAAW,WACPF,IAAIG,gBAAgB9V,EACxB,GAAG,IACP,CACJ,EA7GM,OAqHN,SAASgX,GAAavM,EAASxM,GAC3B,MAAMgZ,EAAe,MAAQxM,EACS,mBAA3ByM,uBAEPA,uBAAuBD,EAAchZ,GAEvB,UAATA,EACLyW,GAAQvV,MAAM8X,GAEA,SAAThZ,EACLyW,GAAQyC,KAAKF,GAGbvC,GAAQ0C,IAAIH,EAEpB,CACA,SAASI,GAAQ7D,GACb,MAAO,OAAQA,GAAK,YAAaA,CACrC,CAMA,SAAS8D,KACL,KAAM,cAAepC,WAEjB,OADA8B,GAAa,iDAAkD,UACxD,CAEf,CACA,SAASO,GAAqBpY,GAC1B,SAAIA,aAAiBgH,OACjBhH,EAAMsL,QAAQ+M,cAActM,SAAS,8BACrC8L,GAAa,kGAAmG,SACzG,EAGf,CAwCA,IAAIS,GAyCJ,SAASC,GAAgBtE,EAAOjE,GAC5B,IAAK,MAAMvN,KAAOuN,EAAO,CACrB,MAAMwI,EAAavE,EAAMjE,MAAMyI,MAAMhW,GAEjC+V,EACA3e,OAAO8d,OAAOa,EAAYxI,EAAMvN,IAIhCwR,EAAMjE,MAAMyI,MAAMhW,GAAOuN,EAAMvN,EAEvC,CACJ,CAEA,SAASiW,GAAcC,GACnB,MAAO,CACHC,QAAS,CACLD,WAGZ,CACA,MAAME,GAAmB,kBACnBC,GAAgB,QACtB,SAASC,GAA4BC,GACjC,OAAOd,GAAQc,GACT,CACE1a,GAAIwa,GACJtM,MAAOqM,IAET,CACEva,GAAI0a,EAAMC,IACVzM,MAAOwM,EAAMC,IAEzB,CAmDA,SAASC,GAAgB7d,GACrB,OAAKA,EAEDa,MAAMid,QAAQ9d,GAEPA,EAAO+J,QAAO,CAAC1B,EAAMjJ,KACxBiJ,EAAK0V,KAAKte,KAAKL,EAAMgI,KACrBiB,EAAK2V,WAAWve,KAAKL,EAAMqE,MAC3B4E,EAAK4V,SAAS7e,EAAMgI,KAAOhI,EAAM6e,SACjC5V,EAAK6V,SAAS9e,EAAMgI,KAAOhI,EAAM8e,SAC1B7V,IACR,CACC4V,SAAU,CAAC,EACXF,KAAM,GACNC,WAAY,GACZE,SAAU,CAAC,IAIR,CACHC,UAAWd,GAAcrd,EAAOyD,MAChC2D,IAAKiW,GAAcrd,EAAOoH,KAC1B6W,SAAUje,EAAOie,SACjBC,SAAUle,EAAOke,UArBd,CAAC,CAwBhB,CACA,SAASE,GAAmB3a,GACxB,OAAQA,GACJ,KAAKyV,GAAamF,OACd,MAAO,WACX,KAAKnF,GAAaoF,cAElB,KAAKpF,GAAaqF,YACd,MAAO,SACX,QACI,MAAO,UAEnB,CAGA,IAAIC,IAAmB,EACvB,MAAMC,GAAsB,GACtBC,GAAqB,kBACrBC,GAAe,SACbrC,OAAQsC,IAAapgB,OAOvBqgB,GAAgB5b,GAAO,MAAQA,EAQrC,SAAS6b,GAAsBC,EAAKnG,IAChC,SAAoB,CAChB3V,GAAI,gBACJkO,MAAO,WACP6N,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,uBACAM,QACAI,IACuB,mBAAZA,EAAIC,KACX5C,GAAa,2MAEjB2C,EAAIE,iBAAiB,CACjBpc,GAAIyb,GACJvN,MAAO,WACPmO,MAAO,WAEXH,EAAII,aAAa,CACbtc,GAAI0b,GACJxN,MAAO,WACPG,KAAM,UACNkO,sBAAuB,gBACvBC,QAAS,CACL,CACInO,KAAM,eACNvO,OAAQ,MA1P5BoC,eAAqCyT,GACjC,IAAIkE,KAEJ,UACUpC,UAAUgF,UAAUC,UAAUpZ,KAAKC,UAAUoS,EAAMjE,MAAMyI,QAC/DZ,GAAa,oCACjB,CACA,MAAO7X,GACH,GAAIoY,GAAqBpY,GACrB,OACJ6X,GAAa,qEAAsE,SACnFtC,GAAQvV,MAAMA,EAClB,CACJ,CA8OwBib,CAAsBhH,EAAM,EAEhCiH,QAAS,gCAEb,CACIvO,KAAM,gBACNvO,OAAQoC,gBAnP5BA,eAAsCyT,GAClC,IAAIkE,KAEJ,IACII,GAAgBtE,EAAOrS,KAAKQ,YAAY2T,UAAUgF,UAAUI,aAC5DtD,GAAa,sCACjB,CACA,MAAO7X,GACH,GAAIoY,GAAqBpY,GACrB,OACJ6X,GAAa,sFAAuF,SACpGtC,GAAQvV,MAAMA,EAClB,CACJ,CAuO8Bob,CAAuBnH,GAC7BuG,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,GAAa,EAExCkB,QAAS,wDAEb,CACIvO,KAAM,OACNvO,OAAQ,MA9O5BoC,eAAqCyT,GACjC,IACIoB,GAAO,IAAIyB,KAAK,CAAClV,KAAKC,UAAUoS,EAAMjE,MAAMyI,QAAS,CACjD3Z,KAAM,6BACN,mBACR,CACA,MAAOkB,GACH6X,GAAa,0EAA2E,SACxFtC,GAAQvV,MAAMA,EAClB,CACJ,CAqOwBub,CAAsBtH,EAAM,EAEhCiH,QAAS,iCAEb,CACIvO,KAAM,cACNvO,OAAQoC,gBAhN5BA,eAAyCyT,GACrC,IACI,MAAM9F,GA1BLmK,KACDA,GAAYvX,SAASC,cAAc,SACnCsX,GAAUxZ,KAAO,OACjBwZ,GAAUkD,OAAS,SAEvB,WACI,OAAO,IAAInb,SAAQ,CAACC,EAAS+H,KACzBiQ,GAAUmD,SAAWjb,UACjB,MAAMmB,EAAQ2W,GAAU3W,MACxB,IAAKA,EACD,OAAOrB,EAAQ,MACnB,MAAMob,EAAO/Z,EAAMga,KAAK,GACxB,OAEOrb,EAFFob,EAEU,CAAEE,WAAYF,EAAKE,OAAQF,QADvB,KAC8B,EAGrDpD,GAAUuD,SAAW,IAAMvb,EAAQ,MACnCgY,GAAUhD,QAAUjN,EACpBiQ,GAAUnX,OAAO,GAEzB,GAMUV,QAAe0N,IACrB,IAAK1N,EACD,OACJ,MAAM,KAAEmb,EAAI,KAAEF,GAASjb,EACvB8X,GAAgBtE,EAAOrS,KAAKQ,MAAMwZ,IAClC/D,GAAa,+BAA+B6D,EAAKpgB,SACrD,CACA,MAAO0E,GACH6X,GAAa,4EAA6E,SAC1FtC,GAAQvV,MAAMA,EAClB,CACJ,CAmM8B8b,CAA0B7H,GAChCuG,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,GAAa,EAExCkB,QAAS,sCAGjBa,YAAa,CACT,CACIpP,KAAM,UACNuO,QAAS,kCACT9c,OAAS4d,IACL,MAAMhD,EAAQ/E,EAAMxD,GAAGwL,IAAID,GACtBhD,EAG4B,mBAAjBA,EAAMkD,OAClBrE,GAAa,iBAAiBmE,kEAAwE,SAGtGhD,EAAMkD,SACNrE,GAAa,UAAUmE,cAPvBnE,GAAa,iBAAiBmE,oCAA0C,OAQ5E,MAKhBxB,EAAIvd,GAAGkf,kBAAiB,CAACC,EAASC,KAC9B,MAAM3L,EAAS0L,EAAQE,mBACnBF,EAAQE,kBAAkB5L,MAC9B,GAAIA,GAASA,EAAM6L,SAAU,CACzB,MAAMC,EAAcJ,EAAQE,kBAAkB5L,MAAM6L,SACpD1iB,OAAO4iB,OAAOD,GAAaE,SAAS1D,IAChCoD,EAAQO,aAAa3M,MAAMlV,KAAK,CAC5BgE,KAAMob,GAAalB,EAAMC,KACzBxW,IAAK,QACLma,UAAU,EACVnE,MAAOO,EAAM6D,cACP,CACEjE,QAAS,CACLH,OAAO,SAAMO,EAAM8D,QACnBhC,QAAS,CACL,CACInO,KAAM,UACNuO,QAAS,gCACT9c,OAAQ,IAAM4a,EAAMkD,aAMhCriB,OAAOuf,KAAKJ,EAAM8D,QAAQ1X,QAAO,CAAC4K,EAAOvN,KACrCuN,EAAMvN,GAAOuW,EAAM8D,OAAOra,GACnBuN,IACR,CAAC,KAEZgJ,EAAM+D,UAAY/D,EAAM+D,SAAS/gB,QACjCogB,EAAQO,aAAa3M,MAAMlV,KAAK,CAC5BgE,KAAMob,GAAalB,EAAMC,KACzBxW,IAAK,UACLma,UAAU,EACVnE,MAAOO,EAAM+D,SAAS3X,QAAO,CAAC4X,EAASva,KACnC,IACIua,EAAQva,GAAOuW,EAAMvW,EACzB,CACA,MAAOzC,GAEHgd,EAAQva,GAAOzC,CACnB,CACA,OAAOgd,CAAO,GACf,CAAC,IAEZ,GAER,KAEJxC,EAAIvd,GAAGggB,kBAAkBb,IACrB,GAAIA,EAAQhC,MAAQA,GAAOgC,EAAQc,cAAgBlD,GAAc,CAC7D,IAAImD,EAAS,CAAClJ,GACdkJ,EAASA,EAAOxhB,OAAOO,MAAMkhB,KAAKnJ,EAAMxD,GAAGgM,WAC3CL,EAAQiB,WAAajB,EAAQrT,OACvBoU,EAAOpU,QAAQiQ,GAAU,QAASA,EAC9BA,EAAMC,IACHZ,cACAtM,SAASqQ,EAAQrT,OAAOsP,eAC3BQ,GAAiBR,cAActM,SAASqQ,EAAQrT,OAAOsP,iBAC3D8E,GAAQ7d,IAAIyZ,GACtB,KAEJyB,EAAIvd,GAAGqgB,mBAAmBlB,IACtB,GAAIA,EAAQhC,MAAQA,GAAOgC,EAAQc,cAAgBlD,GAAc,CAC7D,MAAMuD,EAAiBnB,EAAQJ,SAAWlD,GACpC7E,EACAA,EAAMxD,GAAGwL,IAAIG,EAAQJ,QAC3B,IAAKuB,EAGD,OAEAA,IACAnB,EAAQpM,MApQ5B,SAAsCgJ,GAClC,GAAId,GAAQc,GAAQ,CAChB,MAAMwE,EAAathB,MAAMkhB,KAAKpE,EAAMvI,GAAG2I,QACjCqE,EAAWzE,EAAMvI,GACjBT,EAAQ,CACVA,MAAOwN,EAAWle,KAAKoe,IAAY,CAC/Bd,UAAU,EACVna,IAAKib,EACLjF,MAAOO,EAAMhJ,MAAMyI,MAAMiF,OAE7BV,QAASQ,EACJzU,QAAQzK,GAAOmf,EAASxB,IAAI3d,GAAIye,WAChCzd,KAAKhB,IACN,MAAM0a,EAAQyE,EAASxB,IAAI3d,GAC3B,MAAO,CACHse,UAAU,EACVna,IAAKnE,EACLma,MAAOO,EAAM+D,SAAS3X,QAAO,CAAC4X,EAASva,KACnCua,EAAQva,GAAOuW,EAAMvW,GACdua,IACR,CAAC,GACP,KAGT,OAAOhN,CACX,CACA,MAAMA,EAAQ,CACVA,MAAOnW,OAAOuf,KAAKJ,EAAM8D,QAAQxd,KAAKmD,IAAQ,CAC1Cma,UAAU,EACVna,MACAgW,MAAOO,EAAM8D,OAAOra,QAkB5B,OAdIuW,EAAM+D,UAAY/D,EAAM+D,SAAS/gB,SACjCgU,EAAMgN,QAAUhE,EAAM+D,SAASzd,KAAKqe,IAAe,CAC/Cf,UAAU,EACVna,IAAKkb,EACLlF,MAAOO,EAAM2E,QAGjB3E,EAAM4E,kBAAkBhW,OACxBoI,EAAM6N,iBAAmB3hB,MAAMkhB,KAAKpE,EAAM4E,mBAAmBte,KAAKmD,IAAQ,CACtEma,UAAU,EACVna,MACAgW,MAAOO,EAAMvW,QAGduN,CACX,CAmNoC8N,CAA6BP,GAErD,KAEJ/C,EAAIvd,GAAG8gB,oBAAmB,CAAC3B,EAASC,KAChC,GAAID,EAAQhC,MAAQA,GAAOgC,EAAQc,cAAgBlD,GAAc,CAC7D,MAAMuD,EAAiBnB,EAAQJ,SAAWlD,GACpC7E,EACAA,EAAMxD,GAAGwL,IAAIG,EAAQJ,QAC3B,IAAKuB,EACD,OAAO1F,GAAa,UAAUuE,EAAQJ,oBAAqB,SAE/D,MAAM,KAAEjZ,GAASqZ,EACZlE,GAAQqF,GAUTxa,EAAKib,QAAQ,SARO,IAAhBjb,EAAK/G,QACJuhB,EAAeK,kBAAkBhkB,IAAImJ,EAAK,OAC3CA,EAAK,KAAMwa,EAAeT,SAC1B/Z,EAAKib,QAAQ,UAOrBnE,IAAmB,EACnBuC,EAAQ6B,IAAIV,EAAgBxa,EAAMqZ,EAAQpM,MAAMyI,OAChDoB,IAAmB,CACvB,KAEJW,EAAIvd,GAAGihB,oBAAoB9B,IACvB,GAAIA,EAAQtd,KAAK8D,WAAW,MAAO,CAC/B,MAAM8a,EAAUtB,EAAQtd,KAAK4Y,QAAQ,SAAU,IACzCsB,EAAQ/E,EAAMxD,GAAGwL,IAAIyB,GAC3B,IAAK1E,EACD,OAAOnB,GAAa,UAAU6F,eAAsB,SAExD,MAAM,KAAE3a,GAASqZ,EACjB,GAAgB,UAAZrZ,EAAK,GACL,OAAO8U,GAAa,2BAA2B6F,QAAc3a,kCAIjEA,EAAK,GAAK,SACV8W,IAAmB,EACnBuC,EAAQ6B,IAAIjF,EAAOjW,EAAMqZ,EAAQpM,MAAMyI,OACvCoB,IAAmB,CACvB,IACF,GAEV,CAgLA,IACIsE,GADAC,GAAkB,EAUtB,SAASC,GAAuBrF,EAAOsF,EAAaC,GAEhD,MAAMzD,EAAUwD,EAAYlZ,QAAO,CAACoZ,EAAcC,KAE9CD,EAAaC,IAAc,SAAMzF,GAAOyF,GACjCD,IACR,CAAC,GACJ,IAAK,MAAMC,KAAc3D,EACrB9B,EAAMyF,GAAc,WAEhB,MAAMC,EAAYN,GACZO,EAAeJ,EACf,IAAIK,MAAM5F,EAAO,CACfiD,IAAG,IAAIvf,KACHyhB,GAAeO,EACRG,QAAQ5C,OAAOvf,IAE1BuhB,IAAG,IAAIvhB,KACHyhB,GAAeO,EACRG,QAAQZ,OAAOvhB,MAG5Bsc,EAENmF,GAAeO,EACf,MAAMI,EAAWhE,EAAQ2D,GAAY1hB,MAAM4hB,EAAc/hB,WAGzD,OADAuhB,QAAerhB,EACRgiB,CACX,CAER,CAIA,SAASC,IAAe,IAAE3E,EAAG,MAAEpB,EAAK,QAAErU,IAElC,GAAIqU,EAAMC,IAAIrW,WAAW,UACrB,OAGJoW,EAAM6D,gBAAkBlY,EAAQqL,MAChCqO,GAAuBrF,EAAOnf,OAAOuf,KAAKzU,EAAQmW,SAAU9B,EAAM6D,eAElE,MAAMmC,EAAoBhG,EAAMiG,YAChC,SAAMjG,GAAOiG,WAAa,SAAUC,GAChCF,EAAkBjiB,MAAMzC,KAAMsC,WAC9ByhB,GAAuBrF,EAAOnf,OAAOuf,KAAK8F,EAASC,YAAYrE,WAAY9B,EAAM6D,cACrF,EAzOJ,SAA4BzC,EAAKpB,GACxBc,GAAoB/N,SAASmO,GAAalB,EAAMC,OACjDa,GAAoBhf,KAAKof,GAAalB,EAAMC,OAEhD,SAAoB,CAChB3a,GAAI,gBACJkO,MAAO,WACP6N,KAAM,mCACNC,YAAa,QACbC,SAAU,0BACVT,uBACAM,MACAgF,SAAU,CACNC,gBAAiB,CACb7S,MAAO,kCACP1N,KAAM,UACNwgB,cAAc,MAQtB9E,IAEA,MAAMC,EAAyB,mBAAZD,EAAIC,IAAqBD,EAAIC,IAAI8E,KAAK/E,GAAO/S,KAAKgT,IACrEzB,EAAMwG,WAAU,EAAGC,QAAOC,UAASpkB,OAAMoB,WACrC,MAAMijB,EAAUvB,KAChB5D,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTtf,MAAO,CACHqlB,KAAMrF,IACNvD,MAAO,MAAQ5b,EACfykB,SAAU,QACVrc,KAAM,CACFsV,MAAON,GAAcM,EAAMC,KAC3B7a,OAAQsa,GAAcpd,GACtBoB,QAEJijB,aAGRF,GAAOhf,IACH0d,QAAerhB,EACf0d,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTtf,MAAO,CACHqlB,KAAMrF,IACNvD,MAAO,MAAQ5b,EACfykB,SAAU,MACVrc,KAAM,CACFsV,MAAON,GAAcM,EAAMC,KAC3B7a,OAAQsa,GAAcpd,GACtBoB,OACA+D,UAEJkf,YAEN,IAEND,GAAS1f,IACLme,QAAerhB,EACf0d,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTtf,MAAO,CACHqlB,KAAMrF,IACNuF,QAAS,QACT9I,MAAO,MAAQ5b,EACfykB,SAAU,MACVrc,KAAM,CACFsV,MAAON,GAAcM,EAAMC,KAC3B7a,OAAQsa,GAAcpd,GACtBoB,OACAsD,SAEJ2f,YAEN,GACJ,IACH,GACH3G,EAAM4E,kBAAkBlB,SAASphB,KAC7B,UAAM,KAAM,SAAM0d,EAAM1d,MAAQ,CAACie,EAAUD,KACvCkB,EAAIyF,wBACJzF,EAAIc,mBAAmBtB,IACnBH,IACAW,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTtf,MAAO,CACHqlB,KAAMrF,IACNvD,MAAO,SACP6I,SAAUzkB,EACVoI,KAAM,CACF6V,WACAD,YAEJqG,QAASxB,KAGrB,GACD,CAAE+B,MAAM,GAAO,IAEtBlH,EAAMmH,YAAW,EAAG9kB,SAAQyD,QAAQkR,KAGhC,GAFAwK,EAAIyF,wBACJzF,EAAIc,mBAAmBtB,KAClBH,GACD,OAEJ,MAAMuG,EAAY,CACdN,KAAMrF,IACNvD,MAAOuC,GAAmB3a,GAC1B4E,KAAMuW,GAAS,CAAEjB,MAAON,GAAcM,EAAMC,MAAQC,GAAgB7d,IACpEskB,QAASxB,IAETrf,IAASyV,GAAaoF,cACtByG,EAAUL,SAAW,KAEhBjhB,IAASyV,GAAaqF,YAC3BwG,EAAUL,SAAW,KAEhB1kB,IAAWa,MAAMid,QAAQ9d,KAC9B+kB,EAAUL,SAAW1kB,EAAOyD,MAE5BzD,IACA+kB,EAAU1c,KAAK,eAAiB,CAC5BkV,QAAS,CACLD,QAAS,gBACT7Z,KAAM,SACNoc,QAAS,sBACTzC,MAAOpd,KAInBmf,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTtf,MAAO2lB,GACT,GACH,CAAEC,UAAU,EAAMC,MAAO,SAC5B,MAAMC,EAAYvH,EAAMiG,WACxBjG,EAAMiG,YAAa,UAASC,IACxBqB,EAAUrB,GACV1E,EAAIoF,iBAAiB,CACjBC,QAAS9F,GACTtf,MAAO,CACHqlB,KAAMrF,IACNvD,MAAO,MAAQ8B,EAAMC,IACrB8G,SAAU,aACVrc,KAAM,CACFsV,MAAON,GAAcM,EAAMC,KAC3B3G,KAAMoG,GAAc,kBAKhC8B,EAAIyF,wBACJzF,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,GAAa,IAExC,MAAM,SAAEwG,GAAaxH,EACrBA,EAAMwH,SAAW,KACbA,IACAhG,EAAIyF,wBACJzF,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,IACvBQ,EAAIiG,cAAcpB,iBACdxH,GAAa,aAAamB,EAAMC,gBAAgB,EAGxDuB,EAAIyF,wBACJzF,EAAIa,kBAAkBrB,IACtBQ,EAAIc,mBAAmBtB,IACvBQ,EAAIiG,cAAcpB,iBACdxH,GAAa,IAAImB,EAAMC,0BAA0B,GAE7D,CA4DIyH,CAAmBtG,EAEnBpB,EACJ,CAuJA,MAAM2H,GAAO,OACb,SAASC,GAAgBC,EAAehU,EAAUwT,EAAUS,EAAYH,IACpEE,EAAc/lB,KAAK+R,GACnB,MAAMkU,EAAqB,KACvB,MAAMC,EAAMH,EAAcI,QAAQpU,GAC9BmU,GAAO,IACPH,EAAcK,OAAOF,EAAK,GAC1BF,IACJ,EAKJ,OAHKT,IAAY,aACb,SAAeU,GAEZA,CACX,CACA,SAASI,GAAqBN,KAAkBnkB,GAC5CmkB,EAAcplB,QAAQihB,SAAS7P,IAC3BA,KAAYnQ,EAAK,GAEzB,CAEA,MAAM0kB,GAA0BjnB,GAAOA,IACvC,SAASknB,GAAqBpX,EAAQqX,GAE9BrX,aAAkBsX,KAAOD,aAAwBC,KACjDD,EAAa5E,SAAQ,CAACjE,EAAOhW,IAAQwH,EAAOgU,IAAIxb,EAAKgW,KAGrDxO,aAAkBuX,KAAOF,aAAwBE,KACjDF,EAAa5E,QAAQzS,EAAO1J,IAAK0J,GAGrC,IAAK,MAAMxH,KAAO6e,EAAc,CAC5B,IAAKA,EAAavnB,eAAe0I,GAC7B,SACJ,MAAMgf,EAAWH,EAAa7e,GACxBif,EAAczX,EAAOxH,GACvB2R,GAAcsN,IACdtN,GAAcqN,IACdxX,EAAOlQ,eAAe0I,MACrB,SAAMgf,MACN,SAAWA,GAIZxX,EAAOxH,GAAO4e,GAAqBK,EAAaD,GAIhDxX,EAAOxH,GAAOgf,CAEtB,CACA,OAAOxX,CACX,CACA,MAAM0X,GAE2BxN,SAC3ByN,GAA+B,IAAIC,SAyBjClK,OAAM,IAAK9d,OA8CnB,SAASioB,GAAiB7I,EAAK8I,EAAOpd,EAAU,CAAC,EAAGsP,EAAO+N,EAAKC,GAC5D,IAAIzf,EACJ,MAAM0f,EAAmB,GAAO,CAAEpH,QAAS,CAAC,GAAKnW,GAM3Cwd,EAAoB,CACtBjC,MAAM,GAwBV,IAAIkC,EACAC,EAGAC,EAFAzB,EAAgB,GAChB0B,EAAsB,GAE1B,MAAMC,EAAevO,EAAMjE,MAAMyI,MAAMQ,GAGlCgJ,GAAmBO,IAEhB,OACA,SAAIvO,EAAMjE,MAAMyI,MAAOQ,EAAK,CAAC,GAG7BhF,EAAMjE,MAAMyI,MAAMQ,GAAO,CAAC,GAGlC,MAAMwJ,GAAW,SAAI,CAAC,GAGtB,IAAIC,EACJ,SAASC,EAAOC,GACZ,IAAIC,EACJT,EAAcC,GAAkB,EAMK,mBAA1BO,GACPA,EAAsB3O,EAAMjE,MAAMyI,MAAMQ,IACxC4J,EAAuB,CACnB/jB,KAAMyV,GAAaoF,cACnB+D,QAASzE,EACT5d,OAAQinB,KAIZjB,GAAqBpN,EAAMjE,MAAMyI,MAAMQ,GAAM2J,GAC7CC,EAAuB,CACnB/jB,KAAMyV,GAAaqF,YACnBwC,QAASwG,EACTlF,QAASzE,EACT5d,OAAQinB,IAGhB,MAAMQ,EAAgBJ,EAAiBvO,UACvC,WAAW4O,MAAK,KACRL,IAAmBI,IACnBV,GAAc,EAClB,IAEJC,GAAkB,EAElBlB,GAAqBN,EAAegC,EAAsB5O,EAAMjE,MAAMyI,MAAMQ,GAChF,CACA,MAAMiD,EAAS+F,EACT,WACE,MAAM,MAAEjS,GAAUrL,EACZqe,EAAWhT,EAAQA,IAAU,CAAC,EAEpC1V,KAAKqoB,QAAQ7F,IACT,GAAOA,EAAQkG,EAAS,GAEhC,EAMUrC,GAcd,SAASsC,EAAW3nB,EAAM8C,GACtB,OAAO,WACH4V,GAAeC,GACf,MAAMvX,EAAOR,MAAMkhB,KAAKxgB,WAClBsmB,EAAoB,GACpBC,EAAsB,GAe5B,IAAIC,EAPJjC,GAAqBoB,EAAqB,CACtC7lB,OACApB,OACA0d,QACAyG,MAXJ,SAAe5S,GACXqW,EAAkBpoB,KAAK+R,EAC3B,EAUI6S,QATJ,SAAiB7S,GACbsW,EAAoBroB,KAAK+R,EAC7B,IAUA,IACIuW,EAAMhlB,EAAOrB,MAAMzC,MAAQA,KAAK2e,MAAQA,EAAM3e,KAAO0e,EAAOtc,EAEhE,CACA,MAAOsD,GAEH,MADAmhB,GAAqBgC,EAAqBnjB,GACpCA,CACV,CACA,OAAIojB,aAAe/iB,QACR+iB,EACFL,MAAMtK,IACP0I,GAAqB+B,EAAmBzK,GACjCA,KAENzL,OAAOhN,IACRmhB,GAAqBgC,EAAqBnjB,GACnCK,QAAQgI,OAAOrI,OAI9BmhB,GAAqB+B,EAAmBE,GACjCA,EACX,CACJ,CACA,MAAMjE,GAA4B,SAAQ,CACtCrE,QAAS,CAAC,EACVkC,QAAS,CAAC,EACVhN,MAAO,GACPyS,aAEEY,EAAe,CACjBC,GAAIrP,EAEJgF,MACAuG,UAAWoB,GAAgBrB,KAAK,KAAMgD,GACtCI,SACAzG,SACA,UAAAiE,CAAWtT,EAAUlI,EAAU,CAAC,GAC5B,MAAMoc,EAAqBH,GAAgBC,EAAehU,EAAUlI,EAAQ0b,UAAU,IAAMkD,MACtFA,EAAc/gB,EAAMghB,KAAI,KAAM,UAAM,IAAMvP,EAAMjE,MAAMyI,MAAMQ,KAAOjJ,KAC/C,SAAlBrL,EAAQ2b,MAAmB+B,EAAkBD,IAC7CvV,EAAS,CACL6Q,QAASzE,EACTna,KAAMyV,GAAamF,OACnBre,OAAQinB,GACTtS,EACP,GACD,GAAO,CAAC,EAAGmS,EAAmBxd,MACjC,OAAOoc,CACX,EACAP,SApFJ,WACIhe,EAAMihB,OACN5C,EAAgB,GAChB0B,EAAsB,GACtBtO,EAAMxD,GAAG3Q,OAAOmZ,EACpB,GAkFI,QAEAoK,EAAaK,IAAK,GAEtB,MAAM1K,GAAQ,SAAoDvE,GAC5D,GAAO,CACL0K,cACAvB,mBAAmB,SAAQ,IAAI4D,MAChC6B,GAIDA,GAGNpP,EAAMxD,GAAGwN,IAAIhF,EAAKD,GAClB,MAEM2K,GAFkB1P,EAAM2P,IAAM3P,EAAM2P,GAAGC,gBAAmBzC,KAE9B,IAAMnN,EAAM6P,GAAGN,KAAI,KAAOhhB,GAAQ,YAAeghB,IAAIzB,OAEvF,IAAK,MAAMtf,KAAOkhB,EAAY,CAC1B,MAAMI,EAAOJ,EAAWlhB,GACxB,IAAK,SAAMshB,KAlQC1P,EAkQoB0P,IAjQ1B,SAAM1P,KAAMA,EAAE2P,UAiQsB,SAAWD,GAOvC9B,KAEFO,IAjRGyB,EAiR2BF,EAhRvC,MAC2BnC,GAAehoB,IAAIqqB,GAC9C7P,GAAc6P,IAASA,EAAIlqB,eAAe4nB,QA+Q7B,SAAMoC,GACNA,EAAKtL,MAAQ+J,EAAa/f,GAK1B4e,GAAqB0C,EAAMvB,EAAa/f,KAK5C,OACA,SAAIwR,EAAMjE,MAAMyI,MAAMQ,GAAMxW,EAAKshB,GAGjC9P,EAAMjE,MAAMyI,MAAMQ,GAAKxW,GAAOshB,QASrC,GAAoB,mBAATA,EAAqB,CAEjC,MAAMG,EAAsEjB,EAAWxgB,EAAKshB,GAIxF,OACA,SAAIJ,EAAYlhB,EAAKyhB,GAIrBP,EAAWlhB,GAAOyhB,EAQtBhC,EAAiBpH,QAAQrY,GAAOshB,CACpC,CAgBJ,CA9UJ,IAAuBE,EAMH5P,EA4ahB,GAjGI,MACAxa,OAAOuf,KAAKuK,GAAYjH,SAASja,KAC7B,SAAIuW,EAAOvW,EAAKkhB,EAAWlhB,GAAK,KAIpC,GAAOuW,EAAO2K,GAGd,IAAO,SAAM3K,GAAQ2K,IAKzB9pB,OAAOsqB,eAAenL,EAAO,SAAU,CACnCiD,IAAK,IAAyEhI,EAAMjE,MAAMyI,MAAMQ,GAChGgF,IAAMjO,IAKF2S,GAAQ7F,IACJ,GAAOA,EAAQ9M,EAAM,GACvB,IA0ENyE,GAAc,CACd,MAAM2P,EAAgB,CAClBC,UAAU,EACVC,cAAc,EAEdC,YAAY,GAEhB,CAAC,KAAM,cAAe,WAAY,qBAAqB7H,SAAS8H,IAC5D3qB,OAAOsqB,eAAenL,EAAOwL,EAAG,GAAO,CAAE/L,MAAOO,EAAMwL,IAAMJ,GAAe,GAEnF,CA6CA,OA3CI,QAEApL,EAAM0K,IAAK,GAGfzP,EAAMqP,GAAG5G,SAAS+H,IAEd,GAAIhQ,GAAc,CACd,MAAMiQ,EAAaliB,EAAMghB,KAAI,IAAMiB,EAAS,CACxCzL,QACAoB,IAAKnG,EAAM2P,GACX3P,QACAtP,QAASud,MAEbroB,OAAOuf,KAAKsL,GAAc,CAAC,GAAGhI,SAASja,GAAQuW,EAAM4E,kBAAkBrd,IAAIkC,KAC3E,GAAOuW,EAAO0L,EAClB,MAEI,GAAO1L,EAAOxW,EAAMghB,KAAI,IAAMiB,EAAS,CACnCzL,QACAoB,IAAKnG,EAAM2P,GACX3P,QACAtP,QAASud,MAEjB,IAYAM,GACAP,GACAtd,EAAQggB,SACRhgB,EAAQggB,QAAQ3L,EAAM8D,OAAQ0F,GAElCJ,GAAc,EACdC,GAAkB,EACXrJ,CACX,CAyRA,MCl6DM4L,IAAa1S,EAAAA,GAAAA,GAAU,QAAS,SAAU,CAC5C2S,aAAa,EACbC,qBAAqB,EACrBC,sBAAsB,EACtBC,oBAAoB,EACpBC,WAAW,ICWFhR,GFg7Bb,WACI,MAAMzR,GAAQ,UAAY,GAGpBwN,EAAQxN,EAAMghB,KAAI,KAAM,SAAI,CAAC,KACnC,IAAIF,EAAK,GAEL4B,EAAgB,GACpB,MAAMjR,GAAQ,SAAQ,CAClB,OAAAkR,CAAQ/K,GAGJpG,GAAeC,GACV,QACDA,EAAM2P,GAAKxJ,EACXA,EAAIgL,QAAQlR,GAAaD,GACzBmG,EAAIiL,OAAOC,iBAAiBC,OAAStR,EAEjCQ,IACA0F,GAAsBC,EAAKnG,GAE/BiR,EAAcxI,SAAS8I,GAAWlC,EAAGxoB,KAAK0qB,KAC1CN,EAAgB,GAExB,EACA,GAAAO,CAAID,GAOA,OANKlrB,KAAKspB,IAAO,MAIbN,EAAGxoB,KAAK0qB,GAHRN,EAAcpqB,KAAK0qB,GAKhBlrB,IACX,EACAgpB,KAGAM,GAAI,KACJE,GAAIthB,EACJiO,GAAI,IAAI8Q,IACRvR,UAOJ,OAHIyE,IAAiC,oBAAVmK,OACvB3K,EAAMwR,IAAI1G,IAEP9K,CACX,CEh+BqByR,GClBf3f,IAAS6D,EAAAA,EAAAA,MACT+b,GAAwBrkB,KAAKskB,MAAOne,KAAKgT,MAAQ,IAAS,UCoChEoL,EAAAA,EAAAA,IAAmBC,IACnBD,EAAAA,EAAAA,IAAmBE,IACnBF,EAAAA,EAAAA,IAAmBG,IACnBH,EAAAA,EAAAA,IAAmBI,IACnBJ,EAAAA,EAAAA,IAAmBK,KACnBL,EAAAA,EAAAA,IAAmBM,KACnBN,EAAAA,EAAAA,IAAmBO,KACnBP,EAAAA,EAAAA,IAAmBQ,KACnBR,EAAAA,EAAAA,IAAmBS,KACnBT,EAAAA,EAAAA,IAAmBU,KAEnBC,EAAAA,EAAAA,IAAoBC,KACpBD,EAAAA,EAAAA,IAAoBE,KPEExU,EAAAA,GAAAA,GAAU,QAAS,YAAa,IAExCwK,SAAQ,CAACiK,EAAUhd,MACzB6c,EAAAA,EAAAA,IAAoB,CAChBloB,GAAI,gBAAF3C,OAAkBgrB,EAASvM,IAAG,KAAAze,OAAIgO,GACpCpL,YAAaooB,EAASna,MAEtBoa,UAAWD,EAASC,WAAa,YACjCvnB,QAAQjF,MACIA,EAAQmF,YAAcE,EAAAA,GAAWqM,QAE7CnL,MAAO,GACP,aAAM2Q,CAAQlX,EAASmX,GACnB,MAAMsV,EAAiBhU,GAAkBzY,GACnCkB,QAAawV,GAAY,GAADnV,OAAIgrB,EAASna,OAAK7Q,OAAGgrB,EAASG,WAAavV,EAAS,CAC9E/E,OAAO/N,EAAAA,EAAAA,IAAE,QAAS,YAClBnD,KAAMqrB,EAASna,QAEN,OAATlR,UAEqBurB,GACd1Y,KAAK7S,EAAMqrB,EAE1B,GACF,IElDV,MAEI,MAAMI,GAAkB7U,EAAAA,GAAAA,GAAU,QAAS,kBAAmB,IACxD8U,EAAuBD,EAAgBznB,KAAI,CAACwJ,EAAQa,IAAU+J,GAA2B5K,EAAQa,KACvG1J,EAAAA,EAAOsL,MAAM,4BAA6B,CAAEwb,oBAC5C,MAAME,GAAaC,EAAAA,EAAAA,MACnBD,EAAWE,SAAS,IAAIxT,EAAAA,GAAK,CACzBrV,GAAI,YACJhD,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,aACjB2oB,SAAS3oB,EAAAA,EAAAA,IAAE,QAAS,wCACpB4oB,YAAY5oB,EAAAA,EAAAA,IAAE,QAAS,oBACvB6oB,cAAc7oB,EAAAA,EAAAA,IAAE,QAAS,4DACzBkO,KAAMnI,EACN7D,MAAO,EACPmT,QAAS,GACT/L,YAAWA,MAEfif,EAAqBtK,SAAQle,GAAQyoB,EAAWE,SAAS3oB,MAIzD+oB,EAAAA,EAAAA,IAAU,yBAA0BzpB,IAAS,IAAA4E,EACrC5E,EAAKgB,OAASC,EAAAA,GAASG,SAIT,OAAdpB,EAAKiF,MAA2B,QAAVL,EAAC5E,EAAK6E,YAAI,IAAAD,GAATA,EAAWE,WAAW,UAIjD4kB,EAAe1pB,GAHXmC,EAAAA,EAAOD,MAAM,gDAAiD,CAAElC,SAGhD,KAKxBypB,EAAAA,EAAAA,IAAU,2BAA4BzpB,IAAS,IAAA2pB,EACvC3pB,EAAKgB,OAASC,EAAAA,GAASG,SAIT,OAAdpB,EAAKiF,MAA2B,QAAV0kB,EAAC3pB,EAAK6E,YAAI,IAAA8kB,GAATA,EAAW7kB,WAAW,UAIjD8kB,EAAwB5pB,EAAKiF,MAHzB9C,EAAAA,EAAOD,MAAM,gDAAiD,CAAElC,SAGlC,IAMtC,MAAM6pB,EAAqB,WACvBZ,EAAgBa,MAAK,CAACvR,EAAGwR,IAAMxR,EAAEtT,KAAK+kB,cAAcD,EAAE9kB,MAAMglB,EAAAA,EAAAA,MAAe,CAAEC,mBAAmB,MAChGjB,EAAgBrK,SAAQ,CAAC5T,EAAQa,KAC7B,MAAMnL,EAAOwoB,EAAqB1kB,MAAM9D,GAASA,EAAKF,KAAOsV,GAAmB9K,EAAO/F,QACnFvE,IACAA,EAAKmC,MAAQgJ,EACjB,GAER,EAEM6d,EAAiB,SAAU1pB,GAC7B,MAAMmqB,EAAoB,CAAEllB,KAAMjF,EAAKiF,KAAMwE,OAAQzJ,EAAKyJ,QACpD/I,EAAOkV,GAA2BuU,GAEpClB,EAAgBzkB,MAAMwG,GAAWA,EAAO/F,OAASjF,EAAKiF,SAI1DgkB,EAAgBjsB,KAAKmtB,GACrBjB,EAAqBlsB,KAAK0D,GAE1BmpB,IACAV,EAAWE,SAAS3oB,GACxB,EAEMkpB,EAA0B,SAAU3kB,GACtC,MAAMzE,EAAKsV,GAAmB7Q,GACxB4G,EAAQod,EAAgBmB,WAAWpf,GAAWA,EAAO/F,OAASA,KAErD,IAAX4G,IAIJod,EAAgB7F,OAAOvX,EAAO,GAC9Bqd,EAAqB9F,OAAOvX,EAAO,GAEnCsd,EAAWkB,OAAO7pB,GAClBqpB,IACJ,CACH,EK9DDS,IC9BuBlB,EAAAA,EAAAA,MACRC,SAAS,IAAIxT,EAAAA,GAAK,CACzBrV,GAAI,QACJhD,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,aACjB2oB,SAAS3oB,EAAAA,EAAAA,IAAE,QAAS,mCACpBkO,KAAMQ,GACNxM,MAAO,EACPoH,YAAWA,OCPImf,EAAAA,EAAAA,MACRC,SAAS,IAAIxT,EAAAA,GAAK,CACzBrV,GAAI,SACJhD,MAAMmD,EAAAA,EAAAA,IAAE,QAAS,UACjB2oB,SAAS3oB,EAAAA,EAAAA,IAAE,QAAS,gDACpB4oB,YAAY5oB,EAAAA,EAAAA,IAAE,QAAS,8BACvB6oB,cAAc7oB,EAAAA,EAAAA,IAAE,QAAS,8DACzBkO,6UACAhM,MAAO,EACP0nB,eAAgB,QAChBtgB,YHtBmBvH,iBAAsB,IAAA0C,EAAA,IAAfH,EAAInG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IACrC,MAAMoc,EFFwB,WAC9B,MAsBMsP,ED4mDV,SAEAC,EAAaxG,EAAOyG,GAChB,IAAIlqB,EACAqG,EACJ,MAAM8jB,EAAgC,mBAAV1G,EAa5B,SAAS2G,EAASzU,EAAO+N,GACrB,MAAM2G,GAAa,WAoDnB,OAnDA1U,EAGuFA,IAC9E0U,GAAa,SAAOzU,GAAa,MAAQ,QAE9CF,GAAeC,IAMnBA,EAAQF,IACGtD,GAAG7W,IAAI0E,KAEVmqB,EACA3G,GAAiBxjB,EAAIyjB,EAAOpd,EAASsP,GAtgBrD,SAA4B3V,EAAIqG,EAASsP,EAAO+N,GAC5C,MAAM,MAAEhS,EAAK,QAAE8K,EAAO,QAAEkC,GAAYrY,EAC9B6d,EAAevO,EAAMjE,MAAMyI,MAAMna,GACvC,IAAI0a,EAoCJA,EAAQ8I,GAAiBxjB,GAnCzB,WACSkkB,IAEG,OACA,SAAIvO,EAAMjE,MAAMyI,MAAOna,EAAI0R,EAAQA,IAAU,CAAC,GAG9CiE,EAAMjE,MAAMyI,MAAMna,GAAM0R,EAAQA,IAAU,CAAC,GAInD,MAAM4Y,GAGA,SAAO3U,EAAMjE,MAAMyI,MAAMna,IAC/B,OAAO,GAAOsqB,EAAY9N,EAASjhB,OAAOuf,KAAK4D,GAAW,CAAC,GAAG5X,QAAO,CAACyjB,EAAiBvtB,KAInFutB,EAAgBvtB,IAAQ,UAAQ,UAAS,KACrC0Y,GAAeC,GAEf,MAAM+E,EAAQ/E,EAAMxD,GAAGwL,IAAI3d,GAG3B,IAAI,OAAW0a,EAAM0K,GAKrB,OAAO1G,EAAQ1hB,GAAME,KAAKwd,EAAOA,EAAM,KAEpC6P,IACR,CAAC,GACR,GACoClkB,EAASsP,EAAO+N,GAAK,EAE7D,CAgegB8G,CAAmBxqB,EAAIqG,EAASsP,IAQ1BA,EAAMxD,GAAGwL,IAAI3d,EAyB/B,CAEA,MApE2B,iBAAhBiqB,GACPjqB,EAAKiqB,EAEL5jB,EAAU8jB,EAAeD,EAAezG,IAGxCpd,EAAU4jB,EACVjqB,EAAKiqB,EAAYjqB,IA4DrBoqB,EAASzP,IAAM3a,EACRoqB,CACX,CC7sDkBK,CAAY,aAAc,CACpC/Y,MAAOA,KAAA,CACH4U,gBAEJ9J,QAAS,CAILkO,QAAAA,CAASvmB,EAAKgW,GACVlU,EAAAA,GAAAA,IAAQjK,KAAKsqB,WAAYniB,EAAKgW,EAClC,EAIA,YAAMwQ,CAAOxmB,EAAKgW,SACR5Y,EAAAA,EAAMqpB,KAAIxnB,EAAAA,EAAAA,IAAY,6BAA+Be,GAAM,CAC7DgW,WAEJrc,EAAAA,EAAAA,IAAK,uBAAwB,CAAEqG,MAAKgW,SACxC,IAGgBO,IAAMpc,WAQ9B,OANK0rB,EAAgBa,gBACjB5B,EAAAA,EAAAA,IAAU,wBAAwB,SAAAxZ,GAA0B,IAAhB,IAAEtL,EAAG,MAAEgW,GAAO1K,EACtDua,EAAgBU,SAASvmB,EAAKgW,EAClC,IACA6P,EAAgBa,cAAe,GAE5Bb,CACX,CE9BkBc,CAAmBnV,IAmB3BpL,SAXyB9C,GAAO0C,qBAAqB1F,EAAM,CAC7D2F,SAAS,EACThF,MAAM2lB,EAAAA,EAAAA,IAAmB1D,IACzBpf,QAAS,CAELC,OAAQ,SAER,eAAgB,kCAEpB0Z,MAAM,KAEwBxc,KAClC,MAAO,CACHoF,OAAQ,IAAI5J,EAAAA,GAAO,CACfZ,GAAI,EACJ4B,OAAQ,GAAFvE,OAAK2tB,EAAAA,IAAY3tB,OAAGoO,EAAAA,IAC1BpH,KAAMoH,EAAAA,GACN5C,OAAuB,QAAhBjE,GAAAG,EAAAA,EAAAA,aAAgB,IAAAH,OAAA,EAAhBA,EAAkBE,MAAO,KAChC7D,YAAaE,EAAAA,GAAWuC,OAE5B6G,SAAUA,EAASvJ,KAAKiqB,IAAM9e,EAAAA,EAAAA,IAAgB8e,KAAIxgB,QAvBhCjL,GAAkB,MAATiF,GACxBiW,EAAM4L,WAAWC,cAChB/mB,EAAKwG,QAAQklB,MAAM,KAAK7qB,MAAMiB,GAAQA,EAAIgD,WAAW,SAuBjE,KIpBK,kBAAmBmT,UAEtBzS,OAAOmmB,iBAAiB,QAAQjpB,UAC/B,IACC,MAAMK,GAAMa,EAAAA,EAAAA,IAAY,wCAAyC,CAAC,EAAG,CAAEgoB,WAAW,IAC5EC,QAAqB5T,UAAU6T,cAAczC,SAAStmB,EAAK,CAAE2B,MAAO,MAC1EvC,EAAAA,EAAOsL,MAAM,kBAAmB,CAAEoe,gBACnC,CAAE,MAAO3pB,GACRC,EAAAA,EAAOD,MAAM,2BAA4B,CAAEA,SAC5C,KAGDC,EAAAA,EAAOsL,MAAM,mDHwBfse,EAAAA,EAAAA,IAAoB,YAAa,CAAEC,GAAI,6BACvCD,EAAAA,EAAAA,IAAoB,mBAAoB,CAAEC,GAAI,6BIvC1CD,EAAAA,EAAAA,IAAoB,+BAAgC,CAAEC,GAAI,sHCWvD,MAAM3f,EAAgB,SAAC7O,EAAMqT,GAChC,MAAMqG,EAAO,CACT3K,OAASD,GAAC,IAAAzO,OAASyO,EAAC,KACpBE,qBAAqB,KAH0B1N,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,GAMvD,IAAImtB,EAAUzuB,EACVQ,EAAI,EACR,KAAO6S,EAAW5C,SAASge,IAAU,CACjC,MAAMC,EAAMhV,EAAK1K,oBAAsB,IAAK2f,EAAAA,EAAAA,SAAQ3uB,GAC9C4uB,GAAOpoB,EAAAA,EAAAA,UAASxG,EAAM0uB,GAC5BD,EAAU,GAAHpuB,OAAMuuB,EAAI,KAAAvuB,OAAIqZ,EAAK3K,OAAOvO,MAAIH,OAAGquB,EAC5C,CACA,OAAOD,CACX,EACaI,EAAiB,SAAUpnB,GACpC,MAAMqnB,GAAgBrnB,EAAKH,WAAW,KAAOG,EAAO,IAAHpH,OAAOoH,IAAQymB,MAAM,KACtE,IAAIa,EAAe,GAMnB,OALAD,EAAa1N,SAAS4N,IACF,KAAZA,IACAD,GAAgB,IAAMzY,mBAAmB0Y,GAC7C,IAEGD,CACX,gHCtDIE,EAAgC,IAAI/T,IAAI,cACxCgU,EAAgC,IAAIhU,IAAI,cACxCiU,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwB3vB,KAAK,CAACuC,EAAOiB,GAAI,0hEAiEfosB,+oCAyCAC,s+MA8QvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,24FAA24F,eAAiB,CAAC,sqUAAsqU,WAAa,MAElsa,4FCjYIF,QAA0B,GAA4B,KAE1DA,EAAwB3vB,KAAK,CAACuC,EAAOiB,GAAI,0zBAsCtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,yTAAyT,eAAiB,CAAC,2zBAA2zB,WAAa,MAEpxC,qBC1BA,SAASssB,EAAcC,EAAWC,GAChC,OAAO,MAACD,EAAiCC,EAAID,CAC/C,CA8EAxtB,EAAOC,QA5EP,SAAiBqH,GAEf,IAbyBomB,EAarBC,EAAMJ,GADVjmB,EAAUA,GAAW,CAAC,GACAqmB,IAAK,GACvB3lB,EAAMulB,EAAIjmB,EAAQU,IAAK,GACvB4lB,EAAYL,EAAIjmB,EAAQsmB,WAAW,GACnCC,EAAqBN,EAAIjmB,EAAQumB,oBAAoB,GAErDC,EAA2B,KAC3BC,EAAoC,KACpCC,EAAmC,KAEnCtiB,GAtBqBgiB,EAsBMH,EAAIjmB,EAAQ2mB,oBAAqB,KArBzD,SAAUC,EAAgB5b,EAAO6b,GAEtC,OAAOD,EADOC,GAAMA,EAAKT,IACQpb,EAAQ4b,EAC3C,GAoBA,SAASE,IACPC,EAAOrmB,EACT,CAWA,SAASqmB,EAAOC,EAAwBC,GAKtC,GAJyB,iBAAdA,IACTA,EAAYnkB,KAAKgT,OAGf2Q,IAAkBQ,KAClBV,GAAsBG,IAAiBM,GAA3C,CAEA,GAAsB,OAAlBP,GAA2C,OAAjBC,EAG5B,OAFAA,EAAeM,OACfP,EAAgBQ,GAIlB,IACIC,EAAiB,MAASD,EAAYR,GACtCU,GAFgBH,EAAWN,GAEGQ,EAElCV,EAAgB,OAATA,EACHW,EACA/iB,EAAOoiB,EAAMW,EAAaD,GAC9BR,EAAeM,EACfP,EAAgBQ,CAhB+C,CAiBjE,CAkBA,MAAO,CACLH,MAAOA,EACPM,MApDF,WACEZ,EAAO,KACPC,EAAgB,KAChBC,EAAe,KACXJ,GACFQ,GAEJ,EA8CEC,OAAQA,EACRM,SApBF,SAAkBJ,GAChB,GAAqB,OAAjBP,EAAyB,OAAOY,IACpC,GAAIZ,GAAgBL,EAAO,OAAO,EAClC,GAAa,OAATG,EAAiB,OAAOc,IAE5B,IAAIC,GAAiBlB,EAAMK,GAAgBF,EAI3C,MAHyB,iBAAdS,GAAmD,iBAAlBR,IAC1Cc,GAA+C,MAA7BN,EAAYR,IAEzB9pB,KAAK0pB,IAAI,EAAGkB,EACrB,EAWEf,KATF,WACE,OAAgB,OAATA,EAAgB,EAAIA,CAC7B,EASF,g+BCpEA,MAMMlrB,EALS,QADIksB,GAMM,YAJd,UAAmB3uB,OAAO,SAASE,SAErC,UAAmBF,OAAO,SAAS4uB,OAAOD,EAAK/oB,KAAK1F,QAJ3C,IAACyuB,EAkCnB,MAAME,EACJC,SAAW,GACX,aAAAC,CAAclb,GACZ/W,KAAKkyB,cAAcnb,GACnBA,EAAMob,SAAWpb,EAAMob,UAAY,EACnCnyB,KAAKgyB,SAASxxB,KAAKuW,EACrB,CACA,eAAAqb,CAAgBrb,GACd,MAAMsb,EAA8B,iBAAVtb,EAAqB/W,KAAKsyB,cAAcvb,GAAS/W,KAAKsyB,cAAcvb,EAAM/S,KAChF,IAAhBquB,EAIJryB,KAAKgyB,SAASpL,OAAOyL,EAAY,GAH/B1sB,EAAO+X,KAAK,mCAAoC,CAAE3G,QAAOwb,QAASvyB,KAAKwyB,cAI3E,CAMA,UAAAA,CAAW1yB,GACT,OAAIA,EACKE,KAAKgyB,SAASvjB,QAAQsI,GAAmC,mBAAlBA,EAAMhS,SAAyBgS,EAAMhS,QAAQjF,KAEtFE,KAAKgyB,QACd,CACA,aAAAM,CAActuB,GACZ,OAAOhE,KAAKgyB,SAASpE,WAAW7W,GAAUA,EAAM/S,KAAOA,GACzD,CACA,aAAAkuB,CAAcnb,GACZ,IAAKA,EAAM/S,KAAO+S,EAAM9S,cAAiB8S,EAAMjS,gBAAiBiS,EAAMuV,YAAevV,EAAMC,QACzF,MAAM,IAAItK,MAAM,iBAElB,GAAwB,iBAAbqK,EAAM/S,IAAgD,iBAAtB+S,EAAM9S,YAC/C,MAAM,IAAIyI,MAAM,sCAElB,GAAIqK,EAAMuV,WAAwC,iBAApBvV,EAAMuV,WAA0BvV,EAAMjS,eAAgD,iBAAxBiS,EAAMjS,cAChG,MAAM,IAAI4H,MAAM,yBAElB,QAAsB,IAAlBqK,EAAMhS,SAA+C,mBAAlBgS,EAAMhS,QAC3C,MAAM,IAAI2H,MAAM,4BAElB,GAA6B,mBAAlBqK,EAAMC,QACf,MAAM,IAAItK,MAAM,4BAElB,GAAI,UAAWqK,GAAgC,iBAAhBA,EAAM1Q,MACnC,MAAM,IAAIqG,MAAM,0BAElB,IAAsC,IAAlC1M,KAAKsyB,cAAcvb,EAAM/S,IAC3B,MAAM,IAAI0I,MAAM,kBAEpB,EAEF,MAAM+lB,EAAiB,WAKrB,YAJsC,IAA3BzpB,OAAO0pB,kBAChB1pB,OAAO0pB,gBAAkB,IAAIX,EAC7BpsB,EAAOsL,MAAM,4BAERjI,OAAO0pB,eAChB,EAsBA,IAAItf,EAA8B,CAAEuf,IAClCA,EAAsB,QAAI,UAC1BA,EAAqB,OAAI,SAClBA,GAHyB,CAI/Bvf,GAAe,CAAC,GACnB,MAAMrP,EACJ6uB,QACA,WAAAC,CAAY/uB,GACV9D,KAAK8yB,eAAehvB,GACpB9D,KAAK4yB,QAAU9uB,CACjB,CACA,MAAIE,GACF,OAAOhE,KAAK4yB,QAAQ5uB,EACtB,CACA,eAAIC,GACF,OAAOjE,KAAK4yB,QAAQ3uB,WACtB,CACA,SAAI2Y,GACF,OAAO5c,KAAK4yB,QAAQhW,KACtB,CACA,iBAAI9X,GACF,OAAO9E,KAAK4yB,QAAQ9tB,aACtB,CACA,WAAIC,GACF,OAAO/E,KAAK4yB,QAAQ7tB,OACtB,CACA,QAAIM,GACF,OAAOrF,KAAK4yB,QAAQvtB,IACtB,CACA,aAAIQ,GACF,OAAO7F,KAAK4yB,QAAQ/sB,SACtB,CACA,SAAIQ,GACF,OAAOrG,KAAK4yB,QAAQvsB,KACtB,CACA,UAAIwS,GACF,OAAO7Y,KAAK4yB,QAAQ/Z,MACtB,CACA,WAAI,GACF,OAAO7Y,KAAK4yB,QAAQzf,OACtB,CACA,UAAI4f,GACF,OAAO/yB,KAAK4yB,QAAQG,MACtB,CACA,gBAAIC,GACF,OAAOhzB,KAAK4yB,QAAQI,YACtB,CACA,cAAAF,CAAehvB,GACb,IAAKA,EAAOE,IAA2B,iBAAdF,EAAOE,GAC9B,MAAM,IAAI0I,MAAM,cAElB,IAAK5I,EAAOG,aAA6C,mBAAvBH,EAAOG,YACvC,MAAM,IAAIyI,MAAM,gCAElB,GAAI,UAAW5I,GAAkC,mBAAjBA,EAAO8Y,MACrC,MAAM,IAAIlQ,MAAM,0BAElB,IAAK5I,EAAOgB,eAAiD,mBAAzBhB,EAAOgB,cACzC,MAAM,IAAI4H,MAAM,kCAElB,IAAK5I,EAAOuB,MAA+B,mBAAhBvB,EAAOuB,KAChC,MAAM,IAAIqH,MAAM,yBAElB,GAAI,YAAa5I,GAAoC,mBAAnBA,EAAOiB,QACvC,MAAM,IAAI2H,MAAM,4BAElB,GAAI,cAAe5I,GAAsC,mBAArBA,EAAO+B,UACzC,MAAM,IAAI6G,MAAM,8BAElB,GAAI,UAAW5I,GAAkC,iBAAjBA,EAAOuC,MACrC,MAAM,IAAIqG,MAAM,iBAElB,GAAI,WAAY5I,GAAmC,iBAAlBA,EAAO+U,OACtC,MAAM,IAAInM,MAAM,kBAElB,GAAI5I,EAAOqP,UAAY5T,OAAO4iB,OAAO/O,GAAa3B,SAAS3N,EAAOqP,SAChE,MAAM,IAAIzG,MAAM,mBAElB,GAAI,WAAY5I,GAAmC,mBAAlBA,EAAOivB,OACtC,MAAM,IAAIrmB,MAAM,2BAElB,GAAI,iBAAkB5I,GAAyC,mBAAxBA,EAAOkvB,aAC5C,MAAM,IAAItmB,MAAM,gCAEpB,EAEF,MAAM6e,EAAqB,SAASznB,QACI,IAA3BkF,OAAOiqB,kBAChBjqB,OAAOiqB,gBAAkB,GACzBttB,EAAOsL,MAAM,4BAEXjI,OAAOiqB,gBAAgBjrB,MAAMkrB,GAAWA,EAAOlvB,KAAOF,EAAOE,KAC/D2B,EAAOD,MAAM,cAAc5B,EAAOE,wBAAyB,CAAEF,WAG/DkF,OAAOiqB,gBAAgBzyB,KAAKsD,EAC9B,EA2GA,IAAIqB,EAA6B,CAAEguB,IACjCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAmB,MAAI,IAAM,QACzCA,EAAYA,EAAiB,IAAI,IAAM,MAChCA,GARwB,CAS9BhuB,GAAc,CAAC,GAuBlB,MAAMiuB,EAAuB,CAC3B,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WAEIC,EAAuB,CAC3B7C,EAAG,OACHhB,GAAI,0BACJ8D,GAAI,yBACJjqB,IAAK,6CAEDkmB,EAAsB,SAAS9F,EAAM8J,EAAY,CAAE/D,GAAI,iCAClB,IAA9BxmB,OAAOwqB,qBAChBxqB,OAAOwqB,mBAAqB,IAAIJ,GAChCpqB,OAAOyqB,mBAAqB,IAAKJ,IAEnC,MAAMK,EAAa,IAAK1qB,OAAOyqB,sBAAuBF,GACtD,OAAIvqB,OAAOwqB,mBAAmBxrB,MAAMkrB,GAAWA,IAAWzJ,KACxD9jB,EAAO+X,KAAK,GAAG+L,uBAA2B,CAAEA,UACrC,GAELA,EAAKnhB,WAAW,MAAmC,IAA3BmhB,EAAKyF,MAAM,KAAKxtB,QAC1CiE,EAAOD,MAAM,GAAG+jB,2CAA+C,CAAEA,UAC1D,GAGJiK,EADMjK,EAAKyF,MAAM,KAAK,KAK3BlmB,OAAOwqB,mBAAmBhzB,KAAKipB,GAC/BzgB,OAAOyqB,mBAAqBC,GACrB,IALL/tB,EAAOD,MAAM,GAAG+jB,sBAA0B,CAAEA,OAAMiK,gBAC3C,EAKX,EACMC,EAAmB,WAIvB,YAHyC,IAA9B3qB,OAAOwqB,qBAChBxqB,OAAOwqB,mBAAqB,IAAIJ,IAE3BpqB,OAAOwqB,mBAAmBxuB,KAAKykB,GAAS,IAAIA,SAAWja,KAAK,IACrE,EACMokB,EAAmB,WAIvB,YAHyC,IAA9B5qB,OAAOyqB,qBAChBzqB,OAAOyqB,mBAAqB,IAAKJ,IAE5B9zB,OAAOuf,KAAK9V,OAAOyqB,oBAAoBzuB,KAAK6uB,GAAO,SAASA,MAAO7qB,OAAOyqB,qBAAqBI,QAAQrkB,KAAK,IACrH,EACM3B,EAAwB,WAC5B,MAAO,0CACO+lB,iCAEVD,yCAGN,EACMza,EAAwB,WAC5B,MAAO,+CACY0a,iCAEfD,uIAMN,EACM5E,EAAqB,SAAS+E,GAClC,MAAO,4DACUF,8HAKbD,iGAKe,WAAkB7qB,0nBA0BrBgrB,yXAkBlB,EAuBMlnB,EAAsB,SAASmnB,EAAa,IAChD,IAAI9uB,EAAcE,EAAWiF,KAC7B,OAAK2pB,IAGDA,EAAWtiB,SAAS,MAAQsiB,EAAWtiB,SAAS,QAClDxM,GAAeE,EAAWqM,QAExBuiB,EAAWtiB,SAAS,OACtBxM,GAAeE,EAAWuC,OAExBqsB,EAAWtiB,SAAS,MAAQsiB,EAAWtiB,SAAS,MAAQsiB,EAAWtiB,SAAS,QAC9ExM,GAAeE,EAAWqD,QAExBurB,EAAWtiB,SAAS,OACtBxM,GAAeE,EAAWC,QAExB2uB,EAAWtiB,SAAS,OACtBxM,GAAeE,EAAW6uB,OAErB/uB,GAjBEA,CAkBX,EAsBA,IAAIR,EAA2B,CAAEwvB,IAC/BA,EAAkB,OAAI,SACtBA,EAAgB,KAAI,OACbA,GAHsB,CAI5BxvB,GAAY,CAAC,GAsBhB,MAAMqO,EAAiB,SAASlN,EAAQsuB,GACtC,OAAoC,OAA7BtuB,EAAOuuB,MAAMD,EACtB,EACME,EAAe,CAAChrB,EAAM8qB,KAC1B,GAAI9qB,EAAKpF,IAAyB,iBAAZoF,EAAKpF,GACzB,MAAM,IAAI0I,MAAM,4BAElB,IAAKtD,EAAKxD,OACR,MAAM,IAAI8G,MAAM,4BAElB,IACE,IAAIwP,IAAI9S,EAAKxD,OACf,CAAE,MAAOgN,GACP,MAAM,IAAIlG,MAAM,oDAClB,CACA,IAAKtD,EAAKxD,OAAO0C,WAAW,QAC1B,MAAM,IAAIoE,MAAM,oDAElB,GAAItD,EAAK8D,SAAW9D,EAAK8D,iBAAiBC,MACxC,MAAM,IAAIT,MAAM,sBAElB,GAAItD,EAAKirB,UAAYjrB,EAAKirB,kBAAkBlnB,MAC1C,MAAM,IAAIT,MAAM,uBAElB,IAAKtD,EAAKiE,MAA6B,iBAAdjE,EAAKiE,OAAsBjE,EAAKiE,KAAK8mB,MAAM,yBAClE,MAAM,IAAIznB,MAAM,qCAElB,GAAI,SAAUtD,GAA6B,iBAAdA,EAAKkE,WAAmC,IAAdlE,EAAKkE,KAC1D,MAAM,IAAIZ,MAAM,qBAElB,GAAI,gBAAiBtD,QAA6B,IAArBA,EAAKnE,eAAwD,iBAArBmE,EAAKnE,aAA4BmE,EAAKnE,aAAeE,EAAWiF,MAAQhB,EAAKnE,aAAeE,EAAW6F,KAC1K,MAAM,IAAI0B,MAAM,uBAElB,GAAItD,EAAKyD,OAAwB,OAAfzD,EAAKyD,OAAwC,iBAAfzD,EAAKyD,MACnD,MAAM,IAAIH,MAAM,sBAElB,GAAItD,EAAK3F,YAAyC,iBAApB2F,EAAK3F,WACjC,MAAM,IAAIiJ,MAAM,2BAElB,GAAItD,EAAKf,MAA6B,iBAAde,EAAKf,KAC3B,MAAM,IAAIqE,MAAM,qBAElB,GAAItD,EAAKf,OAASe,EAAKf,KAAKC,WAAW,KACrC,MAAM,IAAIoE,MAAM,wCAElB,GAAItD,EAAKf,OAASe,EAAKxD,OAAO6L,SAASrI,EAAKf,MAC1C,MAAM,IAAIqE,MAAM,mCAElB,GAAItD,EAAKf,MAAQyK,EAAe1J,EAAKxD,OAAQsuB,GAAa,CACxD,MAAMI,EAAUlrB,EAAKxD,OAAOuuB,MAAMD,GAAY,GAC9C,IAAK9qB,EAAKxD,OAAO6L,UAAS,IAAAjC,MAAK8kB,EAASlrB,EAAKf,OAC3C,MAAM,IAAIqE,MAAM,4DAEpB,CACA,GAAItD,EAAK2H,SAAWxR,OAAO4iB,OAAOjT,GAAYuC,SAASrI,EAAK2H,QAC1D,MAAM,IAAIrE,MAAM,oCAClB,EAuBF,IAAIwC,EAA6B,CAAEqlB,IACjCA,EAAiB,IAAI,MACrBA,EAAoB,OAAI,SACxBA,EAAqB,QAAI,UACzBA,EAAoB,OAAI,SACjBA,GALwB,CAM9BrlB,GAAc,CAAC,GAClB,MAAMslB,EACJC,MACAC,YACAC,iBAAmB,mCACnBC,mBAAqBr1B,OAAOgzB,QAAQhzB,OAAOs1B,0BAA0BL,EAAKh1B,YAAYiP,QAAQmE,GAA0B,mBAAbA,EAAE,GAAG+O,KAA+B,cAAT/O,EAAE,KAAoB5N,KAAK4N,GAAMA,EAAE,KACzKoE,QAAU,CACR2M,IAAK,CAAChU,EAAQ8Z,EAAMtL,KACdne,KAAK40B,mBAAmBnjB,SAASgY,KAGrCzpB,KAAK80B,cACEvQ,QAAQZ,IAAIhU,EAAQ8Z,EAAMtL,IAEnC4W,eAAgB,CAACplB,EAAQ8Z,KACnBzpB,KAAK40B,mBAAmBnjB,SAASgY,KAGrCzpB,KAAK80B,cACEvQ,QAAQwQ,eAAeplB,EAAQ8Z,IAGxC9H,IAAK,CAAChS,EAAQ8Z,EAAMuL,IACdh1B,KAAK40B,mBAAmBnjB,SAASgY,IACnC9jB,EAAO+X,KAAK,8BAA8B+L,8DACnClF,QAAQ5C,IAAI3hB,KAAMypB,IAEpBlF,QAAQ5C,IAAIhS,EAAQ8Z,EAAMuL,IAGrC,WAAAnC,CAAYzpB,EAAM8qB,GAChBE,EAAahrB,EAAM8qB,GAAcl0B,KAAK20B,kBACtC30B,KAAKy0B,MAAQ,IAAKrrB,EAAM3F,WAAY,CAAC,GACrCzD,KAAK00B,YAAc,IAAIpQ,MAAMtkB,KAAKy0B,MAAMhxB,WAAYzD,KAAKgX,SACzDhX,KAAK2uB,OAAOvlB,EAAK3F,YAAc,CAAC,GAChCzD,KAAKy0B,MAAMvnB,MAAQ9D,EAAK8D,MACpBgnB,IACFl0B,KAAK20B,iBAAmBT,EAE5B,CAMA,UAAItuB,GACF,OAAO5F,KAAKy0B,MAAM7uB,OAAOwX,QAAQ,OAAQ,GAC3C,CAIA,iBAAI3X,GACF,MAAM,OAAEwW,GAAW,IAAIC,IAAIlc,KAAK4F,QAChC,OAAOqW,GAAS,QAAWjc,KAAK4F,OAAOzE,MAAM8a,EAAOva,QACtD,CAMA,YAAI8F,GACF,OAAO,IAAAA,UAASxH,KAAK4F,OACvB,CAMA,aAAI4mB,GACF,OAAO,IAAAmD,SAAQ3vB,KAAK4F,OACtB,CAQA,WAAIoE,GACF,GAAIhK,KAAKqI,KAAM,CACb,IAAIzC,EAAS5F,KAAK4F,OACd5F,KAAK8S,iBACPlN,EAASA,EAAOspB,MAAMlvB,KAAK20B,kBAAkBM,OAE/C,MAAMC,EAAatvB,EAAO+gB,QAAQ3mB,KAAKqI,MACjCA,EAAOrI,KAAKqI,KAAK+U,QAAQ,MAAO,IACtC,OAAO,IAAApT,SAAQpE,EAAOzE,MAAM+zB,EAAa7sB,EAAK3G,SAAW,IAC3D,CACA,MAAM6E,EAAM,IAAI2V,IAAIlc,KAAK4F,QACzB,OAAO,IAAAoE,SAAQzD,EAAI4uB,SACrB,CAKA,QAAI9nB,GACF,OAAOrN,KAAKy0B,MAAMpnB,IACpB,CAMA,SAAIH,GACF,OAAOlN,KAAKy0B,MAAMvnB,KACpB,CAKA,UAAImnB,GACF,OAAOr0B,KAAKy0B,MAAMJ,MACpB,CAIA,QAAI/mB,GACF,OAAOtN,KAAKy0B,MAAMnnB,IACpB,CAIA,QAAIA,CAAKA,GACPtN,KAAK80B,cACL90B,KAAKy0B,MAAMnnB,KAAOA,CACpB,CAKA,cAAI7J,GACF,OAAOzD,KAAK00B,WACd,CAIA,eAAIzvB,GACF,OAAmB,OAAfjF,KAAK6M,OAAmB7M,KAAK8S,oBAGC,IAA3B9S,KAAKy0B,MAAMxvB,YAAyBjF,KAAKy0B,MAAMxvB,YAAcE,EAAWiF,KAFtEjF,EAAWuC,IAGtB,CAIA,eAAIzC,CAAYA,GACdjF,KAAK80B,cACL90B,KAAKy0B,MAAMxvB,YAAcA,CAC3B,CAKA,SAAI4H,GACF,OAAK7M,KAAK8S,eAGH9S,KAAKy0B,MAAM5nB,MAFT,IAGX,CAIA,kBAAIiG,GACF,OAAOA,EAAe9S,KAAK4F,OAAQ5F,KAAK20B,iBAC1C,CAKA,QAAItsB,GACF,OAAIrI,KAAKy0B,MAAMpsB,KACNrI,KAAKy0B,MAAMpsB,KAAK+U,QAAQ,WAAY,MAEzCpd,KAAK8S,iBACM,IAAA9I,SAAQhK,KAAK4F,QACdspB,MAAMlvB,KAAK20B,kBAAkBM,OAEpC,IACT,CAIA,QAAIxsB,GACF,GAAIzI,KAAKqI,KAAM,CACb,IAAIzC,EAAS5F,KAAK4F,OACd5F,KAAK8S,iBACPlN,EAASA,EAAOspB,MAAMlvB,KAAK20B,kBAAkBM,OAE/C,MAAMC,EAAatvB,EAAO+gB,QAAQ3mB,KAAKqI,MACjCA,EAAOrI,KAAKqI,KAAK+U,QAAQ,MAAO,IACtC,OAAOxX,EAAOzE,MAAM+zB,EAAa7sB,EAAK3G,SAAW,GACnD,CACA,OAAQ1B,KAAKgK,QAAU,IAAMhK,KAAKwH,UAAU4V,QAAQ,QAAS,IAC/D,CAKA,UAAInQ,GACF,OAAOjN,KAAKy0B,OAAOzwB,EACrB,CAIA,UAAI+M,GACF,OAAO/Q,KAAKy0B,OAAO1jB,MACrB,CAIA,UAAIA,CAAOA,GACT/Q,KAAKy0B,MAAM1jB,OAASA,CACtB,CAOA,IAAAqkB,CAAKpmB,GACHolB,EAAa,IAAKp0B,KAAKy0B,MAAO7uB,OAAQoJ,GAAehP,KAAK20B,kBAC1D30B,KAAKy0B,MAAM7uB,OAASoJ,EACpBhP,KAAK80B,aACP,CAOA,MAAAO,CAAOC,GACL,GAAIA,EAAU7jB,SAAS,KACrB,MAAM,IAAI/E,MAAM,oBAElB1M,KAAKo1B,MAAK,IAAAprB,SAAQhK,KAAK4F,QAAU,IAAM0vB,EACzC,CAIA,WAAAR,GACM90B,KAAKy0B,MAAMvnB,QACblN,KAAKy0B,MAAMvnB,MAAwB,IAAIC,KAE3C,CAMA,MAAAwhB,CAAOlrB,GACL,IAAK,MAAOzC,EAAMmd,KAAU5e,OAAOgzB,QAAQ9uB,GACzC,SACgB,IAAV0a,SACKne,KAAKyD,WAAWzC,GAEvBhB,KAAKyD,WAAWzC,GAAQmd,CAE5B,CAAE,MAAOvL,GACP,GAAIA,aAAaxS,UACf,SAEF,MAAMwS,CACR,CAEJ,EAuBF,MAAMlO,UAAa8vB,EACjB,QAAIhwB,GACF,OAAOC,EAASC,IAClB,EAuBF,MAAME,UAAe4vB,EACnB,WAAA3B,CAAYzpB,GACVmsB,MAAM,IACDnsB,EACHiE,KAAM,wBAEV,CACA,QAAI7I,GACF,OAAOC,EAASG,MAClB,CACA,aAAI4nB,GACF,OAAO,IACT,CACA,QAAInf,GACF,MAAO,sBACT,EAwBF,MAAMoC,EAAc,WAAU,WAAkB3G,MAC1CkmB,GAAe,QAAkB,OACjC1f,EAAe,SAASkmB,EAAYxG,EAAc/iB,EAAU,CAAC,GACjE,MAAMR,GAAS,QAAa+pB,EAAW,CAAEvpB,YACzC,SAASN,EAAWrC,GAClBmC,EAAOE,WAAW,IACbM,EAEH,mBAAoB,iBAEpBL,aAActC,GAAS,IAE3B,CAYA,OAXA,QAAqBqC,GACrBA,GAAW,YACK,UACRK,MAAM,SAAS,CAACzF,EAAK8D,KAC3B,MAAMorB,EAAWprB,EAAQ4B,QAKzB,OAJIwpB,GAAUvpB,SACZ7B,EAAQ6B,OAASupB,EAASvpB,cACnBupB,EAASvpB,QAEXC,MAAM5F,EAAK8D,EAAQ,IAErBoB,CACT,EACMiqB,EAAmB,CAACC,EAAWltB,EAAO,IAAKmtB,EAAUnmB,KACzD,MAAM/B,EAAa,IAAIC,gBACvB,OAAO,IAAI,EAAAG,mBAAkB5H,MAAOF,EAAS+H,EAAQC,KACnDA,GAAS,IAAMN,EAAWO,UAC1B,IAYEjI,SAX+B2vB,EAAUxnB,qBAAqB,GAAGynB,IAAUntB,IAAQ,CACjF6F,OAAQZ,EAAWY,OACnBF,SAAS,EACThF,KAAM8P,IACNjN,QAAS,CAEPC,OAAQ,UAEVmC,aAAa,KAEgBjF,KAAKqF,QAAQjL,GAASA,EAAKuJ,WAAatE,IAAMzD,KAAKmB,GAAWgK,EAAgBhK,EAAQyvB,KAEvH,CAAE,MAAOlwB,GACPqI,EAAOrI,EACT,IACA,EAEEyK,EAAkB,SAAS3M,EAAMqyB,EAAYpmB,EAAa+lB,EAAYxG,GAC1E,IAAIviB,GAAS,WAAkB3D,IAC/B,MAAMgtB,EAAWrvB,SAASsvB,cAAc,mBAAmB5X,MAC3D,GAAI2X,EACFrpB,EAASA,GAAUhG,SAASsvB,cAAc,wBAAwB5X,MAClE1R,EAASA,GAAU,iBACd,IAAKA,EACV,MAAM,IAAIC,MAAM,oBAElB,MAAMC,EAAQnJ,EAAKmJ,MACb1H,EAAc2H,EAAoBD,GAAO1H,aACzC4H,EAAQC,OAAOH,IAAQ,aAAeF,GACtCO,EAAW,CACfhJ,GAAI2I,GAAOM,QAAU,EACrBrH,OAAQ,GAAG4vB,IAAYhyB,EAAKuJ,WAC5BG,MAAO,IAAIC,KAAKA,KAAKrF,MAAMtE,EAAK4J,UAChCC,KAAM7J,EAAK6J,MAAQ,2BACnBC,KAAMX,GAAOW,MAAQ0oB,OAAOxe,SAAS7K,EAAMspB,kBAAoB,KAC/DhxB,cACA4H,QACAxE,KAAMwtB,EACNpyB,WAAY,IACPD,KACAmJ,EACHY,WAAYZ,IAAQ,iBAIxB,cADOK,EAASvJ,YAAYkJ,MACP,SAAdnJ,EAAKgB,KAAkB,IAAIE,EAAKsI,GAAY,IAAIpI,EAAOoI,EAChE,EAC4BhE,OAAOktB,WACJltB,OAAOktB,YAAYC,uBAAwB,IAAIC,OAAOptB,OAAOktB,WAAWC,uBAgCvG,MAAME,EAAY,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAC1CC,EAAkB,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OAC1D,SAASC,EAAejpB,EAAMkpB,GAAiB,EAAOC,GAAiB,EAAOC,GAAW,GACvFD,EAAiBA,IAAmBC,EAChB,iBAATppB,IACTA,EAAO0oB,OAAO1oB,IAEhB,IAAIjH,EAAQiH,EAAO,EAAItG,KAAK2vB,MAAM3vB,KAAK2W,IAAIrQ,GAAQtG,KAAK2W,IAAI+Y,EAAW,IAAM,OAAS,EACtFrwB,EAAQW,KAAK+D,KAAK0rB,EAAiBH,EAAgB50B,OAAS20B,EAAU30B,QAAU,EAAG2E,GACnF,MAAMuwB,EAAiBH,EAAiBH,EAAgBjwB,GAASgwB,EAAUhwB,GAC3E,IAAIwwB,GAAgBvpB,EAAOtG,KAAK8vB,IAAIJ,EAAW,IAAM,KAAMrwB,IAAQ0wB,QAAQ,GAC3E,OAAuB,IAAnBP,GAAqC,IAAVnwB,GACJ,QAAjBwwB,EAAyB,OAAS,OAASJ,EAAiBH,EAAgB,GAAKD,EAAU,KAGnGQ,EADExwB,EAAQ,EACK2wB,WAAWH,GAAcE,QAAQ,GAEjCC,WAAWH,GAAcI,gBAAe,WAElDJ,EAAe,IAAMD,EAC9B,CAmHA,MAAMjK,EACJuK,OAAS,GACTC,aAAe,KACf,QAAAtK,CAAS3oB,GACP,GAAIlE,KAAKk3B,OAAOlvB,MAAMkrB,GAAWA,EAAOlvB,KAAOE,EAAKF,KAClD,MAAM,IAAI0I,MAAM,WAAWxI,EAAKF,4BAElChE,KAAKk3B,OAAO12B,KAAK0D,EACnB,CACA,MAAA2pB,CAAO7pB,GACL,MAAMqL,EAAQrP,KAAKk3B,OAAOtJ,WAAW1pB,GAASA,EAAKF,KAAOA,KAC3C,IAAXqL,GACFrP,KAAKk3B,OAAOtQ,OAAOvX,EAAO,EAE9B,CACA,SAAI+nB,GACF,OAAOp3B,KAAKk3B,MACd,CACA,SAAAG,CAAUnzB,GACRlE,KAAKm3B,aAAejzB,CACtB,CACA,UAAIozB,GACF,OAAOt3B,KAAKm3B,YACd,EAEF,MAAMvK,EAAgB,WAKpB,YAJqC,IAA1B5jB,OAAOuuB,iBAChBvuB,OAAOuuB,eAAiB,IAAI5K,EAC5BhnB,EAAOsL,MAAM,mCAERjI,OAAOuuB,cAChB,EAsBA,MAAMC,EACJC,QACA,WAAA5E,CAAY6E,GACVC,EAAcD,GACd13B,KAAKy3B,QAAUC,CACjB,CACA,MAAI1zB,GACF,OAAOhE,KAAKy3B,QAAQzzB,EACtB,CACA,SAAI4Y,GACF,OAAO5c,KAAKy3B,QAAQ7a,KACtB,CACA,UAAIjE,GACF,OAAO3Y,KAAKy3B,QAAQ9e,MACtB,CACA,QAAI2U,GACF,OAAOttB,KAAKy3B,QAAQnK,IACtB,CACA,WAAIsK,GACF,OAAO53B,KAAKy3B,QAAQG,OACtB,EAEF,MAAMD,EAAgB,SAASD,GAC7B,IAAKA,EAAO1zB,IAA2B,iBAAd0zB,EAAO1zB,GAC9B,MAAM,IAAI0I,MAAM,2BAElB,IAAKgrB,EAAO9a,OAAiC,iBAAjB8a,EAAO9a,MACjC,MAAM,IAAIlQ,MAAM,8BAElB,IAAKgrB,EAAO/e,QAAmC,mBAAlB+e,EAAO/e,OAClC,MAAM,IAAIjM,MAAM,iCAElB,GAAIgrB,EAAOpK,MAA+B,mBAAhBoK,EAAOpK,KAC/B,MAAM,IAAI5gB,MAAM,0CAElB,GAAIgrB,EAAOE,SAAqC,mBAAnBF,EAAOE,QAClC,MAAM,IAAIlrB,MAAM,qCAElB,OAAO,CACT,EACA,IAAImrB,EAAc,CAAC,EACfC,EAAS,CAAC,GACd,SAAU90B,GACR,MAAM+0B,EAAgB,gLAEhBC,EAAa,IAAMD,EAAgB,KADxBA,EACE,iDACbE,EAAY,IAAI7B,OAAO,IAAM4B,EAAa,KAoBhDh1B,EAAQk1B,QAAU,SAASC,GACzB,YAAoB,IAANA,CAChB,EACAn1B,EAAQo1B,cAAgB,SAASzO,GAC/B,OAAmC,IAA5BpqB,OAAOuf,KAAK6K,GAAKjoB,MAC1B,EACAsB,EAAQq1B,MAAQ,SAAS1oB,EAAQoM,EAAGuc,GAClC,GAAIvc,EAAG,CACL,MAAM+C,EAAOvf,OAAOuf,KAAK/C,GACnB1Z,EAAMyc,EAAKpd,OACjB,IAAK,IAAIF,EAAI,EAAGA,EAAIa,EAAKb,IAErBmO,EAAOmP,EAAKtd,IADI,WAAd82B,EACgB,CAACvc,EAAE+C,EAAKtd,KAERua,EAAE+C,EAAKtd,GAG/B,CACF,EACAwB,EAAQu1B,SAAW,SAASJ,GAC1B,OAAIn1B,EAAQk1B,QAAQC,GACXA,EAEA,EAEX,EACAn1B,EAAQw1B,OA9BO,SAASC,GAEtB,QAAQ,MADMR,EAAU5yB,KAAKozB,GAE/B,EA4BAz1B,EAAQ01B,cA9Cc,SAASD,EAAQE,GACrC,MAAMC,EAAU,GAChB,IAAIzE,EAAQwE,EAAMtzB,KAAKozB,GACvB,KAAOtE,GAAO,CACZ,MAAM0E,EAAa,GACnBA,EAAWC,WAAaH,EAAMI,UAAY5E,EAAM,GAAGzyB,OACnD,MAAMW,EAAM8xB,EAAMzyB,OAClB,IAAK,IAAI2N,EAAQ,EAAGA,EAAQhN,EAAKgN,IAC/BwpB,EAAWr4B,KAAK2zB,EAAM9kB,IAExBupB,EAAQp4B,KAAKq4B,GACb1E,EAAQwE,EAAMtzB,KAAKozB,EACrB,CACA,OAAOG,CACT,EAiCA51B,EAAQg1B,WAAaA,CACtB,CArDD,CAqDGF,GACH,MAAMkB,EAASlB,EACTmB,EAAmB,CACvBC,wBAAwB,EAExBC,aAAc,IA4IhB,SAASC,EAAaC,GACpB,MAAgB,MAATA,GAAyB,OAATA,GAAyB,OAATA,GAA0B,OAATA,CAC1D,CACA,SAASC,EAAOC,EAAS/3B,GACvB,MAAM2vB,EAAQ3vB,EACd,KAAOA,EAAI+3B,EAAQ73B,OAAQF,IACzB,GAAkB,KAAd+3B,EAAQ/3B,IAA2B,KAAd+3B,EAAQ/3B,QAAjC,CACE,MAAMg4B,EAAUD,EAAQE,OAAOtI,EAAO3vB,EAAI2vB,GAC1C,GAAI3vB,EAAI,GAAiB,QAAZg4B,EACX,OAAOE,GAAe,aAAc,6DAA8DC,GAAyBJ,EAAS/3B,IAC/H,GAAkB,KAAd+3B,EAAQ/3B,IAA+B,KAAlB+3B,EAAQ/3B,EAAI,GAAW,CACrDA,IACA,KACF,CAGF,CAEF,OAAOA,CACT,CACA,SAASo4B,EAAoBL,EAAS/3B,GACpC,GAAI+3B,EAAQ73B,OAASF,EAAI,GAAwB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAClE,IAAKA,GAAK,EAAGA,EAAI+3B,EAAQ73B,OAAQF,IAC/B,GAAmB,MAAf+3B,EAAQ/3B,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,OAEG,GAAI+3B,EAAQ73B,OAASF,EAAI,GAAwB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,GAAY,CACvN,IAAIq4B,EAAqB,EACzB,IAAKr4B,GAAK,EAAGA,EAAI+3B,EAAQ73B,OAAQF,IAC/B,GAAmB,MAAf+3B,EAAQ/3B,GACVq4B,SACK,GAAmB,MAAfN,EAAQ/3B,KACjBq4B,IAC2B,IAAvBA,GACF,KAIR,MAAO,GAAIN,EAAQ73B,OAASF,EAAI,GAAwB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,GAC3M,IAAKA,GAAK,EAAGA,EAAI+3B,EAAQ73B,OAAQF,IAC/B,GAAmB,MAAf+3B,EAAQ/3B,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,CAGJ,OAAOA,CACT,CA3LAq2B,EAAYiC,SAAW,SAASP,EAASlvB,GACvCA,EAAU9K,OAAO8d,OAAO,CAAC,EAAG4b,EAAkB5uB,GAC9C,MAAMR,EAAO,GACb,IAAIkwB,GAAW,EACXC,GAAc,EACC,WAAfT,EAAQ,KACVA,EAAUA,EAAQE,OAAO,IAE3B,IAAK,IAAIj4B,EAAI,EAAGA,EAAI+3B,EAAQ73B,OAAQF,IAClC,GAAmB,MAAf+3B,EAAQ/3B,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAGpC,GAFAA,GAAK,EACLA,EAAI83B,EAAOC,EAAS/3B,GAChBA,EAAEy4B,IACJ,OAAOz4B,MACJ,IAAmB,MAAf+3B,EAAQ/3B,GA4GZ,CACL,GAAI43B,EAAaG,EAAQ/3B,IACvB,SAEF,OAAOk4B,GAAe,cAAe,SAAWH,EAAQ/3B,GAAK,qBAAsBm4B,GAAyBJ,EAAS/3B,GACvH,CAjH+B,CAC7B,IAAI04B,EAAc14B,EAElB,GADAA,IACmB,MAAf+3B,EAAQ/3B,GAAY,CACtBA,EAAIo4B,EAAoBL,EAAS/3B,GACjC,QACF,CAAO,CACL,IAAI24B,GAAa,EACE,MAAfZ,EAAQ/3B,KACV24B,GAAa,EACb34B,KAEF,IAAI44B,EAAU,GACd,KAAO54B,EAAI+3B,EAAQ73B,QAAyB,MAAf63B,EAAQ/3B,IAA6B,MAAf+3B,EAAQ/3B,IAA6B,OAAf+3B,EAAQ/3B,IAA6B,OAAf+3B,EAAQ/3B,IAA8B,OAAf+3B,EAAQ/3B,GAAaA,IACzI44B,GAAWb,EAAQ/3B,GAOrB,GALA44B,EAAUA,EAAQC,OACkB,MAAhCD,EAAQA,EAAQ14B,OAAS,KAC3B04B,EAAUA,EAAQjzB,UAAU,EAAGizB,EAAQ14B,OAAS,GAChDF,KAgQeg4B,EA9PIY,GA+PpBpB,EAAOR,OAAOgB,GA/PgB,CAC7B,IAAIc,EAMJ,OAJEA,EAD4B,IAA1BF,EAAQC,OAAO34B,OACX,2BAEA,QAAU04B,EAAU,wBAErBV,GAAe,aAAcY,EAAKX,GAAyBJ,EAAS/3B,GAC7E,CACA,MAAM2E,EAASo0B,GAAiBhB,EAAS/3B,GACzC,IAAe,IAAX2E,EACF,OAAOuzB,GAAe,cAAe,mBAAqBU,EAAU,qBAAsBT,GAAyBJ,EAAS/3B,IAE9H,IAAIg5B,EAAUr0B,EAAOgY,MAErB,GADA3c,EAAI2E,EAAOkJ,MACyB,MAAhCmrB,EAAQA,EAAQ94B,OAAS,GAAY,CACvC,MAAM+4B,EAAej5B,EAAIg5B,EAAQ94B,OACjC84B,EAAUA,EAAQrzB,UAAU,EAAGqzB,EAAQ94B,OAAS,GAChD,MAAMg5B,EAAUC,GAAwBH,EAASnwB,GACjD,IAAgB,IAAZqwB,EAGF,OAAOhB,GAAegB,EAAQT,IAAIW,KAAMF,EAAQT,IAAIK,IAAKX,GAAyBJ,EAASkB,EAAeC,EAAQT,IAAIY,OAFtHd,GAAW,CAIf,MAAO,GAAII,EAAY,CACrB,IAAKh0B,EAAO20B,UACV,OAAOpB,GAAe,aAAc,gBAAkBU,EAAU,iCAAkCT,GAAyBJ,EAAS/3B,IAC/H,GAAIg5B,EAAQH,OAAO34B,OAAS,EACjC,OAAOg4B,GAAe,aAAc,gBAAkBU,EAAU,+CAAgDT,GAAyBJ,EAASW,IAC7I,GAAoB,IAAhBrwB,EAAKnI,OACd,OAAOg4B,GAAe,aAAc,gBAAkBU,EAAU,yBAA0BT,GAAyBJ,EAASW,IACvH,CACL,MAAMa,EAAMlxB,EAAKorB,MACjB,GAAImF,IAAYW,EAAIX,QAAS,CAC3B,IAAIY,EAAUrB,GAAyBJ,EAASwB,EAAIb,aACpD,OAAOR,GACL,aACA,yBAA2BqB,EAAIX,QAAU,qBAAuBY,EAAQH,KAAO,SAAWG,EAAQC,IAAM,6BAA+Bb,EAAU,KACjJT,GAAyBJ,EAASW,GAEtC,CACmB,GAAfrwB,EAAKnI,SACPs4B,GAAc,EAElB,CACF,KAAO,CACL,MAAMU,EAAUC,GAAwBH,EAASnwB,GACjD,IAAgB,IAAZqwB,EACF,OAAOhB,GAAegB,EAAQT,IAAIW,KAAMF,EAAQT,IAAIK,IAAKX,GAAyBJ,EAAS/3B,EAAIg5B,EAAQ94B,OAASg5B,EAAQT,IAAIY,OAE9H,IAAoB,IAAhBb,EACF,OAAON,GAAe,aAAc,sCAAuCC,GAAyBJ,EAAS/3B,KACzD,IAA3C6I,EAAQ8uB,aAAaxS,QAAQyT,IAGtCvwB,EAAKrJ,KAAK,CAAE45B,UAASF,gBAEvBH,GAAW,CACb,CACA,IAAKv4B,IAAKA,EAAI+3B,EAAQ73B,OAAQF,IAC5B,GAAmB,MAAf+3B,EAAQ/3B,GAAY,CACtB,GAAuB,MAAnB+3B,EAAQ/3B,EAAI,GAAY,CAC1BA,IACAA,EAAIo4B,EAAoBL,EAAS/3B,GACjC,QACF,CAAO,GAAuB,MAAnB+3B,EAAQ/3B,EAAI,GAKrB,MAHA,GADAA,EAAI83B,EAAOC,IAAW/3B,GAClBA,EAAEy4B,IACJ,OAAOz4B,CAIb,MAAO,GAAmB,MAAf+3B,EAAQ/3B,GAAY,CAC7B,MAAM05B,EAAWC,GAAkB5B,EAAS/3B,GAC5C,IAAiB,GAAb05B,EACF,OAAOxB,GAAe,cAAe,4BAA6BC,GAAyBJ,EAAS/3B,IACtGA,EAAI05B,CACN,MACE,IAAoB,IAAhBlB,IAAyBZ,EAAaG,EAAQ/3B,IAChD,OAAOk4B,GAAe,aAAc,wBAAyBC,GAAyBJ,EAAS/3B,IAIlF,MAAf+3B,EAAQ/3B,IACVA,GAEJ,CACF,CAKA,CAkKJ,IAAyBg4B,EAhKvB,OAAKO,EAEqB,GAAflwB,EAAKnI,OACPg4B,GAAe,aAAc,iBAAmB7vB,EAAK,GAAGuwB,QAAU,KAAMT,GAAyBJ,EAAS1vB,EAAK,GAAGqwB,gBAChHrwB,EAAKnI,OAAS,IAChBg4B,GAAe,aAAc,YAAcpyB,KAAKC,UAAUsC,EAAK7E,KAAKb,GAAMA,EAAEi2B,UAAU,KAAM,GAAGhd,QAAQ,SAAU,IAAM,WAAY,CAAEyd,KAAM,EAAGI,IAAK,IAJnJvB,GAAe,aAAc,sBAAuB,EAO/D,EAmDA,MAAM0B,GAAc,IACdC,GAAc,IACpB,SAASd,GAAiBhB,EAAS/3B,GACjC,IAAIg5B,EAAU,GACVc,EAAY,GACZR,GAAY,EAChB,KAAOt5B,EAAI+3B,EAAQ73B,OAAQF,IAAK,CAC9B,GAAI+3B,EAAQ/3B,KAAO45B,IAAe7B,EAAQ/3B,KAAO65B,GAC7B,KAAdC,EACFA,EAAY/B,EAAQ/3B,GACX85B,IAAc/B,EAAQ/3B,KAG/B85B,EAAY,SAET,GAAmB,MAAf/B,EAAQ/3B,IACC,KAAd85B,EAAkB,CACpBR,GAAY,EACZ,KACF,CAEFN,GAAWjB,EAAQ/3B,EACrB,CACA,MAAkB,KAAd85B,GAGG,CACLnd,MAAOqc,EACPnrB,MAAO7N,EACPs5B,YAEJ,CACA,MAAMS,GAAoB,IAAInF,OAAO,0DAA0D,KAC/F,SAASuE,GAAwBH,EAASnwB,GACxC,MAAMuuB,EAAUI,EAAON,cAAc8B,EAASe,IACxCC,EAAY,CAAC,EACnB,IAAK,IAAIh6B,EAAI,EAAGA,EAAIo3B,EAAQl3B,OAAQF,IAAK,CACvC,GAA6B,IAAzBo3B,EAAQp3B,GAAG,GAAGE,OAChB,OAAOg4B,GAAe,cAAe,cAAgBd,EAAQp3B,GAAG,GAAK,8BAA+Bi6B,GAAqB7C,EAAQp3B,KAC5H,QAAsB,IAAlBo3B,EAAQp3B,GAAG,SAAmC,IAAlBo3B,EAAQp3B,GAAG,GAChD,OAAOk4B,GAAe,cAAe,cAAgBd,EAAQp3B,GAAG,GAAK,sBAAuBi6B,GAAqB7C,EAAQp3B,KACpH,QAAsB,IAAlBo3B,EAAQp3B,GAAG,KAAkB6I,EAAQ6uB,uBAC9C,OAAOQ,GAAe,cAAe,sBAAwBd,EAAQp3B,GAAG,GAAK,oBAAqBi6B,GAAqB7C,EAAQp3B,KAEjI,MAAMk6B,EAAW9C,EAAQp3B,GAAG,GAC5B,IAAKm6B,GAAiBD,GACpB,OAAOhC,GAAe,cAAe,cAAgBgC,EAAW,wBAAyBD,GAAqB7C,EAAQp3B,KAExH,GAAKg6B,EAAU/7B,eAAei8B,GAG5B,OAAOhC,GAAe,cAAe,cAAgBgC,EAAW,iBAAkBD,GAAqB7C,EAAQp3B,KAF/Gg6B,EAAUE,GAAY,CAI1B,CACA,OAAO,CACT,CAeA,SAASP,GAAkB5B,EAAS/3B,GAElC,GAAmB,MAAf+3B,IADJ/3B,GAEE,OAAQ,EACV,GAAmB,MAAf+3B,EAAQ/3B,GAEV,OApBJ,SAAiC+3B,EAAS/3B,GACxC,IAAIo6B,EAAK,KAKT,IAJmB,MAAfrC,EAAQ/3B,KACVA,IACAo6B,EAAK,cAEAp6B,EAAI+3B,EAAQ73B,OAAQF,IAAK,CAC9B,GAAmB,MAAf+3B,EAAQ/3B,GACV,OAAOA,EACT,IAAK+3B,EAAQ/3B,GAAG2yB,MAAMyH,GACpB,KACJ,CACA,OAAQ,CACV,CAOWC,CAAwBtC,IAD/B/3B,GAGF,IAAIs6B,EAAQ,EACZ,KAAOt6B,EAAI+3B,EAAQ73B,OAAQF,IAAKs6B,IAC9B,KAAIvC,EAAQ/3B,GAAG2yB,MAAM,OAAS2H,EAAQ,IAAtC,CAEA,GAAmB,MAAfvC,EAAQ/3B,GACV,MACF,OAAQ,CAHE,CAKZ,OAAOA,CACT,CACA,SAASk4B,GAAekB,EAAM5pB,EAAS+qB,GACrC,MAAO,CACL9B,IAAK,CACHW,OACAN,IAAKtpB,EACL6pB,KAAMkB,EAAWlB,MAAQkB,EACzBd,IAAKc,EAAWd,KAGtB,CACA,SAASU,GAAiBD,GACxB,OAAO1C,EAAOR,OAAOkD,EACvB,CAIA,SAAS/B,GAAyBJ,EAASlqB,GACzC,MAAM2sB,EAAQzC,EAAQpyB,UAAU,EAAGkI,GAAO6f,MAAM,SAChD,MAAO,CACL2L,KAAMmB,EAAMt6B,OAEZu5B,IAAKe,EAAMA,EAAMt6B,OAAS,GAAGA,OAAS,EAE1C,CACA,SAAS+5B,GAAqBtH,GAC5B,OAAOA,EAAM2E,WAAa3E,EAAM,GAAGzyB,MACrC,CACA,IAAIu6B,GAAiB,CAAC,EACtB,MAAMC,GAAmB,CACvBC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhBtD,wBAAwB,EAGxBuD,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAAS7C,EAAS8C,GACnC,OAAOA,CACT,EACAC,wBAAyB,SAASzB,EAAUwB,GAC1C,OAAOA,CACT,EACAE,UAAW,GAEXC,sBAAsB,EACtBxe,QAAS,KAAM,EACfye,iBAAiB,EACjBnE,aAAc,GACdoE,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASzD,EAAS0D,EAAO/nB,GAClC,OAAOqkB,CACT,GAMF6B,GAAe8B,aAHQ,SAAS1zB,GAC9B,OAAO9K,OAAO8d,OAAO,CAAC,EAAG6e,GAAkB7xB,EAC7C,EAEA4xB,GAAe+B,eAAiB9B,GAuBhC,MAAM+B,GAASnG,EAwDf,SAASoG,GAAc3E,EAAS/3B,GAC9B,IAAI28B,EAAc,GAClB,KAAO38B,EAAI+3B,EAAQ73B,QAA0B,MAAf63B,EAAQ/3B,IAA6B,MAAf+3B,EAAQ/3B,GAAaA,IACvE28B,GAAe5E,EAAQ/3B,GAGzB,GADA28B,EAAcA,EAAY9D,QACQ,IAA9B8D,EAAYxX,QAAQ,KACtB,MAAM,IAAIja,MAAM,sCAClB,MAAM4uB,EAAY/B,EAAQ/3B,KAC1B,IAAI07B,EAAO,GACX,KAAO17B,EAAI+3B,EAAQ73B,QAAU63B,EAAQ/3B,KAAO85B,EAAW95B,IACrD07B,GAAQ3D,EAAQ/3B,GAElB,MAAO,CAAC28B,EAAajB,EAAM17B,EAC7B,CACA,SAAS48B,GAAU7E,EAAS/3B,GAC1B,MAAuB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,EAGtE,CACA,SAAS68B,GAAS9E,EAAS/3B,GACzB,MAAuB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,EAG9K,CACA,SAAS88B,GAAU/E,EAAS/3B,GAC1B,MAAuB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,EAGxM,CACA,SAAS+8B,GAAUhF,EAAS/3B,GAC1B,MAAuB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,EAGxM,CACA,SAASg9B,GAAWjF,EAAS/3B,GAC3B,MAAuB,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,EAGlO,CACA,SAASi9B,GAAmBz9B,GAC1B,GAAIi9B,GAAOzF,OAAOx3B,GAChB,OAAOA,EAEP,MAAM,IAAI0L,MAAM,uBAAuB1L,IAC3C,CAEA,MAAM09B,GAAW,wBACXC,GAAW,+EACZ3I,OAAOxe,UAAYxO,OAAOwO,WAC7Bwe,OAAOxe,SAAWxO,OAAOwO,WAEtBwe,OAAOgB,YAAchuB,OAAOguB,aAC/BhB,OAAOgB,WAAahuB,OAAOguB,YAE7B,MAAM4H,GAAW,CACf9B,KAAK,EACLC,cAAc,EACd8B,aAAc,IACd7B,WAAW,GA+EP8B,GAAOhH,EACPiH,GAzNN,MACE,WAAAlM,CAAY2G,GACVx5B,KAAKw5B,QAAUA,EACfx5B,KAAKg/B,MAAQ,GACbh/B,KAAK,MAAQ,CAAC,CAChB,CACA,GAAAiG,CAAIkC,EAAK+0B,GACK,cAAR/0B,IACFA,EAAM,cACRnI,KAAKg/B,MAAMx+B,KAAK,CAAE,CAAC2H,GAAM+0B,GAC3B,CACA,QAAA+B,CAASz7B,GACc,cAAjBA,EAAKg2B,UACPh2B,EAAKg2B,QAAU,cACbh2B,EAAK,OAASjE,OAAOuf,KAAKtb,EAAK,OAAO9B,OAAS,EACjD1B,KAAKg/B,MAAMx+B,KAAK,CAAE,CAACgD,EAAKg2B,SAAUh2B,EAAKw7B,MAAO,KAAQx7B,EAAK,QAE3DxD,KAAKg/B,MAAMx+B,KAAK,CAAE,CAACgD,EAAKg2B,SAAUh2B,EAAKw7B,OAE3C,GAuMIE,GAnMN,SAAuB3F,EAAS/3B,GAC9B,MAAM29B,EAAW,CAAC,EAClB,GAAuB,MAAnB5F,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,GAiDhJ,MAAM,IAAIkL,MAAM,kCAjD4I,CAC5JlL,GAAQ,EACR,IAAIq4B,EAAqB,EACrBuF,GAAU,EAAOC,GAAU,EAC3BC,EAAM,GACV,KAAO99B,EAAI+3B,EAAQ73B,OAAQF,IACzB,GAAmB,MAAf+3B,EAAQ/3B,IAAe69B,EAqBpB,GAAmB,MAAf9F,EAAQ/3B,IASjB,GARI69B,EACqB,MAAnB9F,EAAQ/3B,EAAI,IAAiC,MAAnB+3B,EAAQ/3B,EAAI,KACxC69B,GAAU,EACVxF,KAGFA,IAEyB,IAAvBA,EACF,UAEsB,MAAfN,EAAQ/3B,GACjB49B,GAAU,EAEVE,GAAO/F,EAAQ/3B,OApCmB,CAClC,GAAI49B,GAAWf,GAAS9E,EAAS/3B,GAC/BA,GAAK,GACJ+9B,WAAYC,IAAKh+B,GAAK08B,GAAc3E,EAAS/3B,EAAI,IACxB,IAAtBg+B,IAAI7Y,QAAQ,OACdwY,EAASV,GAAmBc,aAAe,CACzCE,KAAMrJ,OAAO,IAAImJ,cAAe,KAChCC,WAEC,GAAIJ,GAAWd,GAAU/E,EAAS/3B,GACvCA,GAAK,OACF,GAAI49B,GAAWb,GAAUhF,EAAS/3B,GACrCA,GAAK,OACF,GAAI49B,GAAWZ,GAAWjF,EAAS/3B,GACtCA,GAAK,MACF,KAAI48B,GAGP,MAAM,IAAI1xB,MAAM,mBAFhB2yB,GAAU,CAEwB,CACpCxF,IACAyF,EAAM,EACR,CAkBF,GAA2B,IAAvBzF,EACF,MAAM,IAAIntB,MAAM,mBAEpB,CAGA,MAAO,CAAEyyB,WAAU39B,IACrB,EA8IMk+B,GA/EN,SAAoBrzB,EAAKhC,EAAU,CAAC,GAElC,GADAA,EAAU9K,OAAO8d,OAAO,CAAC,EAAGuhB,GAAUv0B,IACjCgC,GAAsB,iBAARA,EACjB,OAAOA,EACT,IAAIszB,EAAatzB,EAAIguB,OACrB,QAAyB,IAArBhwB,EAAQu1B,UAAuBv1B,EAAQu1B,SAAShkB,KAAK+jB,GACvD,OAAOtzB,EACJ,GAAIhC,EAAQyyB,KAAO4B,GAAS9iB,KAAK+jB,GACpC,OAAO3J,OAAOxe,SAASmoB,EAAY,IAC9B,CACL,MAAMxL,EAAQwK,GAASt5B,KAAKs6B,GAC5B,GAAIxL,EAAO,CACT,MAAM0L,EAAO1L,EAAM,GACb4I,EAAe5I,EAAM,GAC3B,IAAI2L,GAgDSC,EAhDqB5L,EAAM,MAiDL,IAAzB4L,EAAOpZ,QAAQ,MAEZ,OADfoZ,EAASA,EAAO3iB,QAAQ,MAAO,KAE7B2iB,EAAS,IACY,MAAdA,EAAO,GACdA,EAAS,IAAMA,EACsB,MAA9BA,EAAOA,EAAOr+B,OAAS,KAC9Bq+B,EAASA,EAAOtG,OAAO,EAAGsG,EAAOr+B,OAAS,IACrCq+B,GAEFA,EA1DH,MAAM/C,EAAY7I,EAAM,IAAMA,EAAM,GACpC,IAAK9pB,EAAQ0yB,cAAgBA,EAAar7B,OAAS,GAAKm+B,GAA0B,MAAlBF,EAAW,GACzE,OAAOtzB,EACJ,IAAKhC,EAAQ0yB,cAAgBA,EAAar7B,OAAS,IAAMm+B,GAA0B,MAAlBF,EAAW,GAC/E,OAAOtzB,EACJ,CACH,MAAM2zB,EAAMhK,OAAO2J,GACbI,EAAS,GAAKC,EACpB,OAA+B,IAA3BD,EAAO7M,OAAO,SAKP8J,EAJL3yB,EAAQ2yB,UACHgD,EAEA3zB,GAM6B,IAA7BszB,EAAWhZ,QAAQ,KACb,MAAXoZ,GAAwC,KAAtBD,GAEbC,IAAWD,GAEXD,GAAQE,IAAW,IAAMD,EAHzBE,EAMA3zB,EAEP0wB,EACE+C,IAAsBC,GAEjBF,EAAOC,IAAsBC,EAD7BC,EAIA3zB,EAEPszB,IAAeI,GAEVJ,IAAeE,EAAOE,EADtBC,EAGF3zB,CACT,CACF,CACE,OAAOA,CAEX,CAEF,IAAmB0zB,CADnB,EA6DA,SAASE,GAAoBC,GAC3B,MAAMC,EAAU5gC,OAAOuf,KAAKohB,GAC5B,IAAK,IAAI1+B,EAAI,EAAGA,EAAI2+B,EAAQz+B,OAAQF,IAAK,CACvC,MAAM4+B,EAAMD,EAAQ3+B,GACpBxB,KAAKqgC,aAAaD,GAAO,CACvBzH,MAAO,IAAIvC,OAAO,IAAMgK,EAAM,IAAK,KACnCZ,IAAKU,EAAiBE,GAE1B,CACF,CACA,SAASE,GAAcpD,EAAM9C,EAAS0D,EAAOyC,EAAUC,EAAeC,EAAYC,GAChF,QAAa,IAATxD,IACEl9B,KAAKqK,QAAQsyB,aAAe4D,IAC9BrD,EAAOA,EAAK7C,QAEV6C,EAAKx7B,OAAS,GAAG,CACdg/B,IACHxD,EAAOl9B,KAAK2gC,qBAAqBzD,IACnC,MAAM0D,EAAS5gC,KAAKqK,QAAQ4yB,kBAAkB7C,EAAS8C,EAAMY,EAAO0C,EAAeC,GACnF,OAAIG,QACK1D,SACS0D,UAAkB1D,GAAQ0D,IAAW1D,EAC9C0D,EACE5gC,KAAKqK,QAAQsyB,YAGHO,EAAK7C,SACL6C,EAHZ2D,GAAW3D,EAAMl9B,KAAKqK,QAAQoyB,cAAez8B,KAAKqK,QAAQwyB,oBAMxDK,CAGb,CAEJ,CACA,SAAS4D,GAAiBtH,GACxB,GAAIx5B,KAAKqK,QAAQmyB,eAAgB,CAC/B,MAAM3yB,EAAO2vB,EAAQtK,MAAM,KACrBxvB,EAA+B,MAAtB85B,EAAQuH,OAAO,GAAa,IAAM,GACjD,GAAgB,UAAZl3B,EAAK,GACP,MAAO,GAEW,IAAhBA,EAAKnI,SACP83B,EAAU95B,EAASmK,EAAK,GAE5B,CACA,OAAO2vB,CACT,CACA,MAAMwH,GAAY,IAAI5K,OAAO,+CAA+C,MAC5E,SAAS6K,GAAmBzG,EAASsD,EAAO1D,GAC1C,IAAKp6B,KAAKqK,QAAQkyB,kBAAuC,iBAAZ/B,EAAsB,CACjE,MAAM5B,EAAUkG,GAAKpG,cAAc8B,EAASwG,IACtC3+B,EAAMu2B,EAAQl3B,OACdqU,EAAQ,CAAC,EACf,IAAK,IAAIvU,EAAI,EAAGA,EAAIa,EAAKb,IAAK,CAC5B,MAAMk6B,EAAW17B,KAAK8gC,iBAAiBlI,EAAQp3B,GAAG,IAClD,IAAI0/B,EAAStI,EAAQp3B,GAAG,GACpB2/B,EAAQnhC,KAAKqK,QAAQ+xB,oBAAsBV,EAC/C,GAAIA,EAASh6B,OAMX,GALI1B,KAAKqK,QAAQuzB,yBACfuD,EAAQnhC,KAAKqK,QAAQuzB,uBAAuBuD,IAEhC,cAAVA,IACFA,EAAQ,mBACK,IAAXD,EAAmB,CACjBlhC,KAAKqK,QAAQsyB,aACfuE,EAASA,EAAO7G,QAElB6G,EAASlhC,KAAK2gC,qBAAqBO,GACnC,MAAME,EAASphC,KAAKqK,QAAQ8yB,wBAAwBzB,EAAUwF,EAAQpD,GAEpE/nB,EAAMorB,GADJC,QACaF,SACCE,UAAkBF,GAAUE,IAAWF,EACxCE,EAEAP,GACbK,EACAlhC,KAAKqK,QAAQqyB,oBACb18B,KAAKqK,QAAQwyB,mBAGnB,MAAW78B,KAAKqK,QAAQ6uB,yBACtBnjB,EAAMorB,IAAS,EAGrB,CACA,IAAK5hC,OAAOuf,KAAK/I,GAAOrU,OACtB,OAEF,GAAI1B,KAAKqK,QAAQgyB,oBAAqB,CACpC,MAAMgF,EAAiB,CAAC,EAExB,OADAA,EAAerhC,KAAKqK,QAAQgyB,qBAAuBtmB,EAC5CsrB,CACT,CACA,OAAOtrB,CACT,CACF,CACA,MAAMurB,GAAW,SAAS/H,GACxBA,EAAUA,EAAQnc,QAAQ,SAAU,MACpC,MAAMmkB,EAAS,IAAIxC,GAAQ,QAC3B,IAAIyC,EAAcD,EACdE,EAAW,GACX3D,EAAQ,GACZ,IAAK,IAAIt8B,EAAI,EAAGA,EAAI+3B,EAAQ73B,OAAQF,IAElC,GAAW,MADA+3B,EAAQ/3B,GAEjB,GAAuB,MAAnB+3B,EAAQ/3B,EAAI,GAAY,CAC1B,MAAMkgC,EAAaC,GAAiBpI,EAAS,IAAK/3B,EAAG,8BACrD,IAAI44B,EAAUb,EAAQpyB,UAAU3F,EAAI,EAAGkgC,GAAYrH,OACnD,GAAIr6B,KAAKqK,QAAQmyB,eAAgB,CAC/B,MAAMoF,EAAaxH,EAAQzT,QAAQ,MACf,IAAhBib,IACFxH,EAAUA,EAAQX,OAAOmI,EAAa,GAE1C,CACI5hC,KAAKqK,QAAQszB,mBACfvD,EAAUp6B,KAAKqK,QAAQszB,iBAAiBvD,IAEtCoH,IACFC,EAAWzhC,KAAK6hC,oBAAoBJ,EAAUD,EAAa1D,IAE7D,MAAMgE,EAAchE,EAAM32B,UAAU22B,EAAMiE,YAAY,KAAO,GAC7D,GAAI3H,IAA2D,IAAhDp6B,KAAKqK,QAAQ8uB,aAAaxS,QAAQyT,GAC/C,MAAM,IAAI1tB,MAAM,kDAAkD0tB,MAEpE,IAAI4H,EAAY,EACZF,IAAmE,IAApD9hC,KAAKqK,QAAQ8uB,aAAaxS,QAAQmb,IACnDE,EAAYlE,EAAMiE,YAAY,IAAKjE,EAAMiE,YAAY,KAAO,GAC5D/hC,KAAKiiC,cAAchN,OAEnB+M,EAAYlE,EAAMiE,YAAY,KAEhCjE,EAAQA,EAAM32B,UAAU,EAAG66B,GAC3BR,EAAcxhC,KAAKiiC,cAAchN,MACjCwM,EAAW,GACXjgC,EAAIkgC,CACN,MAAO,GAAuB,MAAnBnI,EAAQ/3B,EAAI,GAAY,CACjC,IAAI0gC,EAAUC,GAAW5I,EAAS/3B,GAAG,EAAO,MAC5C,IAAK0gC,EACH,MAAM,IAAIx1B,MAAM,yBAElB,GADA+0B,EAAWzhC,KAAK6hC,oBAAoBJ,EAAUD,EAAa1D,GACvD99B,KAAKqK,QAAQozB,mBAAyC,SAApByE,EAAQ9H,SAAsBp6B,KAAKqK,QAAQqzB,kBAE5E,CACH,MAAM0E,EAAY,IAAIrD,GAAQmD,EAAQ9H,SACtCgI,EAAUn8B,IAAIjG,KAAKqK,QAAQiyB,aAAc,IACrC4F,EAAQ9H,UAAY8H,EAAQG,QAAUH,EAAQI,iBAChDF,EAAU,MAAQpiC,KAAKihC,mBAAmBiB,EAAQG,OAAQvE,EAAOoE,EAAQ9H,UAE3Ep6B,KAAKi/B,SAASuC,EAAaY,EAAWtE,EACxC,CACAt8B,EAAI0gC,EAAQR,WAAa,CAC3B,MAAO,GAAiC,QAA7BnI,EAAQE,OAAOj4B,EAAI,EAAG,GAAc,CAC7C,MAAM+gC,EAAWZ,GAAiBpI,EAAS,SAAO/3B,EAAI,EAAG,0BACzD,GAAIxB,KAAKqK,QAAQizB,gBAAiB,CAChC,MAAM+B,EAAU9F,EAAQpyB,UAAU3F,EAAI,EAAG+gC,EAAW,GACpDd,EAAWzhC,KAAK6hC,oBAAoBJ,EAAUD,EAAa1D,GAC3D0D,EAAYv7B,IAAIjG,KAAKqK,QAAQizB,gBAAiB,CAAC,CAAE,CAACt9B,KAAKqK,QAAQiyB,cAAe+C,IAChF,CACA79B,EAAI+gC,CACN,MAAO,GAAiC,OAA7BhJ,EAAQE,OAAOj4B,EAAI,EAAG,GAAa,CAC5C,MAAM2E,EAAS+4B,GAAY3F,EAAS/3B,GACpCxB,KAAKwiC,gBAAkBr8B,EAAOg5B,SAC9B39B,EAAI2E,EAAO3E,CACb,MAAO,GAAiC,OAA7B+3B,EAAQE,OAAOj4B,EAAI,EAAG,GAAa,CAC5C,MAAMkgC,EAAaC,GAAiBpI,EAAS,MAAO/3B,EAAG,wBAA0B,EAC3E6gC,EAAS9I,EAAQpyB,UAAU3F,EAAI,EAAGkgC,GACxCD,EAAWzhC,KAAK6hC,oBAAoBJ,EAAUD,EAAa1D,GAC3D,IAAIZ,EAAOl9B,KAAKsgC,cAAc+B,EAAQb,EAAYhI,QAASsE,GAAO,GAAM,GAAO,GAAM,GACzE,MAARZ,IACFA,EAAO,IACLl9B,KAAKqK,QAAQuyB,cACf4E,EAAYv7B,IAAIjG,KAAKqK,QAAQuyB,cAAe,CAAC,CAAE,CAAC58B,KAAKqK,QAAQiyB,cAAe+F,KAE5Eb,EAAYv7B,IAAIjG,KAAKqK,QAAQiyB,aAAcY,GAE7C17B,EAAIkgC,EAAa,CACnB,KAAO,CACL,IAAIv7B,EAASg8B,GAAW5I,EAAS/3B,EAAGxB,KAAKqK,QAAQmyB,gBAC7CpC,EAAUj0B,EAAOi0B,QACrB,MAAMqI,EAAat8B,EAAOs8B,WAC1B,IAAIJ,EAASl8B,EAAOk8B,OAChBC,EAAiBn8B,EAAOm8B,eACxBZ,EAAav7B,EAAOu7B,WACpB1hC,KAAKqK,QAAQszB,mBACfvD,EAAUp6B,KAAKqK,QAAQszB,iBAAiBvD,IAEtCoH,GAAeC,GACW,SAAxBD,EAAYhI,UACdiI,EAAWzhC,KAAK6hC,oBAAoBJ,EAAUD,EAAa1D,GAAO,IAGtE,MAAM4E,EAAUlB,EAQhB,GAPIkB,IAAmE,IAAxD1iC,KAAKqK,QAAQ8uB,aAAaxS,QAAQ+b,EAAQlJ,WACvDgI,EAAcxhC,KAAKiiC,cAAchN,MACjC6I,EAAQA,EAAM32B,UAAU,EAAG22B,EAAMiE,YAAY,OAE3C3H,IAAYmH,EAAO/H,UACrBsE,GAASA,EAAQ,IAAM1D,EAAUA,GAE/Bp6B,KAAK2iC,aAAa3iC,KAAKqK,QAAQ+yB,UAAWU,EAAO1D,GAAU,CAC7D,IAAIwI,EAAa,GACjB,GAAIP,EAAO3gC,OAAS,GAAK2gC,EAAON,YAAY,OAASM,EAAO3gC,OAAS,EAC/B,MAAhC04B,EAAQA,EAAQ14B,OAAS,IAC3B04B,EAAUA,EAAQX,OAAO,EAAGW,EAAQ14B,OAAS,GAC7Co8B,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMp8B,OAAS,GACvC2gC,EAASjI,GAETiI,EAASA,EAAO5I,OAAO,EAAG4I,EAAO3gC,OAAS,GAE5CF,EAAI2E,EAAOu7B,gBACN,IAAoD,IAAhD1hC,KAAKqK,QAAQ8uB,aAAaxS,QAAQyT,GAC3C54B,EAAI2E,EAAOu7B,eACN,CACL,MAAMmB,EAAU7iC,KAAK8iC,iBAAiBvJ,EAASkJ,EAAYf,EAAa,GACxE,IAAKmB,EACH,MAAM,IAAIn2B,MAAM,qBAAqB+1B,KACvCjhC,EAAIqhC,EAAQrhC,EACZohC,EAAaC,EAAQD,UACvB,CACA,MAAMR,EAAY,IAAIrD,GAAQ3E,GAC1BA,IAAYiI,GAAUC,IACxBF,EAAU,MAAQpiC,KAAKihC,mBAAmBoB,EAAQvE,EAAO1D,IAEvDwI,IACFA,EAAa5iC,KAAKsgC,cAAcsC,EAAYxI,EAAS0D,GAAO,EAAMwE,GAAgB,GAAM,IAE1FxE,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMiE,YAAY,MAC1CK,EAAUn8B,IAAIjG,KAAKqK,QAAQiyB,aAAcsG,GACzC5iC,KAAKi/B,SAASuC,EAAaY,EAAWtE,EACxC,KAAO,CACL,GAAIuE,EAAO3gC,OAAS,GAAK2gC,EAAON,YAAY,OAASM,EAAO3gC,OAAS,EAAG,CAClC,MAAhC04B,EAAQA,EAAQ14B,OAAS,IAC3B04B,EAAUA,EAAQX,OAAO,EAAGW,EAAQ14B,OAAS,GAC7Co8B,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMp8B,OAAS,GACvC2gC,EAASjI,GAETiI,EAASA,EAAO5I,OAAO,EAAG4I,EAAO3gC,OAAS,GAExC1B,KAAKqK,QAAQszB,mBACfvD,EAAUp6B,KAAKqK,QAAQszB,iBAAiBvD,IAE1C,MAAMgI,EAAY,IAAIrD,GAAQ3E,GAC1BA,IAAYiI,GAAUC,IACxBF,EAAU,MAAQpiC,KAAKihC,mBAAmBoB,EAAQvE,EAAO1D,IAE3Dp6B,KAAKi/B,SAASuC,EAAaY,EAAWtE,GACtCA,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMiE,YAAY,KAC5C,KAAO,CACL,MAAMK,EAAY,IAAIrD,GAAQ3E,GAC9Bp6B,KAAKiiC,cAAczhC,KAAKghC,GACpBpH,IAAYiI,GAAUC,IACxBF,EAAU,MAAQpiC,KAAKihC,mBAAmBoB,EAAQvE,EAAO1D,IAE3Dp6B,KAAKi/B,SAASuC,EAAaY,EAAWtE,GACtC0D,EAAcY,CAChB,CACAX,EAAW,GACXjgC,EAAIkgC,CACN,CACF,MAEAD,GAAYlI,EAAQ/3B,GAGxB,OAAO+/B,EAAOvC,KAChB,EACA,SAASC,GAASuC,EAAaY,EAAWtE,GACxC,MAAM33B,EAASnG,KAAKqK,QAAQwzB,UAAUuE,EAAU5I,QAASsE,EAAOsE,EAAU,QAC3D,IAAXj8B,IAEuB,iBAAXA,GACdi8B,EAAU5I,QAAUrzB,EACpBq7B,EAAYvC,SAASmD,IAErBZ,EAAYvC,SAASmD,GAEzB,CACA,MAAMW,GAAyB,SAAS7F,GACtC,GAAIl9B,KAAKqK,QAAQkzB,gBAAiB,CAChC,IAAK,IAAIY,KAAen+B,KAAKwiC,gBAAiB,CAC5C,MAAMQ,EAAShjC,KAAKwiC,gBAAgBrE,GACpCjB,EAAOA,EAAK9f,QAAQ4lB,EAAOvD,KAAMuD,EAAOxD,IAC1C,CACA,IAAK,IAAIrB,KAAen+B,KAAKqgC,aAAc,CACzC,MAAM2C,EAAShjC,KAAKqgC,aAAalC,GACjCjB,EAAOA,EAAK9f,QAAQ4lB,EAAOrK,MAAOqK,EAAOxD,IAC3C,CACA,GAAIx/B,KAAKqK,QAAQmzB,aACf,IAAK,IAAIW,KAAen+B,KAAKw9B,aAAc,CACzC,MAAMwF,EAAShjC,KAAKw9B,aAAaW,GACjCjB,EAAOA,EAAK9f,QAAQ4lB,EAAOrK,MAAOqK,EAAOxD,IAC3C,CAEFtC,EAAOA,EAAK9f,QAAQpd,KAAKijC,UAAUtK,MAAO34B,KAAKijC,UAAUzD,IAC3D,CACA,OAAOtC,CACT,EACA,SAAS2E,GAAoBJ,EAAUD,EAAa1D,EAAO2C,GAgBzD,OAfIgB,SACiB,IAAfhB,IACFA,EAAuD,IAA1ClhC,OAAOuf,KAAK0iB,EAAYxC,OAAOt9B,aAS7B,KARjB+/B,EAAWzhC,KAAKsgC,cACdmB,EACAD,EAAYhI,QACZsE,GACA,IACA0D,EAAY,OAAkD,IAA1CjiC,OAAOuf,KAAK0iB,EAAY,OAAO9/B,OACnD++B,KAEsC,KAAbgB,GACzBD,EAAYv7B,IAAIjG,KAAKqK,QAAQiyB,aAAcmF,GAC7CA,EAAW,IAENA,CACT,CACA,SAASkB,GAAavF,EAAWU,EAAOoF,GACtC,MAAMC,EAAc,KAAOD,EAC3B,IAAK,MAAME,KAAgBhG,EAAW,CACpC,MAAMiG,EAAcjG,EAAUgG,GAC9B,GAAID,IAAgBE,GAAevF,IAAUuF,EAC3C,OAAO,CACX,CACA,OAAO,CACT,CA+BA,SAAS1B,GAAiBpI,EAASltB,EAAK7K,EAAG8hC,GACzC,MAAMC,EAAehK,EAAQ5S,QAAQta,EAAK7K,GAC1C,IAAsB,IAAlB+hC,EACF,MAAM,IAAI72B,MAAM42B,GAEhB,OAAOC,EAAel3B,EAAI3K,OAAS,CAEvC,CACA,SAASygC,GAAW5I,EAAS/3B,EAAGg7B,EAAgBgH,EAAc,KAC5D,MAAMr9B,EAvCR,SAAgCozB,EAAS/3B,EAAGgiC,EAAc,KACxD,IAAIC,EACApB,EAAS,GACb,IAAK,IAAIhzB,EAAQ7N,EAAG6N,EAAQkqB,EAAQ73B,OAAQ2N,IAAS,CACnD,IAAIq0B,EAAKnK,EAAQlqB,GACjB,GAAIo0B,EACEC,IAAOD,IACTA,EAAe,SACZ,GAAW,MAAPC,GAAqB,MAAPA,EACvBD,EAAeC,OACV,GAAIA,IAAOF,EAAY,GAAI,CAChC,IAAIA,EAAY,GAQd,MAAO,CACLp6B,KAAMi5B,EACNhzB,SATF,GAAIkqB,EAAQlqB,EAAQ,KAAOm0B,EAAY,GACrC,MAAO,CACLp6B,KAAMi5B,EACNhzB,QASR,KAAkB,OAAPq0B,IACTA,EAAK,KAEPrB,GAAUqB,CACZ,CACF,CAUiBC,CAAuBpK,EAAS/3B,EAAI,EAAGgiC,GACtD,IAAKr9B,EACH,OACF,IAAIk8B,EAASl8B,EAAOiD,KACpB,MAAMs4B,EAAav7B,EAAOkJ,MACpBu0B,EAAiBvB,EAAOnP,OAAO,MACrC,IAAIkH,EAAUiI,EACVC,GAAiB,GACG,IAApBsB,IACFxJ,EAAUiI,EAAOl7B,UAAU,EAAGy8B,GAC9BvB,EAASA,EAAOl7B,UAAUy8B,EAAiB,GAAGC,aAEhD,MAAMpB,EAAarI,EACnB,GAAIoC,EAAgB,CAClB,MAAMoF,EAAaxH,EAAQzT,QAAQ,MACf,IAAhBib,IACFxH,EAAUA,EAAQX,OAAOmI,EAAa,GACtCU,EAAiBlI,IAAYj0B,EAAOiD,KAAKqwB,OAAOmI,EAAa,GAEjE,CACA,MAAO,CACLxH,UACAiI,SACAX,aACAY,iBACAG,aAEJ,CACA,SAASK,GAAiBvJ,EAASa,EAAS54B,GAC1C,MAAMs3B,EAAat3B,EACnB,IAAIsiC,EAAe,EACnB,KAAOtiC,EAAI+3B,EAAQ73B,OAAQF,IACzB,GAAmB,MAAf+3B,EAAQ/3B,GACV,GAAuB,MAAnB+3B,EAAQ/3B,EAAI,GAAY,CAC1B,MAAMkgC,EAAaC,GAAiBpI,EAAS,IAAK/3B,EAAG,GAAG44B,mBAExD,GADmBb,EAAQpyB,UAAU3F,EAAI,EAAGkgC,GAAYrH,SACnCD,IACnB0J,IACqB,IAAjBA,GACF,MAAO,CACLlB,WAAYrJ,EAAQpyB,UAAU2xB,EAAYt3B,GAC1CA,GAINA,EAAIkgC,CACN,MAAO,GAAuB,MAAnBnI,EAAQ/3B,EAAI,GAErBA,EADmBmgC,GAAiBpI,EAAS,KAAM/3B,EAAI,EAAG,gCAErD,GAAiC,QAA7B+3B,EAAQE,OAAOj4B,EAAI,EAAG,GAE/BA,EADmBmgC,GAAiBpI,EAAS,SAAO/3B,EAAI,EAAG,gCAEtD,GAAiC,OAA7B+3B,EAAQE,OAAOj4B,EAAI,EAAG,GAE/BA,EADmBmgC,GAAiBpI,EAAS,MAAO/3B,EAAG,2BAA6B,MAE/E,CACL,MAAM0gC,EAAUC,GAAW5I,EAAS/3B,EAAG,KACnC0gC,KACkBA,GAAWA,EAAQ9H,WACnBA,GAAyD,MAA9C8H,EAAQG,OAAOH,EAAQG,OAAO3gC,OAAS,IACpEoiC,IAEFtiC,EAAI0gC,EAAQR,WAEhB,CAGN,CACA,SAASb,GAAW3D,EAAM6G,EAAa15B,GACrC,GAAI05B,GAA+B,iBAAT7G,EAAmB,CAC3C,MAAM0D,EAAS1D,EAAK7C,OACpB,MAAe,SAAXuG,GAEgB,UAAXA,GAGAlB,GAASxC,EAAM7yB,EAC1B,CACE,OAAIy0B,GAAK5G,QAAQgF,GACRA,EAEA,EAGb,CACA,IACI8G,GAAY,CAAC,EAIjB,SAASC,GAASC,EAAK75B,EAASyzB,GAC9B,IAAIxc,EACJ,MAAM6iB,EAAgB,CAAC,EACvB,IAAK,IAAI3iC,EAAI,EAAGA,EAAI0iC,EAAIxiC,OAAQF,IAAK,CACnC,MAAM4iC,EAASF,EAAI1iC,GACb6iC,EAAWC,GAAWF,GAC5B,IAAIG,EAAW,GAKf,GAHEA,OADY,IAAVzG,EACSuG,EAEAvG,EAAQ,IAAMuG,EACvBA,IAAah6B,EAAQiyB,kBACV,IAAThb,EACFA,EAAO8iB,EAAOC,GAEd/iB,GAAQ,GAAK8iB,EAAOC,OACjB,SAAiB,IAAbA,EACT,SACK,GAAID,EAAOC,GAAW,CAC3B,IAAInH,EAAO+G,GAASG,EAAOC,GAAWh6B,EAASk6B,GAC/C,MAAMC,EAASC,GAAUvH,EAAM7yB,GAC3B+5B,EAAO,MACTM,GAAiBxH,EAAMkH,EAAO,MAAOG,EAAUl6B,GACT,IAA7B9K,OAAOuf,KAAKoe,GAAMx7B,aAA+C,IAA/Bw7B,EAAK7yB,EAAQiyB,eAA6BjyB,EAAQgzB,qBAEvD,IAA7B99B,OAAOuf,KAAKoe,GAAMx7B,SACvB2I,EAAQgzB,qBACVH,EAAK7yB,EAAQiyB,cAAgB,GAE7BY,EAAO,IALTA,EAAOA,EAAK7yB,EAAQiyB,mBAOU,IAA5B6H,EAAcE,IAAwBF,EAAc1kC,eAAe4kC,IAChEziC,MAAMid,QAAQslB,EAAcE,MAC/BF,EAAcE,GAAY,CAACF,EAAcE,KAE3CF,EAAcE,GAAU7jC,KAAK08B,IAEzB7yB,EAAQwU,QAAQwlB,EAAUE,EAAUC,GACtCL,EAAcE,GAAY,CAACnH,GAE3BiH,EAAcE,GAAYnH,CAGhC,EACF,CAMA,MALoB,iBAAT5b,EACLA,EAAK5f,OAAS,IAChByiC,EAAc95B,EAAQiyB,cAAgBhb,QACtB,IAATA,IACT6iB,EAAc95B,EAAQiyB,cAAgBhb,GACjC6iB,CACT,CACA,SAASG,GAAW3a,GAClB,MAAM7K,EAAOvf,OAAOuf,KAAK6K,GACzB,IAAK,IAAInoB,EAAI,EAAGA,EAAIsd,EAAKpd,OAAQF,IAAK,CACpC,MAAM2G,EAAM2W,EAAKtd,GACjB,GAAY,OAAR2G,EACF,OAAOA,CACX,CACF,CACA,SAASu8B,GAAiB/a,EAAKgb,EAASC,EAAOv6B,GAC7C,GAAIs6B,EAAS,CACX,MAAM7lB,EAAOvf,OAAOuf,KAAK6lB,GACnBtiC,EAAMyc,EAAKpd,OACjB,IAAK,IAAIF,EAAI,EAAGA,EAAIa,EAAKb,IAAK,CAC5B,MAAMqjC,EAAW/lB,EAAKtd,GAClB6I,EAAQwU,QAAQgmB,EAAUD,EAAQ,IAAMC,GAAU,GAAM,GAC1Dlb,EAAIkb,GAAY,CAACF,EAAQE,IAEzBlb,EAAIkb,GAAYF,EAAQE,EAE5B,CACF,CACF,CACA,SAASJ,GAAU9a,EAAKtf,GACtB,MAAM,aAAEiyB,GAAiBjyB,EACnBy6B,EAAYvlC,OAAOuf,KAAK6K,GAAKjoB,OACnC,OAAkB,IAAdojC,KAGc,IAAdA,IAAoBnb,EAAI2S,IAA8C,kBAAtB3S,EAAI2S,IAAqD,IAAtB3S,EAAI2S,GAI7F,CACA0H,GAAUe,SAxFV,SAAoBvhC,EAAM6G,GACxB,OAAO45B,GAASzgC,EAAM6G,EACxB,EAuFA,MAAM,aAAE0zB,IAAiB9B,GACnB+I,GAxkBmB,MACvB,WAAAnS,CAAYxoB,GACVrK,KAAKqK,QAAUA,EACfrK,KAAKwhC,YAAc,KACnBxhC,KAAKiiC,cAAgB,GACrBjiC,KAAKwiC,gBAAkB,CAAC,EACxBxiC,KAAKqgC,aAAe,CAClB,KAAQ,CAAE1H,MAAO,qBAAsB6G,IAAK,KAC5C,GAAM,CAAE7G,MAAO,mBAAoB6G,IAAK,KACxC,GAAM,CAAE7G,MAAO,mBAAoB6G,IAAK,KACxC,KAAQ,CAAE7G,MAAO,qBAAsB6G,IAAK,MAE9Cx/B,KAAKijC,UAAY,CAAEtK,MAAO,oBAAqB6G,IAAK,KACpDx/B,KAAKw9B,aAAe,CAClB,MAAS,CAAE7E,MAAO,iBAAkB6G,IAAK,KAMzC,KAAQ,CAAE7G,MAAO,iBAAkB6G,IAAK,KACxC,MAAS,CAAE7G,MAAO,kBAAmB6G,IAAK,KAC1C,IAAO,CAAE7G,MAAO,gBAAiB6G,IAAK,KACtC,KAAQ,CAAE7G,MAAO,kBAAmB6G,IAAK,KACzC,UAAa,CAAE7G,MAAO,iBAAkB6G,IAAK,KAC7C,IAAO,CAAE7G,MAAO,gBAAiB6G,IAAK,KACtC,IAAO,CAAE7G,MAAO,iBAAkB6G,IAAK,KACvC,QAAW,CAAE7G,MAAO,mBAAoB6G,IAAK,CAACyF,EAAG54B,IAAQS,OAAO2P,aAAauZ,OAAOxe,SAASnL,EAAK,MAClG,QAAW,CAAEssB,MAAO,0BAA2B6G,IAAK,CAACyF,EAAG54B,IAAQS,OAAO2P,aAAauZ,OAAOxe,SAASnL,EAAK,OAE3GrM,KAAKigC,oBAAsBA,GAC3BjgC,KAAKshC,SAAWA,GAChBthC,KAAKsgC,cAAgBA,GACrBtgC,KAAK8gC,iBAAmBA,GACxB9gC,KAAKihC,mBAAqBA,GAC1BjhC,KAAK2iC,aAAeA,GACpB3iC,KAAK2gC,qBAAuBoC,GAC5B/iC,KAAK8iC,iBAAmBA,GACxB9iC,KAAK6hC,oBAAsBA,GAC3B7hC,KAAKi/B,SAAWA,EAClB,IAiiBI,SAAE8F,IAAaf,GACfkB,GAAcrN,EA6DpB,SAASsN,GAASjB,EAAK75B,EAASyzB,EAAOsH,GACrC,IAAIC,EAAS,GACTC,GAAuB,EAC3B,IAAK,IAAI9jC,EAAI,EAAGA,EAAI0iC,EAAIxiC,OAAQF,IAAK,CACnC,MAAM4iC,EAASF,EAAI1iC,GACb44B,EAAUmL,GAASnB,GACzB,QAAgB,IAAZhK,EACF,SACF,IAAIoL,EAAW,GAKf,GAHEA,EADmB,IAAjB1H,EAAMp8B,OACG04B,EAEA,GAAG0D,KAAS1D,IACrBA,IAAY/vB,EAAQiyB,aAAc,CACpC,IAAImJ,EAAUrB,EAAOhK,GAChBsL,GAAWF,EAAUn7B,KACxBo7B,EAAUp7B,EAAQ4yB,kBAAkB7C,EAASqL,GAC7CA,EAAU9E,GAAqB8E,EAASp7B,IAEtCi7B,IACFD,GAAUD,GAEZC,GAAUI,EACVH,GAAuB,EACvB,QACF,CAAO,GAAIlL,IAAY/vB,EAAQuyB,cAAe,CACxC0I,IACFD,GAAUD,GAEZC,GAAU,YAAYjB,EAAOhK,GAAS,GAAG/vB,EAAQiyB,mBACjDgJ,GAAuB,EACvB,QACF,CAAO,GAAIlL,IAAY/vB,EAAQizB,gBAAiB,CAC9C+H,GAAUD,EAAc,UAAOhB,EAAOhK,GAAS,GAAG/vB,EAAQiyB,sBAC1DgJ,GAAuB,EACvB,QACF,CAAO,GAAmB,MAAflL,EAAQ,GAAY,CAC7B,MAAMuL,EAAUC,GAAYxB,EAAO,MAAO/5B,GACpCw7B,EAAsB,SAAZzL,EAAqB,GAAKgL,EAC1C,IAAIU,EAAiB1B,EAAOhK,GAAS,GAAG/vB,EAAQiyB,cAChDwJ,EAA2C,IAA1BA,EAAepkC,OAAe,IAAMokC,EAAiB,GACtET,GAAUQ,EAAU,IAAIzL,IAAU0L,IAAiBH,MACnDL,GAAuB,EACvB,QACF,CACA,IAAIS,EAAgBX,EACE,KAAlBW,IACFA,GAAiB17B,EAAQ27B,UAE3B,MACMC,EAAWb,EAAc,IAAIhL,IADpBwL,GAAYxB,EAAO,MAAO/5B,KAEnC67B,EAAWf,GAASf,EAAOhK,GAAU/vB,EAASm7B,EAAUO,IACf,IAA3C17B,EAAQ8uB,aAAaxS,QAAQyT,GAC3B/vB,EAAQ87B,qBACVd,GAAUY,EAAW,IAErBZ,GAAUY,EAAW,KACZC,GAAgC,IAApBA,EAASxkC,SAAiB2I,EAAQ+7B,kBAEhDF,GAAYA,EAASG,SAAS,KACvChB,GAAUY,EAAW,IAAIC,IAAWd,MAAgBhL,MAEpDiL,GAAUY,EAAW,IACjBC,GAA4B,KAAhBd,IAAuBc,EAASz0B,SAAS,OAASy0B,EAASz0B,SAAS,OAClF4zB,GAAUD,EAAc/6B,EAAQ27B,SAAWE,EAAWd,EAEtDC,GAAUa,EAEZb,GAAU,KAAKjL,MAVfiL,GAAUY,EAAW,KAYvBX,GAAuB,CACzB,CACA,OAAOD,CACT,CACA,SAASE,GAAS5b,GAChB,MAAM7K,EAAOvf,OAAOuf,KAAK6K,GACzB,IAAK,IAAInoB,EAAI,EAAGA,EAAIsd,EAAKpd,OAAQF,IAAK,CACpC,MAAM2G,EAAM2W,EAAKtd,GACjB,GAAKmoB,EAAIlqB,eAAe0I,IAEZ,OAARA,EACF,OAAOA,CACX,CACF,CACA,SAASy9B,GAAYjB,EAASt6B,GAC5B,IAAImwB,EAAU,GACd,GAAImK,IAAYt6B,EAAQkyB,iBACtB,IAAK,IAAI+J,KAAQ3B,EAAS,CACxB,IAAKA,EAAQllC,eAAe6mC,GAC1B,SACF,IAAIC,EAAUl8B,EAAQ8yB,wBAAwBmJ,EAAM3B,EAAQ2B,IAC5DC,EAAU5F,GAAqB4F,EAASl8B,IACxB,IAAZk8B,GAAoBl8B,EAAQm8B,0BAC9BhM,GAAW,IAAI8L,EAAK7M,OAAOpvB,EAAQ+xB,oBAAoB16B,UAEvD84B,GAAW,IAAI8L,EAAK7M,OAAOpvB,EAAQ+xB,oBAAoB16B,YAAY6kC,IAEvE,CAEF,OAAO/L,CACT,CACA,SAASkL,GAAW5H,EAAOzzB,GAEzB,IAAI+vB,GADJ0D,EAAQA,EAAMrE,OAAO,EAAGqE,EAAMp8B,OAAS2I,EAAQiyB,aAAa56B,OAAS,IACjD+3B,OAAOqE,EAAMiE,YAAY,KAAO,GACpD,IAAK,IAAI1yB,KAAShF,EAAQ+yB,UACxB,GAAI/yB,EAAQ+yB,UAAU/tB,KAAWyuB,GAASzzB,EAAQ+yB,UAAU/tB,KAAW,KAAO+qB,EAC5E,OAAO,EAEX,OAAO,CACT,CACA,SAASuG,GAAqB8F,EAAWp8B,GACvC,GAAIo8B,GAAaA,EAAU/kC,OAAS,GAAK2I,EAAQkzB,gBAC/C,IAAK,IAAI/7B,EAAI,EAAGA,EAAI6I,EAAQ80B,SAASz9B,OAAQF,IAAK,CAChD,MAAMwhC,EAAS34B,EAAQ80B,SAAS39B,GAChCilC,EAAYA,EAAUrpB,QAAQ4lB,EAAOrK,MAAOqK,EAAOxD,IACrD,CAEF,OAAOiH,CACT,CAEA,MAAMC,GA/HN,SAAeC,EAAQt8B,GACrB,IAAI+6B,EAAc,GAIlB,OAHI/6B,EAAQu8B,QAAUv8B,EAAQ27B,SAAStkC,OAAS,IAC9C0jC,EAJQ,MAMHD,GAASwB,EAAQt8B,EAAS,GAAI+6B,EACvC,EA0HMpH,GAAiB,CACrB5B,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACfgK,QAAQ,EACRZ,SAAU,KACVI,mBAAmB,EACnBD,sBAAsB,EACtBK,2BAA2B,EAC3BvJ,kBAAmB,SAAS90B,EAAK4T,GAC/B,OAAOA,CACT,EACAohB,wBAAyB,SAASzB,EAAU3f,GAC1C,OAAOA,CACT,EACAogB,eAAe,EACfmB,iBAAiB,EACjBnE,aAAc,GACdgG,SAAU,CACR,CAAExG,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,SAEpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,QACpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,QACpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,UACpC,CAAE7G,MAAO,IAAIvC,OAAO,IAAK,KAAMoJ,IAAK,WAEtCjC,iBAAiB,EACjBH,UAAW,GAGXyJ,cAAc,GAEhB,SAASC,GAAQz8B,GACfrK,KAAKqK,QAAU9K,OAAO8d,OAAO,CAAC,EAAG2gB,GAAgB3zB,GAC7CrK,KAAKqK,QAAQkyB,kBAAoBv8B,KAAKqK,QAAQgyB,oBAChDr8B,KAAK+mC,YAAc,WACjB,OAAO,CACT,GAEA/mC,KAAKgnC,cAAgBhnC,KAAKqK,QAAQ+xB,oBAAoB16B,OACtD1B,KAAK+mC,YAAcA,IAErB/mC,KAAKinC,qBAAuBA,GACxBjnC,KAAKqK,QAAQu8B,QACf5mC,KAAKknC,UAAYA,GACjBlnC,KAAKmnC,WAAa,MAClBnnC,KAAKonC,QAAU,OAEfpnC,KAAKknC,UAAY,WACf,MAAO,EACT,EACAlnC,KAAKmnC,WAAa,IAClBnnC,KAAKonC,QAAU,GAEnB,CA6FA,SAASH,GAAqBI,EAAQl/B,EAAKm/B,GACzC,MAAMnhC,EAASnG,KAAKunC,IAAIF,EAAQC,EAAQ,GACxC,YAA0C,IAAtCD,EAAOrnC,KAAKqK,QAAQiyB,eAA2D,IAA/B/8B,OAAOuf,KAAKuoB,GAAQ3lC,OAC/D1B,KAAKwnC,iBAAiBH,EAAOrnC,KAAKqK,QAAQiyB,cAAen0B,EAAKhC,EAAOq0B,QAAS8M,GAE9EtnC,KAAKynC,gBAAgBthC,EAAOq5B,IAAKr3B,EAAKhC,EAAOq0B,QAAS8M,EAEjE,CA8DA,SAASJ,GAAUI,GACjB,OAAOtnC,KAAKqK,QAAQ27B,SAAS0B,OAAOJ,EACtC,CACA,SAASP,GAAY/lC,GACnB,SAAIA,EAAKsH,WAAWtI,KAAKqK,QAAQ+xB,sBAAwBp7B,IAAShB,KAAKqK,QAAQiyB,eACtEt7B,EAAKy4B,OAAOz5B,KAAKgnC,cAI5B,CA1KAF,GAAQtnC,UAAU4D,MAAQ,SAASukC,GACjC,OAAI3nC,KAAKqK,QAAQ8xB,cACRuK,GAAmBiB,EAAM3nC,KAAKqK,UAEjCzI,MAAMid,QAAQ8oB,IAAS3nC,KAAKqK,QAAQu9B,eAAiB5nC,KAAKqK,QAAQu9B,cAAclmC,OAAS,IAC3FimC,EAAO,CACL,CAAC3nC,KAAKqK,QAAQu9B,eAAgBD,IAG3B3nC,KAAKunC,IAAII,EAAM,GAAGnI,IAE7B,EACAsH,GAAQtnC,UAAU+nC,IAAM,SAASI,EAAML,GACrC,IAAI9M,EAAU,GACV0C,EAAO,GACX,IAAK,IAAI/0B,KAAOw/B,EACd,GAAKpoC,OAAOC,UAAUC,eAAeyB,KAAKymC,EAAMx/B,GAEhD,QAAyB,IAAdw/B,EAAKx/B,GACVnI,KAAK+mC,YAAY5+B,KACnB+0B,GAAQ,SAEL,GAAkB,OAAdyK,EAAKx/B,GACVnI,KAAK+mC,YAAY5+B,GACnB+0B,GAAQ,GACY,MAAX/0B,EAAI,GACb+0B,GAAQl9B,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAM,IAAMnI,KAAKmnC,WAEvDjK,GAAQl9B,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAM,IAAMnI,KAAKmnC,gBAEpD,GAAIQ,EAAKx/B,aAAgBgF,KAC9B+vB,GAAQl9B,KAAKwnC,iBAAiBG,EAAKx/B,GAAMA,EAAK,GAAIm/B,QAC7C,GAAyB,iBAAdK,EAAKx/B,GAAmB,CACxC,MAAMm+B,EAAOtmC,KAAK+mC,YAAY5+B,GAC9B,GAAIm+B,EACF9L,GAAWx6B,KAAK6nC,iBAAiBvB,EAAM,GAAKqB,EAAKx/B,SAEjD,GAAIA,IAAQnI,KAAKqK,QAAQiyB,aAAc,CACrC,IAAIsE,EAAS5gC,KAAKqK,QAAQ4yB,kBAAkB90B,EAAK,GAAKw/B,EAAKx/B,IAC3D+0B,GAAQl9B,KAAK2gC,qBAAqBC,EACpC,MACE1D,GAAQl9B,KAAKwnC,iBAAiBG,EAAKx/B,GAAMA,EAAK,GAAIm/B,EAGxD,MAAO,GAAI1lC,MAAMid,QAAQ8oB,EAAKx/B,IAAO,CACnC,MAAM2/B,EAASH,EAAKx/B,GAAKzG,OACzB,IAAIqmC,EAAa,GACjB,IAAK,IAAIrlC,EAAI,EAAGA,EAAIolC,EAAQplC,IAAK,CAC/B,MAAM2e,EAAOsmB,EAAKx/B,GAAKzF,QACH,IAAT2e,IAEO,OAATA,EACQ,MAAXlZ,EAAI,GACN+0B,GAAQl9B,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAM,IAAMnI,KAAKmnC,WAEvDjK,GAAQl9B,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAM,IAAMnI,KAAKmnC,WAChC,iBAAT9lB,EACZrhB,KAAKqK,QAAQw8B,aACfkB,GAAc/nC,KAAKunC,IAAIlmB,EAAMimB,EAAQ,GAAG9H,IAExCuI,GAAc/nC,KAAKinC,qBAAqB5lB,EAAMlZ,EAAKm/B,GAGrDS,GAAc/nC,KAAKwnC,iBAAiBnmB,EAAMlZ,EAAK,GAAIm/B,GAEvD,CACItnC,KAAKqK,QAAQw8B,eACfkB,EAAa/nC,KAAKynC,gBAAgBM,EAAY5/B,EAAK,GAAIm/B,IAEzDpK,GAAQ6K,CACV,MACE,GAAI/nC,KAAKqK,QAAQgyB,qBAAuBl0B,IAAQnI,KAAKqK,QAAQgyB,oBAAqB,CAChF,MAAM2L,EAAKzoC,OAAOuf,KAAK6oB,EAAKx/B,IACtB8/B,EAAID,EAAGtmC,OACb,IAAK,IAAIgB,EAAI,EAAGA,EAAIulC,EAAGvlC,IACrB83B,GAAWx6B,KAAK6nC,iBAAiBG,EAAGtlC,GAAI,GAAKilC,EAAKx/B,GAAK6/B,EAAGtlC,IAE9D,MACEw6B,GAAQl9B,KAAKinC,qBAAqBU,EAAKx/B,GAAMA,EAAKm/B,GAIxD,MAAO,CAAE9M,UAASgF,IAAKtC,EACzB,EACA4J,GAAQtnC,UAAUqoC,iBAAmB,SAASnM,EAAUwB,GAGtD,OAFAA,EAAOl9B,KAAKqK,QAAQ8yB,wBAAwBzB,EAAU,GAAKwB,GAC3DA,EAAOl9B,KAAK2gC,qBAAqBzD,GAC7Bl9B,KAAKqK,QAAQm8B,2BAAsC,SAATtJ,EACrC,IAAMxB,EAEN,IAAMA,EAAW,KAAOwB,EAAO,GAC1C,EASA4J,GAAQtnC,UAAUioC,gBAAkB,SAASvK,EAAM/0B,EAAKqyB,EAAS8M,GAC/D,GAAa,KAATpK,EACF,MAAe,MAAX/0B,EAAI,GACCnI,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAU,IAAMx6B,KAAKmnC,WAEzDnnC,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAUx6B,KAAKkoC,SAAS//B,GAAOnI,KAAKmnC,WAE5E,CACL,IAAIgB,EAAY,KAAOhgC,EAAMnI,KAAKmnC,WAC9BiB,EAAgB,GAKpB,MAJe,MAAXjgC,EAAI,KACNigC,EAAgB,IAChBD,EAAY,KAET3N,GAAuB,KAAZA,IAA0C,IAAvB0C,EAAKvW,QAAQ,MAEJ,IAAjC3mB,KAAKqK,QAAQizB,iBAA6Bn1B,IAAQnI,KAAKqK,QAAQizB,iBAA4C,IAAzB8K,EAAc1mC,OAClG1B,KAAKknC,UAAUI,GAAS,UAAOpK,UAAYl9B,KAAKonC,QAEhDpnC,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAU4N,EAAgBpoC,KAAKmnC,WAAajK,EAAOl9B,KAAKknC,UAAUI,GAASa,EAJ/GnoC,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAU4N,EAAgB,IAAMlL,EAAOiL,CAMtF,CACF,EACArB,GAAQtnC,UAAU0oC,SAAW,SAAS//B,GACpC,IAAI+/B,EAAW,GASf,OARgD,IAA5CloC,KAAKqK,QAAQ8uB,aAAaxS,QAAQxe,GAC/BnI,KAAKqK,QAAQ87B,uBAChB+B,EAAW,KAEbA,EADSloC,KAAKqK,QAAQ+7B,kBACX,IAEA,MAAMj+B,IAEZ+/B,CACT,EACApB,GAAQtnC,UAAUgoC,iBAAmB,SAAStK,EAAM/0B,EAAKqyB,EAAS8M,GAChE,IAAmC,IAA/BtnC,KAAKqK,QAAQuyB,eAA2Bz0B,IAAQnI,KAAKqK,QAAQuyB,cAC/D,OAAO58B,KAAKknC,UAAUI,GAAS,YAAYpK,OAAYl9B,KAAKonC,QACvD,IAAqC,IAAjCpnC,KAAKqK,QAAQizB,iBAA6Bn1B,IAAQnI,KAAKqK,QAAQizB,gBACxE,OAAOt9B,KAAKknC,UAAUI,GAAS,UAAOpK,UAAYl9B,KAAKonC,QAClD,GAAe,MAAXj/B,EAAI,GACb,OAAOnI,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAU,IAAMx6B,KAAKmnC,WAC3D,CACL,IAAIV,EAAYzmC,KAAKqK,QAAQ4yB,kBAAkB90B,EAAK+0B,GAEpD,OADAuJ,EAAYzmC,KAAK2gC,qBAAqB8F,GACpB,KAAdA,EACKzmC,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAUx6B,KAAKkoC,SAAS//B,GAAOnI,KAAKmnC,WAExEnnC,KAAKknC,UAAUI,GAAS,IAAMn/B,EAAMqyB,EAAU,IAAMiM,EAAY,KAAOt+B,EAAMnI,KAAKmnC,UAE7F,CACF,EACAL,GAAQtnC,UAAUmhC,qBAAuB,SAAS8F,GAChD,GAAIA,GAAaA,EAAU/kC,OAAS,GAAK1B,KAAKqK,QAAQkzB,gBACpD,IAAK,IAAI/7B,EAAI,EAAGA,EAAIxB,KAAKqK,QAAQ80B,SAASz9B,OAAQF,IAAK,CACrD,MAAMwhC,EAAShjC,KAAKqK,QAAQ80B,SAAS39B,GACrCilC,EAAYA,EAAUrpB,QAAQ4lB,EAAOrK,MAAOqK,EAAOxD,IACrD,CAEF,OAAOiH,CACT,EAeA,IAAI4B,GAAM,CACRC,UA9ZgB,MAChB,WAAAzV,CAAYxoB,GACVrK,KAAKkgC,iBAAmB,CAAC,EACzBlgC,KAAKqK,QAAU0zB,GAAa1zB,EAC9B,CAMA,KAAAvC,CAAMyxB,EAASgP,GACb,GAAuB,iBAAZhP,OAEN,KAAIA,EAAQryB,SAGf,MAAM,IAAIwF,MAAM,mDAFhB6sB,EAAUA,EAAQryB,UAGpB,CACA,GAAIqhC,EAAkB,EACK,IAArBA,IACFA,EAAmB,CAAC,GACtB,MAAMpiC,EAAS++B,GAAYpL,SAASP,EAASgP,GAC7C,IAAe,IAAXpiC,EACF,MAAMuG,MAAM,GAAGvG,EAAO8zB,IAAIK,OAAOn0B,EAAO8zB,IAAIY,QAAQ10B,EAAO8zB,IAAIgB,MAEnE,CACA,MAAMuN,EAAmB,IAAIxD,GAAkBhlC,KAAKqK,SACpDm+B,EAAiBvI,oBAAoBjgC,KAAKkgC,kBAC1C,MAAMuI,EAAgBD,EAAiBlH,SAAS/H,GAChD,OAAIv5B,KAAKqK,QAAQ8xB,oBAAmC,IAAlBsM,EACzBA,EAEA1D,GAAS0D,EAAezoC,KAAKqK,QACxC,CAMA,SAAAq+B,CAAUvgC,EAAKgW,GACb,IAA4B,IAAxBA,EAAMwI,QAAQ,KAChB,MAAM,IAAIja,MAAM,+BACX,IAA0B,IAAtBvE,EAAIwe,QAAQ,OAAqC,IAAtBxe,EAAIwe,QAAQ,KAChD,MAAM,IAAIja,MAAM,wEACX,GAAc,MAAVyR,EACT,MAAM,IAAIzR,MAAM,6CAEhB1M,KAAKkgC,iBAAiB/3B,GAAOgW,CAEjC,GA8WAwqB,aALgB9Q,EAMhB+Q,WAPa9B,IAwDf,MAAMztB,GACJwvB,MACA,WAAAhW,CAAY3uB,GACV4kC,GAAY5kC,GACZlE,KAAK6oC,MAAQ3kC,CACf,CACA,MAAIF,GACF,OAAOhE,KAAK6oC,MAAM7kC,EACpB,CACA,QAAIhD,GACF,OAAOhB,KAAK6oC,MAAM7nC,IACpB,CACA,WAAI8rB,GACF,OAAO9sB,KAAK6oC,MAAM/b,OACpB,CACA,cAAIC,GACF,OAAO/sB,KAAK6oC,MAAM9b,UACpB,CACA,gBAAIC,GACF,OAAOhtB,KAAK6oC,MAAM7b,YACpB,CACA,eAAIvf,GACF,OAAOzN,KAAK6oC,MAAMp7B,WACpB,CACA,QAAI4E,GACF,OAAOrS,KAAK6oC,MAAMx2B,IACpB,CACA,QAAIA,CAAKA,GACPrS,KAAK6oC,MAAMx2B,KAAOA,CACpB,CACA,SAAIhM,GACF,OAAOrG,KAAK6oC,MAAMxiC,KACpB,CACA,SAAIA,CAAMA,GACRrG,KAAK6oC,MAAMxiC,MAAQA,CACrB,CACA,UAAIkT,GACF,OAAOvZ,KAAK6oC,MAAMtvB,MACpB,CACA,UAAIA,CAAOA,GACTvZ,KAAK6oC,MAAMtvB,OAASA,CACtB,CACA,WAAIC,GACF,OAAOxZ,KAAK6oC,MAAMrvB,OACpB,CACA,aAAIuvB,GACF,OAAO/oC,KAAK6oC,MAAME,SACpB,CACA,UAAIlwB,GACF,OAAO7Y,KAAK6oC,MAAMhwB,MACpB,CACA,UAAImwB,GACF,OAAOhpC,KAAK6oC,MAAMG,MACpB,CACA,YAAIC,GACF,OAAOjpC,KAAK6oC,MAAMI,QACpB,CACA,YAAIA,CAASA,GACXjpC,KAAK6oC,MAAMI,SAAWA,CACxB,CACA,kBAAIlb,GACF,OAAO/tB,KAAK6oC,MAAM9a,cACpB,EAEF,MAAM+a,GAAc,SAAS5kC,GAC3B,IAAKA,EAAKF,IAAyB,iBAAZE,EAAKF,GAC1B,MAAM,IAAI0I,MAAM,4CAElB,IAAKxI,EAAKlD,MAA6B,iBAAdkD,EAAKlD,KAC5B,MAAM,IAAI0L,MAAM,8CAElB,GAAIxI,EAAKsV,SAAWtV,EAAKsV,QAAQ9X,OAAS,KAAOwC,EAAK4oB,SAAmC,iBAAjB5oB,EAAK4oB,SAC3E,MAAM,IAAIpgB,MAAM,qEAElB,IAAKxI,EAAKuJ,aAA2C,mBAArBvJ,EAAKuJ,YACnC,MAAM,IAAIf,MAAM,uDAElB,IAAKxI,EAAKmO,MAA6B,iBAAdnO,EAAKmO,OA5HhC,SAAeomB,GACb,GAAsB,iBAAXA,EACT,MAAM,IAAIr4B,UAAU,uCAAuCq4B,OAG7D,GAAsB,KADtBA,EAASA,EAAO4B,QACL34B,OACT,OAAO,EAET,IAA0C,IAAtC2mC,GAAIM,aAAa7O,SAASrB,GAC5B,OAAO,EAET,IAAIyQ,EACJ,MAAMC,EAAS,IAAId,GAAIC,UACvB,IACEY,EAAaC,EAAOrhC,MAAM2wB,EAC5B,CAAE,MACA,OAAO,CACT,CACA,QAAKyQ,KAGA3pC,OAAOuf,KAAKoqB,GAAY7kC,MAAMksB,GAA0B,QAApBA,EAAExS,eAI7C,CAmGsDqrB,CAAMllC,EAAKmO,MAC7D,MAAM,IAAI3F,MAAM,wDAElB,KAAM,UAAWxI,IAA+B,iBAAfA,EAAKmC,MACpC,MAAM,IAAIqG,MAAM,+CASlB,GAPIxI,EAAKsV,SACPtV,EAAKsV,QAAQ4I,SAASsV,IACpB,KAAMA,aAAkBF,GACtB,MAAM,IAAI9qB,MAAM,gEAClB,IAGAxI,EAAK6kC,WAAuC,mBAAnB7kC,EAAK6kC,UAChC,MAAM,IAAIr8B,MAAM,qCAElB,GAAIxI,EAAK2U,QAAiC,iBAAhB3U,EAAK2U,OAC7B,MAAM,IAAInM,MAAM,gCAElB,GAAI,WAAYxI,GAA+B,kBAAhBA,EAAK8kC,OAClC,MAAM,IAAIt8B,MAAM,iCAElB,GAAI,aAAcxI,GAAiC,kBAAlBA,EAAK+kC,SACpC,MAAM,IAAIv8B,MAAM,mCAElB,GAAIxI,EAAK6pB,gBAAiD,iBAAxB7pB,EAAK6pB,eACrC,MAAM,IAAIrhB,MAAM,wCAElB,OAAO,CACT,EAuBMwf,GAAsB,SAASnV,GAEnC,OADoB0b,IACDR,cAAclb,EACnC,EACMoB,GAAyB,SAASpB,GAEtC,OADoB0b,IACDL,gBAAgBrb,EACrC,EACMsyB,GAAwB,SAASvpC,GAErC,OADoB2yB,IACDD,WAAW1yB,GAASwtB,MAAK,CAACvR,EAAGwR,SAC9B,IAAZxR,EAAE1V,YAAgC,IAAZknB,EAAElnB,OAAoB0V,EAAE1V,QAAUknB,EAAElnB,MACrD0V,EAAE1V,MAAQknB,EAAElnB,MAEd0V,EAAE9X,YAAYupB,cAAcD,EAAEtpB,iBAAa,EAAQ,CAAEqlC,SAAS,EAAMC,YAAa,UAE5F,oOCloGIl/B,EAAU,CAAC,EAEfA,EAAQC,kBAAoB,IAC5BD,EAAQE,cAAgB,IAElBF,EAAQG,OAAS,SAAc,KAAM,QAE3CH,EAAQI,OAAS,IACjBJ,EAAQK,mBAAqB,IAEhB,IAAI,IAASL,GAKJ,KAAW,IAAQM,QAAS,IAAQA,6EC1BnD,MAAM6+B,UAAoB98B,MAChC,WAAAmmB,CAAY4W,GACXlU,MAAMkU,GAAU,wBAChBzpC,KAAKgB,KAAO,aACb,CAEA,cAAI0oC,GACH,OAAO,CACR,EAGD,MAAMC,EAAepqC,OAAOqqC,OAAO,CAClCC,QAAShwB,OAAO,WAChBiwB,SAAUjwB,OAAO,YACjBkwB,SAAUlwB,OAAO,YACjBmwB,SAAUnwB,OAAO,cAGH,MAAMowB,EACpB,SAAOpqC,CAAGqqC,GACT,MAAO,IAAIC,IAAe,IAAIF,GAAY,CAACjkC,EAAS+H,EAAQC,KAC3Dm8B,EAAW3pC,KAAKwN,GAChBk8B,KAAgBC,GAAY1hB,KAAKziB,EAAS+H,EAAO,GAEnD,CAEA,GAAkB,GAClB,IAAkB,EAClB,GAAS47B,EAAaE,QACtB,GACA,GAEA,WAAAhX,CAAYuX,GACXpqC,MAAK,EAAW,IAAI+F,SAAQ,CAACC,EAAS+H,KACrC/N,MAAK,EAAU+N,EAEf,MAcMC,EAAWgJ,IAChB,GAAIhX,MAAK,IAAW2pC,EAAaE,QAChC,MAAM,IAAIn9B,MAAM,2DAA2D1M,MAAK,EAAOqqC,gBAGxFrqC,MAAK,EAAgBQ,KAAKwW,EAAQ,EAGnCzX,OAAO+qC,iBAAiBt8B,EAAU,CACjCu8B,aAAc,CACb5oB,IAAK,IAAM3hB,MAAK,EAChB2jB,IAAK6mB,IACJxqC,MAAK,EAAkBwqC,CAAO,KAKjCJ,GA/BkBjsB,IACbne,MAAK,IAAW2pC,EAAaG,UAAa97B,EAASu8B,eACtDvkC,EAAQmY,GACRne,MAAK,EAAU2pC,EAAaI,UAC7B,IAGgBrkC,IACZ1F,MAAK,IAAW2pC,EAAaG,UAAa97B,EAASu8B,eACtDx8B,EAAOrI,GACP1F,MAAK,EAAU2pC,EAAaK,UAC7B,GAoB6Bh8B,EAAS,GAEzC,CAGA,IAAAya,CAAKgiB,EAAaC,GACjB,OAAO1qC,MAAK,EAASyoB,KAAKgiB,EAAaC,EACxC,CAEA,MAAMA,GACL,OAAO1qC,MAAK,EAAS0S,MAAMg4B,EAC5B,CAEA,QAAQC,GACP,OAAO3qC,MAAK,EAAS4qC,QAAQD,EAC9B,CAEA,MAAAE,CAAOpB,GACN,GAAIzpC,MAAK,IAAW2pC,EAAaE,QAAjC,CAMA,GAFA7pC,MAAK,EAAU2pC,EAAaG,UAExB9pC,MAAK,EAAgB0B,OAAS,EACjC,IACC,IAAK,MAAMsV,KAAWhX,MAAK,EAC1BgX,GAEF,CAAE,MAAOtR,GAER,YADA1F,MAAK,EAAQ0F,EAEd,CAGG1F,MAAK,GACRA,MAAK,EAAQ,IAAIwpC,EAAYC,GAhB9B,CAkBD,CAEA,cAAIC,GACH,OAAO1pC,MAAK,IAAW2pC,EAAaG,QACrC,CAEA,GAAUp0B,GACL1V,MAAK,IAAW2pC,EAAaE,UAChC7pC,MAAK,EAAS0V,EAEhB,EAGDnW,OAAOurC,eAAeb,EAAYzqC,UAAWuG,QAAQvG,yBCtH9C,MAAMurC,UAAqBr+B,MACjC,WAAAmmB,CAAY7hB,GACXukB,MAAMvkB,GACNhR,KAAKgB,KAAO,cACb,EAOM,MAAMgqC,UAAmBt+B,MAC/B,WAAAmmB,CAAY7hB,GACXukB,QACAv1B,KAAKgB,KAAO,aACZhB,KAAKgR,QAAUA,CAChB,EAMD,MAAMi6B,EAAkBv2B,QAA4ClS,IAA5BgY,WAAW0wB,aAChD,IAAIF,EAAWt2B,GACf,IAAIw2B,aAAax2B,GAKdy2B,EAAmB78B,IACxB,MAAMm7B,OAA2BjnC,IAAlB8L,EAAOm7B,OACnBwB,EAAgB,+BAChB38B,EAAOm7B,OAEV,OAAOA,aAAkB/8B,MAAQ+8B,EAASwB,EAAgBxB,EAAO,ECjCnD,MAAM2B,EACjB,GAAS,GACT,OAAAC,CAAQniB,EAAK7e,GAKT,MAAMihC,EAAU,CACZC,UALJlhC,EAAU,CACNkhC,SAAU,KACPlhC,IAGekhC,SAClBriB,OAEJ,GAAIlpB,KAAKsN,MAAQtN,MAAK,EAAOA,KAAKsN,KAAO,GAAGi+B,UAAYlhC,EAAQkhC,SAE5D,YADAvrC,MAAK,EAAOQ,KAAK8qC,GAGrB,MAAMj8B,ECdC,SAAoBm8B,EAAOrtB,EAAOstB,GAC7C,IAAIC,EAAQ,EACR5P,EAAQ0P,EAAM9pC,OAClB,KAAOo6B,EAAQ,GAAG,CACd,MAAM6P,EAAO3kC,KAAK4kC,MAAM9P,EAAQ,GAChC,IAAI+P,EAAKH,EAAQC,EDS+B5vB,ECRjCyvB,EAAMK,GAAK1tB,EDQiCotB,SAAWxvB,EAAEwvB,UCRpC,GAChCG,IAAUG,EACV/P,GAAS6P,EAAO,GAGhB7P,EAAQ6P,CAEhB,CDCmD,IAAC5vB,ECApD,OAAO2vB,CACX,CDDsBI,CAAW9rC,MAAK,EAAQsrC,GACtCtrC,MAAK,EAAO4mB,OAAOvX,EAAO,EAAGi8B,EACjC,CACA,OAAAS,GACI,MAAM1qB,EAAOrhB,MAAK,EAAOgsC,QACzB,OAAO3qB,GAAM6H,GACjB,CACA,MAAAza,CAAOpE,GACH,OAAOrK,MAAK,EAAOyO,QAAQ68B,GAAYA,EAAQC,WAAalhC,EAAQkhC,WAAUvmC,KAAKsmC,GAAYA,EAAQpiB,KAC3G,CACA,QAAI5b,GACA,OAAOtN,MAAK,EAAO0B,MACvB,EEtBW,MAAMkC,UAAe,EAChC,GACA,GACA,GAAiB,EACjB,GACA,GACA,GAAe,EACf,GACA,GACA,GACA,GACA,GAAW,EAEX,GACA,GACA,GAMAqoC,QAEA,WAAApZ,CAAYxoB,GAYR,GAXAkrB,UAWqC,iBATrClrB,EAAU,CACN6hC,2BAA2B,EAC3BC,YAAanW,OAAOoW,kBACpBC,SAAU,EACVxoC,YAAamyB,OAAOoW,kBACpBE,WAAW,EACXC,WAAYnB,KACT/gC,IAEc8hC,aAA4B9hC,EAAQ8hC,aAAe,GACpE,MAAM,IAAI/rC,UAAU,gEAAgEiK,EAAQ8hC,aAAajlC,YAAc,gBAAgBmD,EAAQ8hC,gBAEnJ,QAAyB3pC,IAArB6H,EAAQgiC,YAA4BrW,OAAOwW,SAASniC,EAAQgiC,WAAahiC,EAAQgiC,UAAY,GAC7F,MAAM,IAAIjsC,UAAU,2DAA2DiK,EAAQgiC,UAAUnlC,YAAc,gBAAgBmD,EAAQgiC,aAE3IrsC,MAAK,EAA6BqK,EAAQ6hC,0BAC1ClsC,MAAK,EAAqBqK,EAAQ8hC,cAAgBnW,OAAOoW,mBAA0C,IAArB/hC,EAAQgiC,SACtFrsC,MAAK,EAAeqK,EAAQ8hC,YAC5BnsC,MAAK,EAAYqK,EAAQgiC,SACzBrsC,MAAK,EAAS,IAAIqK,EAAQkiC,WAC1BvsC,MAAK,EAAcqK,EAAQkiC,WAC3BvsC,KAAK6D,YAAcwG,EAAQxG,YAC3B7D,KAAKisC,QAAU5hC,EAAQ4hC,QACvBjsC,MAAK,GAA6C,IAA3BqK,EAAQoiC,eAC/BzsC,MAAK,GAAkC,IAAtBqK,EAAQiiC,SAC7B,CACA,KAAI,GACA,OAAOtsC,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,MAAM2d,EAAMhT,KAAKgT,MACjB,QAAyB3d,IAArBxC,MAAK,EAA2B,CAChC,MAAM0sC,EAAQ1sC,MAAK,EAAemgB,EAClC,KAAIusB,EAAQ,GAYR,YALwBlqC,IAApBxC,MAAK,IACLA,MAAK,EAAaoc,YAAW,KACzBpc,MAAK,GAAmB,GACzB0sC,KAEA,EATP1sC,MAAK,EAAkBA,MAA+B,EAAIA,MAAK,EAAW,CAWlF,CACA,OAAO,CACX,CACA,KACI,GAAyB,IAArBA,MAAK,EAAOsN,KAWZ,OARItN,MAAK,GACL2sC,cAAc3sC,MAAK,GAEvBA,MAAK,OAAcwC,EACnBxC,KAAK8B,KAAK,SACY,IAAlB9B,MAAK,GACLA,KAAK8B,KAAK,SAEP,EAEX,IAAK9B,MAAK,EAAW,CACjB,MAAM4sC,GAAyB5sC,MAAK,EACpC,GAAIA,MAAK,GAA6BA,MAAK,EAA6B,CACpE,MAAM6sC,EAAM7sC,MAAK,EAAO+rC,UACxB,QAAKc,IAGL7sC,KAAK8B,KAAK,UACV+qC,IACID,GACA5sC,MAAK,KAEF,EACX,CACJ,CACA,OAAO,CACX,CACA,KACQA,MAAK,QAA2CwC,IAArBxC,MAAK,IAGpCA,MAAK,EAAc8sC,aAAY,KAC3B9sC,MAAK,GAAa,GACnBA,MAAK,GACRA,MAAK,EAAemN,KAAKgT,MAAQngB,MAAK,EAC1C,CACA,KACgC,IAAxBA,MAAK,GAA0C,IAAlBA,MAAK,GAAkBA,MAAK,IACzD2sC,cAAc3sC,MAAK,GACnBA,MAAK,OAAcwC,GAEvBxC,MAAK,EAAiBA,MAAK,EAA6BA,MAAK,EAAW,EACxEA,MAAK,GACT,CAIA,KAEI,KAAOA,MAAK,MAChB,CACA,eAAI6D,GACA,OAAO7D,MAAK,CAChB,CACA,eAAI6D,CAAYkpC,GACZ,KAAgC,iBAAnBA,GAA+BA,GAAkB,GAC1D,MAAM,IAAI3sC,UAAU,gEAAgE2sC,eAA4BA,MAEpH/sC,MAAK,EAAe+sC,EACpB/sC,MAAK,GACT,CACA,OAAM,CAAcsO,GAChB,OAAO,IAAIvI,SAAQ,CAACinC,EAAUj/B,KAC1BO,EAAO6gB,iBAAiB,SAAS,KAC7BphB,EAAOO,EAAOm7B,OAAO,GACtB,CAAE1pC,MAAM,GAAO,GAE1B,CACA,SAAMkG,CAAIgnC,EAAW5iC,EAAU,CAAC,GAM5B,OALAA,EAAU,CACN4hC,QAASjsC,KAAKisC,QACdQ,eAAgBzsC,MAAK,KAClBqK,GAEA,IAAItE,SAAQ,CAACC,EAAS+H,KACzB/N,MAAK,EAAOqrC,SAAQnlC,UAChBlG,MAAK,IACLA,MAAK,IACL,IACIqK,EAAQiE,QAAQ4+B,iBAChB,IAAIhuB,EAAY+tB,EAAU,CAAE3+B,OAAQjE,EAAQiE,SACxCjE,EAAQ4hC,UACR/sB,EHhJT,SAAkBiuB,EAAS9iC,GACzC,MAAM,aACL+iC,EAAY,SACZC,EAAQ,QACRr8B,EAAO,aACPs8B,EAAe,CAAClxB,WAAYmxB,eACzBljC,EAEJ,IAAImjC,EAEJ,MA0DMC,EA1DiB,IAAI1nC,SAAQ,CAACC,EAAS+H,KAC5C,GAA4B,iBAAjBq/B,GAAyD,IAA5BpmC,KAAK64B,KAAKuN,GACjD,MAAM,IAAIhtC,UAAU,4DAA4DgtC,OAGjF,GAAI/iC,EAAQiE,OAAQ,CACnB,MAAM,OAACA,GAAUjE,EACbiE,EAAOo/B,SACV3/B,EAAOo9B,EAAiB78B,IAGzBA,EAAO6gB,iBAAiB,SAAS,KAChCphB,EAAOo9B,EAAiB78B,GAAQ,GAElC,CAEA,GAAI8+B,IAAiBpX,OAAOoW,kBAE3B,YADAe,EAAQ1kB,KAAKziB,EAAS+H,GAKvB,MAAM4/B,EAAe,IAAI5C,EAEzByC,EAAQF,EAAalxB,WAAWlb,UAAKsB,GAAW,KAC/C,GAAI6qC,EACH,IACCrnC,EAAQqnC,IACT,CAAE,MAAO3nC,GACRqI,EAAOrI,EACR,KAK6B,mBAAnBynC,EAAQtC,QAClBsC,EAAQtC,UAGO,IAAZ75B,EACHhL,IACUgL,aAAmBtE,MAC7BqB,EAAOiD,IAEP28B,EAAa38B,QAAUA,GAAW,2BAA2Bo8B,iBAC7Dr/B,EAAO4/B,GACR,GACEP,GAEH,WACC,IACCpnC,QAAcmnC,EACf,CAAE,MAAOznC,GACRqI,EAAOrI,EACR,CACA,EAND,EAMI,IAGoCklC,SAAQ,KAChD6C,EAAkBG,OAAO,IAQ1B,OALAH,EAAkBG,MAAQ,KACzBN,EAAaC,aAAarsC,UAAKsB,EAAWgrC,GAC1CA,OAAQhrC,CAAS,EAGXirC,CACR,CGkEoCI,CAAS9nC,QAAQC,QAAQkZ,GAAY,CAAEkuB,aAAc/iC,EAAQ4hC,WAEzE5hC,EAAQiE,SACR4Q,EAAYnZ,QAAQ+nC,KAAK,CAAC5uB,EAAWlf,MAAK,EAAcqK,EAAQiE,WAEpE,MAAMnI,QAAe+Y,EACrBlZ,EAAQG,GACRnG,KAAK8B,KAAK,YAAaqE,EAC3B,CACA,MAAOT,GACH,GAAIA,aAAiBqlC,IAAiB1gC,EAAQoiC,eAE1C,YADAzmC,IAGJ+H,EAAOrI,GACP1F,KAAK8B,KAAK,QAAS4D,EACvB,CACA,QACI1F,MAAK,GACT,IACDqK,GACHrK,KAAK8B,KAAK,OACV9B,MAAK,GAAoB,GAEjC,CACA,YAAM+tC,CAAOC,EAAW3jC,GACpB,OAAOtE,QAAQK,IAAI4nC,EAAUhpC,KAAIkB,MAAO+mC,GAAcjtC,KAAKiG,IAAIgnC,EAAW5iC,KAC9E,CAIA,KAAA8mB,GACI,OAAKnxB,MAAK,GAGVA,MAAK,GAAY,EACjBA,MAAK,IACEA,MAJIA,IAKf,CAIA,KAAAiuC,GACIjuC,MAAK,GAAY,CACrB,CAIA,KAAA4tC,GACI5tC,MAAK,EAAS,IAAIA,MAAK,CAC3B,CAMA,aAAMkuC,GAEuB,IAArBluC,MAAK,EAAOsN,YAGVtN,MAAK,EAAS,QACxB,CAQA,oBAAMmuC,CAAeC,GAEbpuC,MAAK,EAAOsN,KAAO8gC,SAGjBpuC,MAAK,EAAS,QAAQ,IAAMA,MAAK,EAAOsN,KAAO8gC,GACzD,CAMA,YAAMC,GAEoB,IAAlBruC,MAAK,GAAuC,IAArBA,MAAK,EAAOsN,YAGjCtN,MAAK,EAAS,OACxB,CACA,OAAM,CAASG,EAAOsO,GAClB,OAAO,IAAI1I,SAAQC,IACf,MAAM3F,EAAW,KACToO,IAAWA,MAGfzO,KAAK6C,IAAI1C,EAAOE,GAChB2F,IAAS,EAEbhG,KAAK2C,GAAGxC,EAAOE,EAAS,GAEhC,CAIA,QAAIiN,GACA,OAAOtN,MAAK,EAAOsN,IACvB,CAMA,MAAAghC,CAAOjkC,GAEH,OAAOrK,MAAK,EAAOyO,OAAOpE,GAAS3I,MACvC,CAIA,WAAImoC,GACA,OAAO7pC,MAAK,CAChB,CAIA,YAAIuuC,GACA,OAAOvuC,MAAK,CAChB,kHCjSJ,MAAMwuC,EAAItoC,eAAe0M,EAAG67B,EAAGtqC,EAAG2L,EAAI,SACnCtO,OAAI,EAAQuY,EAAI,CAAC,GAClB,IAAItY,EACJ,OAA2BA,EAApBgtC,aAAajyB,KAAWiyB,QAAcA,IAAKjtC,IAAMuY,EAAE20B,YAAcltC,GAAIuY,EAAE,kBAAoBA,EAAE,gBAAkB,kCAAmC,IAAE40B,QAAQ,CACjKziC,OAAQ,MACR3F,IAAKqM,EACLxJ,KAAM3H,EACN6M,OAAQnK,EACRyqC,iBAAkB9+B,EAClB7D,QAAS8N,GAEb,EAAG80B,EAAI,SAASj8B,EAAG67B,EAAGtqC,GACpB,OAAa,IAANsqC,GAAW77B,EAAEtF,MAAQnJ,EAAI4B,QAAQC,QAAQ,IAAIwW,KAAK,CAAC5J,GAAI,CAAEpO,KAAMoO,EAAEpO,MAAQ,8BAAiCuB,QAAQC,QAAQ,IAAIwW,KAAK,CAAC5J,EAAEzR,MAAMstC,EAAGA,EAAItqC,IAAK,CAAEK,KAAM,6BACzK,EAOG+rB,EAAI,SAAS3d,OAAI,GAClB,MAAM67B,EAAIzlC,OAAOc,IAAIglC,WAAWznC,OAAO0nC,eACvC,GAAIN,GAAK,EACP,OAAO,EACT,IAAKzY,OAAOyY,GACV,OAAO,SACT,MAAMtqC,EAAI6C,KAAK0pB,IAAIsF,OAAOyY,GAAI,SAC9B,YAAa,IAAN77B,EAAezO,EAAI6C,KAAK0pB,IAAIvsB,EAAG6C,KAAKgoC,KAAKp8B,EAAI,KACtD,EACA,IAAIq8B,EAAoB,CAAEr8B,IAAOA,EAAEA,EAAEs8B,YAAc,GAAK,cAAet8B,EAAEA,EAAEu8B,UAAY,GAAK,YAAav8B,EAAEA,EAAEw8B,WAAa,GAAK,aAAcx8B,EAAEA,EAAEy8B,SAAW,GAAK,WAAYz8B,EAAEA,EAAE08B,UAAY,GAAK,YAAa18B,EAAEA,EAAE28B,OAAS,GAAK,SAAU38B,GAAnN,CAAuNq8B,GAAK,CAAC,GACrP,IAAIpb,EAAK,MACP2b,QACAC,MACAC,WACAC,QACAC,MACAC,UAAY,EACZC,WAAa,EACbC,QAAU,EACVC,YACAC,UAAY,KACZ,WAAApd,CAAY4b,EAAGtqC,GAAI,EAAI2L,EAAGtO,GACxB,MAAMuY,EAAI/S,KAAK+D,IAAIwlB,IAAM,EAAIvpB,KAAKgoC,KAAKl/B,EAAIygB,KAAO,EAAG,KACrDvwB,KAAKwvC,QAAUf,EAAGzuC,KAAK0vC,WAAavrC,GAAKosB,IAAM,GAAKxW,EAAI,EAAG/Z,KAAK2vC,QAAU3vC,KAAK0vC,WAAa31B,EAAI,EAAG/Z,KAAK4vC,MAAQ9/B,EAAG9P,KAAKyvC,MAAQjuC,EAAGxB,KAAKgwC,YAAc,IAAIriC,eAC5J,CACA,UAAI/H,GACF,OAAO5F,KAAKwvC,OACd,CACA,QAAIpuB,GACF,OAAOphB,KAAKyvC,KACd,CACA,aAAIS,GACF,OAAOlwC,KAAK0vC,UACd,CACA,UAAIS,GACF,OAAOnwC,KAAK2vC,OACd,CACA,QAAIriC,GACF,OAAOtN,KAAK4vC,KACd,CACA,aAAIQ,GACF,OAAOpwC,KAAK8vC,UACd,CACA,YAAIh/B,CAAS29B,GACXzuC,KAAKiwC,UAAYxB,CACnB,CACA,YAAI39B,GACF,OAAO9Q,KAAKiwC,SACd,CACA,YAAII,GACF,OAAOrwC,KAAK6vC,SACd,CAIA,YAAIQ,CAAS5B,GACX,GAAIA,GAAKzuC,KAAK4vC,MAEZ,OADA5vC,KAAK+vC,QAAU/vC,KAAK0vC,WAAa,EAAI,OAAG1vC,KAAK6vC,UAAY7vC,KAAK4vC,OAGhE5vC,KAAK+vC,QAAU,EAAG/vC,KAAK6vC,UAAYpB,EAAuB,IAApBzuC,KAAK8vC,aAAqB9vC,KAAK8vC,YAAa,IAAqB3iC,MAAQmjC,UACjH,CACA,UAAIv/B,GACF,OAAO/Q,KAAK+vC,OACd,CAIA,UAAIh/B,CAAO09B,GACTzuC,KAAK+vC,QAAUtB,CACjB,CAIA,UAAIngC,GACF,OAAOtO,KAAKgwC,YAAY1hC,MAC1B,CAIA,MAAAu8B,GACE7qC,KAAKgwC,YAAY/hC,QAASjO,KAAK+vC,QAAU,CAC3C,GAuBF,MAA8GQ,EAAtF,QAAZ39B,GAAyG,YAAtF,UAAI1P,OAAO,YAAYE,SAAU,UAAIF,OAAO,YAAY4uB,OAAOlf,EAAE9J,KAAK1F,QAA1F,IAACwP,EACR49B,EAAoB,CAAE59B,IAAOA,EAAEA,EAAE69B,KAAO,GAAK,OAAQ79B,EAAEA,EAAEu8B,UAAY,GAAK,YAAav8B,EAAEA,EAAE89B,OAAS,GAAK,SAAU99B,GAA/F,CAAmG49B,GAAK,CAAC,GACjI,MAAMG,EAEJC,mBACAC,UAEAC,aAAe,GACfC,UAAY,IAAI,EAAE,CAAEltC,YAAa,IACjCmtC,WAAa,EACbC,eAAiB,EACjBC,aAAe,EACfC,WAAa,GAOb,WAAAte,CAAY4b,GAAI,EAAItqC,GAClB,GAAInE,KAAK6wC,UAAYpC,GAAItqC,EAAG,CAC1B,MAAM2L,GAAI,WAAKhH,IAAKtH,GAAI,QAAE,aAAasO,KACvC,IAAKA,EACH,MAAM,IAAIpD,MAAM,yBAClBvI,EAAI,IAAI,KAAE,CACRH,GAAI,EACJ6I,MAAOiD,EACP7K,YAAa,KAAE+F,IACf3C,KAAM,UAAUyH,IAChBlK,OAAQpE,GAEZ,CACAxB,KAAKgP,YAAc7K,EAAGosC,EAAEt/B,MAAM,+BAAgC,CAC5DjC,YAAahP,KAAKgP,YAClB3G,KAAMrI,KAAKqI,KACXytB,SAAU2Y,EACV2C,cAAe7gB,KAEnB,CAIA,eAAIvhB,GACF,OAAOhP,KAAK4wC,kBACd,CAIA,eAAI5hC,CAAYy/B,GACd,IAAKA,EACH,MAAM,IAAI/hC,MAAM,8BAClB6jC,EAAEt/B,MAAM,kBAAmB,CAAEzC,OAAQigC,IAAMzuC,KAAK4wC,mBAAqBnC,CACvE,CAIA,QAAIpmC,GACF,OAAOrI,KAAK4wC,mBAAmBhrC,MACjC,CAIA,SAAIjC,GACF,OAAO3D,KAAK8wC,YACd,CACA,KAAArf,GACEzxB,KAAK8wC,aAAalqB,OAAO,EAAG5mB,KAAK8wC,aAAapvC,QAAS1B,KAAK+wC,UAAUnD,QAAS5tC,KAAKgxC,WAAa,EAAGhxC,KAAKixC,eAAiB,EAAGjxC,KAAKkxC,aAAe,CACnJ,CAIA,KAAAjD,GACEjuC,KAAK+wC,UAAU9C,QAASjuC,KAAKkxC,aAAe,CAC9C,CAIA,KAAA/f,GACEnxB,KAAK+wC,UAAU5f,QAASnxB,KAAKkxC,aAAe,EAAGlxC,KAAKqxC,aACtD,CAIA,QAAIr5B,GACF,MAAO,CACL1K,KAAMtN,KAAKgxC,WACX3f,SAAUrxB,KAAKixC,eACflgC,OAAQ/Q,KAAKkxC,aAEjB,CACA,WAAAG,GACE,MAAM5C,EAAIzuC,KAAK8wC,aAAa9rC,KAAK8K,GAAMA,EAAExC,OAAMxC,QAAO,CAACgF,EAAGtO,IAAMsO,EAAItO,GAAG,GAAI2C,EAAInE,KAAK8wC,aAAa9rC,KAAK8K,GAAMA,EAAEugC,WAAUvlC,QAAO,CAACgF,EAAGtO,IAAMsO,EAAItO,GAAG,GAChJxB,KAAKgxC,WAAavC,EAAGzuC,KAAKixC,eAAiB9sC,EAAyB,IAAtBnE,KAAKkxC,eAAuBlxC,KAAKkxC,aAAelxC,KAAK+wC,UAAUzjC,KAAO,EAAI,EAAI,EAC9H,CACA,WAAAgkC,CAAY7C,GACVzuC,KAAKmxC,WAAW3wC,KAAKiuC,EACvB,CAOA,MAAA8C,CAAO9C,EAAGtqC,EAAG2L,GACX,MAAMtO,EAAI,GAAGsO,GAAK9P,KAAKqI,QAAQomC,EAAErxB,QAAQ,MAAO,OAASnB,OAAQlC,GAAM,IAAImC,IAAI1a,GAAIC,EAAIsY,GAAI,QAAEvY,EAAEL,MAAM4Y,EAAErY,SACvG6uC,EAAEt/B,MAAM,aAAa9M,EAAEnD,WAAWS,KAClC,MAAM+vC,EAAIjhB,EAAEpsB,EAAEmJ,MAAO2hB,EAAU,IAANuiB,GAAWrtC,EAAEmJ,KAAOkkC,GAAKxxC,KAAK6wC,UAAW90B,EAAI,IAAI8X,EAAGryB,GAAIytB,EAAG9qB,EAAEmJ,KAAMnJ,GAC5F,OAAOnE,KAAK8wC,aAAatwC,KAAKub,GAAI/b,KAAKqxC,cAAe,IAAI,GAAEnrC,MAAOurC,EAAGjhB,EAAGkhB,KACvE,GAAIA,EAAE31B,EAAE8uB,QAAS5b,EAAG,CAClBshB,EAAEt/B,MAAM,8BAA+B,CAAEmQ,KAAMjd,EAAGotC,OAAQx1B,IAC1D,MAAMmO,QAAU2kB,EAAE1qC,EAAG,EAAG4X,EAAEzO,MAAO26B,EAAI/hC,UACnC,IACE6V,EAAEjL,eAAiB09B,EACjB/sC,EACAyoB,EACAnO,EAAEzN,QACDqjC,IACC51B,EAAEs0B,SAAWt0B,EAAEs0B,SAAWsB,EAAEC,MAAO5xC,KAAKqxC,aAAa,QAEvD,EACA,CACE,aAAcltC,EAAE2vB,aAAe,IAC/B,eAAgB3vB,EAAEK,OAEnBuX,EAAEs0B,SAAWt0B,EAAEzO,KAAMtN,KAAKqxC,cAAed,EAAEt/B,MAAM,yBAAyB9M,EAAEnD,OAAQ,CAAEogB,KAAMjd,EAAGotC,OAAQx1B,IAAM01B,EAAE11B,EACpH,CAAE,MAAO41B,GACP,GAAIA,aAAa,KAEf,OADA51B,EAAEhL,OAASk+B,EAAEM,YAAQ/e,EAAE,6BAGzBmhB,GAAG7gC,WAAaiL,EAAEjL,SAAW6gC,EAAE7gC,UAAWiL,EAAEhL,OAASk+B,EAAEM,OAAQgB,EAAE7qC,MAAM,oBAAoBvB,EAAEnD,OAAQ,CAAE0E,MAAOisC,EAAGvwB,KAAMjd,EAAGotC,OAAQx1B,IAAMyU,EAAE,4BAC5I,CACAxwB,KAAKmxC,WAAW/uB,SAASuvB,IACvB,IACEA,EAAE51B,EACJ,CAAE,MACF,IACA,EAEJ/b,KAAK+wC,UAAU9qC,IAAIgiC,GAAIjoC,KAAKqxC,aAC9B,KAAO,CACLd,EAAEt/B,MAAM,8BAA+B,CAAEmQ,KAAMjd,EAAGotC,OAAQx1B,IAC1D,MAAMmO,QA9PNhkB,eAAe0M,GACrB,MAAiJpR,EAAI,IAA3I,QAAE,gBAAe,WAAKsH,0BAA+B,IAAIlH,MAAM,KAAKoD,KAAI,IAAMgC,KAAK2vB,MAAsB,GAAhB3vB,KAAKC,UAAeC,SAAS,MAAKsI,KAAK,MAAwBuK,EAAInH,EAAI,CAAE87B,YAAa97B,QAAM,EAC/L,aAAa,IAAE+7B,QAAQ,CACrBziC,OAAQ,QACR3F,IAAK/E,EACLyK,QAAS8N,IACPvY,CACN,CAuPwBqwC,CAAGpwC,GAAIwmC,EAAI,GAC3B,IAAK,IAAI0J,EAAI,EAAGA,EAAI51B,EAAEo0B,OAAQwB,IAAK,CACjC,MAAMG,EAAIH,EAAIH,EAAGO,EAAI/qC,KAAK+D,IAAI+mC,EAAIN,EAAGz1B,EAAEzO,MAAO0kC,EAAI,IAAMnD,EAAE1qC,EAAG2tC,EAAGN,GAAIS,EAAI,IAAMzD,EAC5E,GAAGtkB,KAAKynB,EAAI,IACZK,EACAj2B,EAAEzN,QACF,IAAMtO,KAAKqxC,eACX5vC,EACA,CACE,aAAc0C,EAAE2vB,aAAe,IAC/B,kBAAmB3vB,EAAEmJ,KACrB,eAAgB,6BAElBmb,MAAK,KACL1M,EAAEs0B,SAAWt0B,EAAEs0B,SAAWmB,CAAC,IAC1B9+B,OAAOkG,IACR,MAA8B,MAAxBA,GAAG9H,UAAUC,QAAkBw/B,EAAE7qC,MAAM,mGAAoG,CAAEA,MAAOkT,EAAG24B,OAAQx1B,IAAMA,EAAE8uB,SAAU9uB,EAAEhL,OAASk+B,EAAEM,OAAQ32B,IAAMA,aAAa,OAAM23B,EAAE7qC,MAAM,SAASisC,EAAI,KAAKG,OAAOC,qBAAsB,CAAErsC,MAAOkT,EAAG24B,OAAQx1B,IAAMA,EAAE8uB,SAAU9uB,EAAEhL,OAASk+B,EAAEM,QAAS32B,EAAE,IAE5VqvB,EAAEznC,KAAKR,KAAK+wC,UAAU9qC,IAAIgsC,GAC5B,CACA,UACQlsC,QAAQK,IAAI6hC,GAAIjoC,KAAKqxC,cAAet1B,EAAEjL,eAAiB,IAAE69B,QAAQ,CACrEziC,OAAQ,OACR3F,IAAK,GAAG2jB,UACRje,QAAS,CACP,aAAc9H,EAAE2vB,aAAe,IAC/B,kBAAmB3vB,EAAEmJ,KACrBohC,YAAajtC,KAEbzB,KAAKqxC,cAAet1B,EAAEhL,OAASk+B,EAAEI,SAAUkB,EAAEt/B,MAAM,yBAAyB9M,EAAEnD,OAAQ,CAAEogB,KAAMjd,EAAGotC,OAAQx1B,IAAM01B,EAAE11B,EACvH,CAAE,MAAO41B,GACPA,aAAa,MAAK51B,EAAEhL,OAASk+B,EAAEM,OAAQ/e,EAAE,+BAAiCzU,EAAEhL,OAASk+B,EAAEM,OAAQ/e,EAAE,0CAA2C,IAAEme,QAAQ,CACpJziC,OAAQ,SACR3F,IAAK,GAAG2jB,KAEZ,CACAlqB,KAAKmxC,WAAW/uB,SAASuvB,IACvB,IACEA,EAAE51B,EACJ,CAAE,MACF,IAEJ,CACA,OAAO/b,KAAK+wC,UAAU1C,SAAS5lB,MAAK,IAAMzoB,KAAKyxB,UAAU1V,CAAC,GAE9D,EAEF,SAASm2B,EAAEt/B,EAAG67B,EAAGtqC,EAAG2L,EAAGtO,EAAGuY,EAAGtY,EAAG+vC,GAC9B,IAEIz1B,EAFAkT,EAAgB,mBAALrc,EAAkBA,EAAEvI,QAAUuI,EAG7C,GAFA67B,IAAMxf,EAAEtW,OAAS81B,EAAGxf,EAAEkjB,gBAAkBhuC,EAAG8qB,EAAEmjB,WAAY,GAAKtiC,IAAMmf,EAAEojB,YAAa,GAAKt4B,IAAMkV,EAAEqjB,SAAW,UAAYv4B,GAEnHtY,GAAKsa,EAAI,SAASyU,KACpBA,EAAIA,GACJxwB,KAAKuyC,QAAUvyC,KAAKuyC,OAAOC,YAC3BxyC,KAAK6Y,QAAU7Y,KAAK6Y,OAAO05B,QAAUvyC,KAAK6Y,OAAO05B,OAAOC,oBAAyBC,oBAAsB,MAAQjiB,EAAIiiB,qBAAsBjxC,GAAKA,EAAEN,KAAKlB,KAAMwwB,GAAIA,GAAKA,EAAEkiB,uBAAyBliB,EAAEkiB,sBAAsBzsC,IAAIxE,EAC7N,EAAGwtB,EAAE0jB,aAAe52B,GAAKva,IAAMua,EAAIy1B,EAAI,WACrChwC,EAAEN,KACAlB,MACCivB,EAAEojB,WAAaryC,KAAK6Y,OAAS7Y,MAAM4yC,MAAMC,SAASC,WAEvD,EAAItxC,GAAIua,EACN,GAAIkT,EAAEojB,WAAY,CAChBpjB,EAAE8jB,cAAgBh3B,EAClB,IAAIi3B,EAAI/jB,EAAEtW,OACVsW,EAAEtW,OAAS,SAAS+4B,EAAGxnB,GACrB,OAAOnO,EAAE7a,KAAKgpB,GAAI8oB,EAAEtB,EAAGxnB,EACzB,CACF,KAAO,CACL,IAAIunB,EAAIxiB,EAAEgkB,aACVhkB,EAAEgkB,aAAexB,EAAI,GAAGpwC,OAAOowC,EAAG11B,GAAK,CAACA,EAC1C,CACF,MAAO,CACL/Y,QAAS4P,EACTvI,QAAS4kB,EAEb,CAiCA,MAAMikB,EAV2BhB,EAtBtB,CACTlxC,KAAM,aACNsT,MAAO,CAAC,SACR3H,MAAO,CACLiQ,MAAO,CACLpY,KAAMsI,QAERqmC,UAAW,CACT3uC,KAAMsI,OACNqG,QAAS,gBAEX7F,KAAM,CACJ9I,KAAMwxB,OACN7iB,QAAS,OAIN,WACP,IAAIs7B,EAAIzuC,KAAMmE,EAAIsqC,EAAE54B,MAAMD,GAC1B,OAAOzR,EAAE,OAAQsqC,EAAE2E,GAAG,CAAEC,YAAa,mCAAoCt9B,MAAO,CAAE,eAAe04B,EAAE7xB,OAAQ,KAAW,aAAc6xB,EAAE7xB,MAAO02B,KAAM,OAAS3wC,GAAI,CAAEkE,MAAO,SAASiJ,GAChL,OAAO2+B,EAAEj5B,MAAM,QAAS1F,EAC1B,IAAO,OAAQ2+B,EAAE8E,QAAQ,GAAK,CAACpvC,EAAE,MAAO,CAAEkvC,YAAa,4BAA6Bt9B,MAAO,CAAExN,KAAMkmC,EAAE0E,UAAWK,MAAO/E,EAAEnhC,KAAMmmC,OAAQhF,EAAEnhC,KAAMomC,QAAS,cAAiB,CAACvvC,EAAE,OAAQ,CAAE4R,MAAO,CAAEya,EAAG,2OAA8O,CAACie,EAAE7xB,MAAQzY,EAAE,QAAS,CAACsqC,EAAEv4B,GAAGu4B,EAAEt4B,GAAGs4B,EAAE7xB,UAAY6xB,EAAEjlB,UACne,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYxmB,QAgCR2wC,GAV2BzB,EAtBL,CAC1BlxC,KAAM,WACNsT,MAAO,CAAC,SACR3H,MAAO,CACLiQ,MAAO,CACLpY,KAAMsI,QAERqmC,UAAW,CACT3uC,KAAMsI,OACNqG,QAAS,gBAEX7F,KAAM,CACJ9I,KAAMwxB,OACN7iB,QAAS,OAIN,WACP,IAAIs7B,EAAIzuC,KAAMmE,EAAIsqC,EAAE54B,MAAMD,GAC1B,OAAOzR,EAAE,OAAQsqC,EAAE2E,GAAG,CAAEC,YAAa,iCAAkCt9B,MAAO,CAAE,eAAe04B,EAAE7xB,OAAQ,KAAW,aAAc6xB,EAAE7xB,MAAO02B,KAAM,OAAS3wC,GAAI,CAAEkE,MAAO,SAASiJ,GAC9K,OAAO2+B,EAAEj5B,MAAM,QAAS1F,EAC1B,IAAO,OAAQ2+B,EAAE8E,QAAQ,GAAK,CAACpvC,EAAE,MAAO,CAAEkvC,YAAa,4BAA6Bt9B,MAAO,CAAExN,KAAMkmC,EAAE0E,UAAWK,MAAO/E,EAAEnhC,KAAMmmC,OAAQhF,EAAEnhC,KAAMomC,QAAS,cAAiB,CAACvvC,EAAE,OAAQ,CAAE4R,MAAO,CAAEya,EAAG,8CAAiD,CAACie,EAAE7xB,MAAQzY,EAAE,QAAS,CAACsqC,EAAEv4B,GAAGu4B,EAAEt4B,GAAGs4B,EAAE7xB,UAAY6xB,EAAEjlB,UACtS,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYxmB,QAgCR4wC,GAV2B1B,EAtBL,CAC1BlxC,KAAM,aACNsT,MAAO,CAAC,SACR3H,MAAO,CACLiQ,MAAO,CACLpY,KAAMsI,QAERqmC,UAAW,CACT3uC,KAAMsI,OACNqG,QAAS,gBAEX7F,KAAM,CACJ9I,KAAMwxB,OACN7iB,QAAS,OAIN,WACP,IAAIs7B,EAAIzuC,KAAMmE,EAAIsqC,EAAE54B,MAAMD,GAC1B,OAAOzR,EAAE,OAAQsqC,EAAE2E,GAAG,CAAEC,YAAa,mCAAoCt9B,MAAO,CAAE,eAAe04B,EAAE7xB,OAAQ,KAAW,aAAc6xB,EAAE7xB,MAAO02B,KAAM,OAAS3wC,GAAI,CAAEkE,MAAO,SAASiJ,GAChL,OAAO2+B,EAAEj5B,MAAM,QAAS1F,EAC1B,IAAO,OAAQ2+B,EAAE8E,QAAQ,GAAK,CAACpvC,EAAE,MAAO,CAAEkvC,YAAa,4BAA6Bt9B,MAAO,CAAExN,KAAMkmC,EAAE0E,UAAWK,MAAO/E,EAAEnhC,KAAMmmC,OAAQhF,EAAEnhC,KAAMomC,QAAS,cAAiB,CAACvvC,EAAE,OAAQ,CAAE4R,MAAO,CAAEya,EAAG,mDAAsD,CAACie,EAAE7xB,MAAQzY,EAAE,QAAS,CAACsqC,EAAEv4B,GAAGu4B,EAAEt4B,GAAGs4B,EAAE7xB,UAAY6xB,EAAEjlB,UAC3S,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYxmB,QAuBR6wC,IAAI,SAAKC,eACf,CAAC,CAAEC,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,kCAAmC,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,oEAAqE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,mEAAoE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,0CAA2C,gBAAiB,kFAAmF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,wCAAyC,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,oFAAqF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oFAAqF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,wFAAyF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,8EAA+E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,6CAA8C,gBAAiB,6EAA8E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,qBAAsB,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,iEAAkE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,uEAAwE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oEAAqE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,mEAAoE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,iBAAkB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,aAAc,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sEAAuE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4DAA6D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,8CAA+C,gBAAiB,mEAAoE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,qFAAsF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,uCAAwC,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sFAAuF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,2DAA4D,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,iFAAkF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,iEAAkE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,2EAA4E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,gEAAiE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,2CAA4C,gBAAiB,kEAAmE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,mEAAoE,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,2EAA4E,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,+EAAgF,eAAgB,4BAA6BioC,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,QAAShoC,QAAS,CAAE,kBAAmB,iCAAkC,gBAAiB,4EAA6E,eAAgB,4BAA6BioC,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,+BAAoCvvC,KAAK4N,GAAMihC,GAAEkB,eAAeniC,EAAEmhC,OAAQnhC,EAAEohC,QACjrF,MAAMgB,GAAInB,GAAEzwC,QAAS6xC,GAAKD,GAAEE,SAASjwB,KAAK+vB,IAAIG,GAAIH,GAAEI,QAAQnwB,KAAK+vB,IAAIK,GAAK,KAAEC,OAAO,CACjFt0C,KAAM,eACNgT,WAAY,CACV4gC,OAAQ1B,EACRqC,eAAgB,IAChBC,UAAW,IACXvhC,SAAU,IACVwhC,iBAAkB,IAClBC,cAAe,IACfC,KAAMhC,GACNiC,OAAQhC,IAEVjnC,MAAO,CACLuU,OAAQ,CACN1c,KAAM5C,MACNuR,QAAS,MAEX0iC,SAAU,CACRrxC,KAAMkK,QACNyE,SAAS,GAEX2iC,SAAU,CACRtxC,KAAMkK,QACNyE,SAAS,GAEXnE,YAAa,CACXxK,KAAM,KACN2O,aAAS,GAKX8D,QAAS,CACPzS,KAAM5C,MACNuR,QAAS,IAAM,IAEjB4iC,oBAAqB,CACnBvxC,KAAM5C,MACNuR,QAAS,IAAM,KAGnB/J,KAAI,KACK,CACL4sC,SAAUb,GAAE,OACZc,YAAad,GAAE,kBACfe,YAAaf,GAAE,gBACfgB,cAAehB,GAAE,mBACjBiB,eAAgB,wBAAwBpvC,KAAKC,SAASC,SAAS,IAAI/F,MAAM,KACzEk1C,IAAK,KACLC,SAAU,GACVC,mBAAoB,GACpBC,cAAeC,OAGnBhiC,SAAU,CACR,cAAAiiC,GACE,OAAO12C,KAAKw2C,cAAcx+B,MAAM1K,MAAQ,CAC1C,EACA,iBAAAqpC,GACE,OAAO32C,KAAKw2C,cAAcx+B,MAAMqZ,UAAY,CAC9C,EACA,QAAAA,GACE,OAAOrqB,KAAKskB,MAAMtrB,KAAK22C,kBAAoB32C,KAAK02C,eAAiB,MAAQ,CAC3E,EACA,KAAA/yC,GACE,OAAO3D,KAAKw2C,cAAc7yC,KAC5B,EACA,UAAAizC,GACE,OAAmE,IAA5D52C,KAAK2D,OAAO8K,QAAQmE,GAAMA,EAAE7B,SAAWk+B,EAAEM,SAAQ7tC,MAC1D,EACA,WAAAm1C,GACE,OAAO72C,KAAK2D,OAAOjC,OAAS,CAC9B,EACA,YAAAo1C,GACE,OAAuE,IAAhE92C,KAAK2D,OAAO8K,QAAQmE,GAAMA,EAAE7B,SAAWk+B,EAAEG,aAAY1tC,MAC9D,EACA,QAAA6sC,GACE,OAAOvuC,KAAKw2C,cAAcx+B,MAAMjH,SAAWy/B,EAAEE,MAC/C,EAEA,UAAAqG,GACE,IAAK/2C,KAAK62C,YACR,OAAO72C,KAAKg2C,QAChB,GAEFnhC,MAAO,CACL,WAAA7F,CAAY4D,GACV5S,KAAKg3C,eAAepkC,EACtB,EACA,cAAA8jC,CAAe9jC,GACb5S,KAAKq2C,IAAM,EAAE,CAAEtrC,IAAK,EAAG2lB,IAAK9d,IAAM5S,KAAKi3C,cACzC,EACA,iBAAAN,CAAkB/jC,GAChB5S,KAAKq2C,KAAKjlB,SAASxe,GAAI5S,KAAKi3C,cAC9B,EACA,QAAA1I,CAAS37B,GACPA,EAAI5S,KAAKwV,MAAM,SAAUxV,KAAK2D,OAAS3D,KAAKwV,MAAM,UAAWxV,KAAK2D,MACpE,GAEF,WAAAuzC,GACEl3C,KAAKgP,aAAehP,KAAKg3C,eAAeh3C,KAAKgP,aAAchP,KAAKw2C,cAAclF,YAAYtxC,KAAKm3C,oBAAqB5G,EAAEt/B,MAAM,2BAC9H,EACAgE,QAAS,CAIP,OAAAmiC,GACEp3C,KAAKoV,MAAMC,MAAMxO,OACnB,EAIA,YAAMwwC,GACJ,IAAIzkC,EAAI,IAAI5S,KAAKoV,MAAMC,MAAMhO,OAC7B,GAAIiwC,GAAG1kC,EAAG5S,KAAKiX,SAAU,CACvB,MAAMw3B,EAAI77B,EAAEnE,QAAQqB,GAAM9P,KAAKiX,QAAQjP,MAAMxG,GAAMA,EAAEgG,WAAasI,EAAE9O,SAAOyN,OAAOC,SAAUvK,EAAIyO,EAAEnE,QAAQqB,IAAO2+B,EAAEh9B,SAAS3B,KAC5H,IACE,MAAQO,SAAUP,EAAGQ,QAAS9O,SAAY+1C,GAAGv3C,KAAKgP,YAAYxH,SAAUinC,EAAGzuC,KAAKiX,SAChFrE,EAAI,IAAIzO,KAAM2L,KAAMtO,EACtB,CAAE,MAEA,YADA,QAAE2zC,GAAE,oBAEN,CACF,CACAviC,EAAEwP,SAASqsB,IACT,MAAM3+B,GAAK9P,KAAK+1C,qBAAuB,IAAI/tC,MAAMxG,GAAMitC,EAAEztC,KAAKyQ,SAASjQ,KACvEsO,GAAI,QAAEqlC,GAAE,IAAIrlC,0CAA4C9P,KAAKw2C,cAAcjF,OAAO9C,EAAEztC,KAAMytC,GAAG/7B,OAAM,QACjG,IACA1S,KAAKoV,MAAMoiC,KAAK/lB,OACtB,EAIA,QAAAzjB,GACEhO,KAAKw2C,cAAc7yC,MAAMye,SAASxP,IAChCA,EAAEi4B,QAAQ,IACR7qC,KAAKoV,MAAMoiC,KAAK/lB,OACtB,EACA,YAAAwlB,GACE,GAAIj3C,KAAKuuC,SAEP,YADAvuC,KAAKs2C,SAAWnB,GAAE,WAGpB,MAAMviC,EAAI5L,KAAKskB,MAAMtrB,KAAKq2C,IAAI3kB,YAC9B,GAAI9e,IAAM,IAIV,GAAIA,EAAI,GACN5S,KAAKs2C,SAAWnB,GAAE,2BAGpB,GAAIviC,EAAI,GAAR,CACE,MAAM67B,EAAoB,IAAIthC,KAAK,GACnCshC,EAAEgJ,WAAW7kC,GACb,MAAMzO,EAAIsqC,EAAEiJ,cAAcv2C,MAAM,GAAI,IACpCnB,KAAKs2C,SAAWnB,GAAE,cAAe,CAAE3vB,KAAMrhB,GAE3C,MACAnE,KAAKs2C,SAAWnB,GAAE,yBAA0B,CAAEwC,QAAS/kC,SAdrD5S,KAAKs2C,SAAWnB,GAAE,uBAetB,EACA,cAAA6B,CAAepkC,GACR5S,KAAKgP,aAIVhP,KAAKw2C,cAAcxnC,YAAc4D,EAAG5S,KAAKu2C,oBAAqB,QAAE3jC,IAH9D29B,EAAEt/B,MAAM,sBAIZ,EACA,kBAAAkmC,CAAmBvkC,GACjBA,EAAE7B,SAAWk+B,EAAEM,OAASvvC,KAAKwV,MAAM,SAAU5C,GAAK5S,KAAKwV,MAAM,WAAY5C,EAC3E,KAoB6Bs/B,EAC/BmD,IAlBO,WACP,IAAI5G,EAAIzuC,KAAMmE,EAAIsqC,EAAE54B,MAAMD,GAC1B,OAAO64B,EAAE54B,MAAMC,YAAa24B,EAAEz/B,YAAc7K,EAAE,OAAQ,CAAEoS,IAAK,OAAQ88B,YAAa,gBAAiBuE,MAAO,CAAE,2BAA4BnJ,EAAEoI,YAAa,wBAAyBpI,EAAEF,UAAYx4B,MAAO,CAAE,wBAAyB,KAAQ,CAAC04B,EAAE8H,oBAAsD,IAAhC9H,EAAE8H,mBAAmB70C,OAAeyC,EAAE,WAAY,CAAE4R,MAAO,CAAE8/B,SAAUpH,EAAEoH,SAAU,4BAA6B,GAAIrxC,KAAM,aAAe7B,GAAI,CAAEkE,MAAO4nC,EAAE2I,SAAWphC,YAAay4B,EAAEx4B,GAAG,CAAC,CAAE9N,IAAK,OAAQtI,GAAI,WACxc,MAAO,CAACsE,EAAE,OAAQ,CAAE4R,MAAO,CAAE6G,MAAO,GAAItP,KAAM,GAAIuqC,WAAY,MAChE,EAAGzhC,OAAO,IAAO,MAAM,EAAI,aAAe,CAACq4B,EAAEv4B,GAAG,IAAMu4B,EAAEt4B,GAAGs4B,EAAEsI,YAAc,OAAS5yC,EAAE,YAAa,CAAE4R,MAAO,CAAE,YAAa04B,EAAEsI,WAAY,aAActI,EAAEuH,SAAUxxC,KAAM,aAAewR,YAAay4B,EAAEx4B,GAAG,CAAC,CAAE9N,IAAK,OAAQtI,GAAI,WAC5N,MAAO,CAACsE,EAAE,OAAQ,CAAE4R,MAAO,CAAE6G,MAAO,GAAItP,KAAM,GAAIuqC,WAAY,MAChE,EAAGzhC,OAAO,IAAO,MAAM,EAAI,aAAe,CAACjS,EAAE,iBAAkB,CAAE4R,MAAO,CAAE,4BAA6B,GAAI,qBAAqB,GAAMpT,GAAI,CAAEkE,MAAO4nC,EAAE2I,SAAWphC,YAAay4B,EAAEx4B,GAAG,CAAC,CAAE9N,IAAK,OAAQtI,GAAI,WACpM,MAAO,CAACsE,EAAE,SAAU,CAAE4R,MAAO,CAAE6G,MAAO,GAAItP,KAAM,GAAIuqC,WAAY,MAClE,EAAGzhC,OAAO,IAAO,MAAM,EAAI,aAAe,CAACq4B,EAAEv4B,GAAG,IAAMu4B,EAAEt4B,GAAGs4B,EAAEyH,aAAe,OAAQzH,EAAEqJ,GAAGrJ,EAAE8H,oBAAoB,SAASzmC,GACtH,OAAO3L,EAAE,iBAAkB,CAAEgE,IAAK2H,EAAE9L,GAAIqvC,YAAa,4BAA6Bt9B,MAAO,CAAE1D,KAAMvC,EAAEwc,UAAW,qBAAqB,GAAM3pB,GAAI,CAAEkE,MAAO,SAASrF,GAC7J,OAAOsO,EAAEkH,QAAQy3B,EAAEz/B,YAAay/B,EAAEx3B,QACpC,GAAKjB,YAAay4B,EAAEx4B,GAAG,CAACnG,EAAEhL,cAAgB,CAAEqD,IAAK,OAAQtI,GAAI,WAC3D,MAAO,CAACsE,EAAE,mBAAoB,CAAE4R,MAAO,CAAEgiC,IAAKjoC,EAAEhL,iBAClD,EAAGsR,OAAO,GAAO,MAAO,MAAM,IAAO,CAACq4B,EAAEv4B,GAAG,IAAMu4B,EAAEt4B,GAAGrG,EAAE7L,aAAe,MACzE,KAAK,GAAIE,EAAE,MAAO,CAAE6zC,WAAY,CAAC,CAAEh3C,KAAM,OAAQi3C,QAAS,SAAU95B,MAAOswB,EAAEoI,YAAaqB,WAAY,gBAAkB7E,YAAa,2BAA6B,CAAClvC,EAAE,gBAAiB,CAAE4R,MAAO,CAAE,aAAc04B,EAAE0H,cAAe,mBAAoB1H,EAAE2H,eAAgB1wC,MAAO+oC,EAAEmI,WAAYz4B,MAAOswB,EAAEpd,SAAU/jB,KAAM,YAAenJ,EAAE,IAAK,CAAE4R,MAAO,CAAE/R,GAAIyqC,EAAE2H,iBAAoB,CAAC3H,EAAEv4B,GAAG,IAAMu4B,EAAEt4B,GAAGs4B,EAAE6H,UAAY,QAAS,GAAI7H,EAAEoI,YAAc1yC,EAAE,WAAY,CAAEkvC,YAAa,wBAAyBt9B,MAAO,CAAEvR,KAAM,WAAY,aAAciqC,EAAEwH,YAAa,+BAAgC,IAAMtzC,GAAI,CAAEkE,MAAO4nC,EAAEzgC,UAAYgI,YAAay4B,EAAEx4B,GAAG,CAAC,CAAE9N,IAAK,OAAQtI,GAAI,WAC9nB,MAAO,CAACsE,EAAE,SAAU,CAAE4R,MAAO,CAAE6G,MAAO,GAAItP,KAAM,MAClD,EAAG8I,OAAO,IAAO,MAAM,EAAI,cAAiBq4B,EAAEjlB,KAAMrlB,EAAE,QAAS,CAAE6zC,WAAY,CAAC,CAAEh3C,KAAM,OAAQi3C,QAAS,SAAU95B,OAAO,EAAI+5B,WAAY,UAAY3hC,IAAK,QAASR,MAAO,CAAEvR,KAAM,OAAQ0c,OAAQutB,EAAEvtB,QAAQ1R,OAAO,MAAOsmC,SAAUrH,EAAEqH,SAAU,8BAA+B,IAAMnzC,GAAI,CAAEw1C,OAAQ1J,EAAE4I,WAAc,GAAK5I,EAAEjlB,IAC3T,GAAQ,IAIN,EACA,KACA,WACA,KACA,MAEYxmB,QACd,IAAIo1C,GAAI,KACR,SAAS3B,KACP,MAAM7jC,EAAoE,OAAhEnM,SAASsvB,cAAc,qCACjC,OAAOqiB,cAAazH,IAAMyH,GAAI,IAAIzH,EAAE/9B,IAAKwlC,EAC3C,CAKAlyC,eAAeqxC,GAAG3kC,EAAG67B,EAAGtqC,GACtB,MAAM2L,GAAI,SAAE,IAAM,2DAClB,OAAO,IAAI/J,SAAQ,CAACvE,EAAGuY,KACrB,MAAMtY,EAAI,IAAI,KAAE,CACdT,KAAM,qBACN2X,OAAS64B,GAAMA,EAAE1hC,EAAG,CAClBnD,MAAO,CACL3C,QAAS4I,EACTylC,UAAW5J,EACXx3B,QAAS9S,GAEXxB,GAAI,CACF,MAAA21C,CAAOrpB,GACLztB,EAAEytB,GAAIxtB,EAAE82C,WAAY92C,EAAE+2C,KAAKC,YAAYC,YAAYj3C,EAAE+2C,IACvD,EACA,MAAA3N,CAAO5b,GACLlV,EAAEkV,GAAK,IAAIviB,MAAM,aAAcjL,EAAE82C,WAAY92C,EAAE+2C,KAAKC,YAAYC,YAAYj3C,EAAE+2C,IAChF,OAIN/2C,EAAEk3C,SAAUlyC,SAASgS,KAAKC,YAAYjX,EAAE+2C,IAAI,GAEhD,CACA,SAASlB,GAAG1kC,EAAG67B,GACb,MAAMtqC,EAAIsqC,EAAEzpC,KAAKxD,GAAMA,EAAEgG,WACzB,OAAOoL,EAAEnE,QAAQjN,IACf,MAAMuY,EAAIvY,aAAakD,KAAOlD,EAAER,KAAOQ,EAAEgG,SACzC,OAAyB,IAAlBrD,EAAEwiB,QAAQ5M,EAAS,IACzBrY,OAAS,CACd,2DCzpDA,MAAgEgwC,EAAI,CAAC5hC,EAAG8C,KACtE,IAAImH,EACJ,OAAgD,OAAvCA,EAAS,MAALnH,OAAY,EAASA,EAAEgmC,SAAmB7+B,EAAI+3B,KAFxB,CAAChiC,GAAM,eAAiBA,EAEOygC,CAAEzgC,EAAE,EAOrE0gB,EAAI,CAAC1gB,EAAG8C,EAAGmH,KACZ,MAAMk1B,EAAI1vC,OAAO8d,OAAO,CACtBlL,QAAQ,GACP4H,GAAK,CAAC,GAST,MAAuB,MAAhBjK,EAAEixB,OAAO,KAAejxB,EAAI,IAAMA,GARhCmf,GADoBA,EASqBrc,GAAK,CAAC,IARtC,CAAC,EAQ4B9C,EARvBsN,QACpB,eACA,SAAS3b,EAAG0C,GACV,MAAM4X,EAAIkT,EAAE9qB,GACZ,OAAO8qC,EAAE98B,OAASmF,mBAA+B,iBAALyE,GAA6B,iBAALA,EAAgBA,EAAE7U,WAAazF,GAAiB,iBAALsa,GAA6B,iBAALA,EAAgBA,EAAE7U,WAAazF,CACxK,IANa,IAAYwtB,CAS6B,EACzDgW,EAAI,CAACn1B,EAAG8C,EAAGmH,KACZ,IAAIk1B,EAAGR,EAAGjtC,EACV,MAAMytB,EAAI1vB,OAAO8d,OAAO,CACtB+R,WAAW,GACVrV,GAAK,CAAC,GAAItY,EAA4C,OAAvCwtC,EAAS,MAALl1B,OAAY,EAASA,EAAE6+B,SAAmB3J,EAAIuC,IACpE,OAAgI,KAAzC,OAA9EhwC,EAAiD,OAA5CitC,EAAc,MAAVzlC,YAAiB,EAASA,OAAOc,SAAc,EAAS2kC,EAAE1jB,aAAkB,EAASvpB,EAAEq3C,oBAA8B5pB,EAAEG,UAA6B3tB,EAAI,aAAe+uB,EAAE1gB,EAAG8C,EAAGmH,GAA5CtY,EAAI+uB,EAAE1gB,EAAG8C,EAAGmH,EAAkC,EAMlM+3B,EAAI,IAAM9oC,OAAOC,SAAS6vC,SAAW,KAAO9vC,OAAOC,SAASC,KAAOsoC,IACtE,SAASA,IACP,IAAI1hC,EAAI9G,OAAO+vC,YACf,UAAWjpC,EAAI,IAAK,CAClBA,EAAI7G,SAASksB,SACb,MAAMviB,EAAI9C,EAAE6W,QAAQ,eACpB,IAAW,IAAP/T,EACF9C,EAAIA,EAAE3O,MAAM,EAAGyR,OACZ,CACH,MAAMmH,EAAIjK,EAAE6W,QAAQ,IAAK,GACzB7W,EAAIA,EAAE3O,MAAM,EAAG4Y,EAAI,EAAIA,OAAI,EAC7B,CACF,CACA,OAAOjK,CACT,0EC1CA,MAAM,MACJkpC,EAAK,WACLtoC,EAAU,cACVuoC,EAAa,SACbC,EAAQ,YACRC,EAAW,QACXC,EAAO,IACPhzC,EAAG,OACHwuC,EAAM,aACNyE,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,QAAqBv3C,IAAjBw3C,EACH,OAAOA,EAAah3C,QAGrB,IAAID,EAAS82C,EAAyBE,GAAY,CACjD/1C,GAAI+1C,EACJE,QAAQ,EACRj3C,QAAS,CAAC,GAUX,OANAk3C,EAAoBH,GAAU74C,KAAK6B,EAAOC,QAASD,EAAQA,EAAOC,QAAS82C,GAG3E/2C,EAAOk3C,QAAS,EAGTl3C,EAAOC,OACf,CAGA82C,EAAoBnI,EAAIuI,EnD5BpB/6C,EAAW,GACf26C,EAAoB7H,EAAI,CAAC9rC,EAAQg0C,EAAUt6C,EAAI0rC,KAC9C,IAAG4O,EAAH,CAMA,IAAIC,EAAezoB,IACnB,IAASnwB,EAAI,EAAGA,EAAIrC,EAASuC,OAAQF,IAAK,CACrC24C,EAAWh7C,EAASqC,GAAG,GACvB3B,EAAKV,EAASqC,GAAG,GACjB+pC,EAAWpsC,EAASqC,GAAG,GAE3B,IAJA,IAGI64C,GAAY,EACP33C,EAAI,EAAGA,EAAIy3C,EAASz4C,OAAQgB,MACpB,EAAX6oC,GAAsB6O,GAAgB7O,IAAahsC,OAAOuf,KAAKg7B,EAAoB7H,GAAG1uC,OAAO4E,GAAS2xC,EAAoB7H,EAAE9pC,GAAKgyC,EAASz3C,MAC9Iy3C,EAASvzB,OAAOlkB,IAAK,IAErB23C,GAAY,EACT9O,EAAW6O,IAAcA,EAAe7O,IAG7C,GAAG8O,EAAW,CACbl7C,EAASynB,OAAOplB,IAAK,GACrB,IAAIytB,EAAIpvB,SACE2C,IAANysB,IAAiB9oB,EAAS8oB,EAC/B,CACD,CACA,OAAO9oB,CArBP,CAJColC,EAAWA,GAAY,EACvB,IAAI,IAAI/pC,EAAIrC,EAASuC,OAAQF,EAAI,GAAKrC,EAASqC,EAAI,GAAG,GAAK+pC,EAAU/pC,IAAKrC,EAASqC,GAAKrC,EAASqC,EAAI,GACrGrC,EAASqC,GAAK,CAAC24C,EAAUt6C,EAAI0rC,EAuBjB,EoD3BduO,EAAoBhqC,EAAK/M,IACxB,IAAIu3C,EAASv3C,GAAUA,EAAOw3C,WAC7B,IAAOx3C,EAAiB,QACxB,IAAM,EAEP,OADA+2C,EAAoBtpB,EAAE8pB,EAAQ,CAAEv+B,EAAGu+B,IAC5BA,CAAM,ECLdR,EAAoBtpB,EAAI,CAACxtB,EAASw3C,KACjC,IAAI,IAAIryC,KAAOqyC,EACXV,EAAoB//B,EAAEygC,EAAYryC,KAAS2xC,EAAoB//B,EAAE/W,EAASmF,IAC5E5I,OAAOsqB,eAAe7mB,EAASmF,EAAK,CAAE8hB,YAAY,EAAMtI,IAAK64B,EAAWryC,IAE1E,ECND2xC,EAAoBtI,EAAI,CAAC,EAGzBsI,EAAoBlnC,EAAK6nC,GACjB10C,QAAQK,IAAI7G,OAAOuf,KAAKg7B,EAAoBtI,GAAG1mC,QAAO,CAAChF,EAAUqC,KACvE2xC,EAAoBtI,EAAErpC,GAAKsyC,EAAS30C,GAC7BA,IACL,KCNJg0C,EAAoB3E,EAAKsF,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH5KX,EAAoBvJ,EAAI,WACvB,GAA0B,iBAAf/1B,WAAyB,OAAOA,WAC3C,IACC,OAAOxa,MAAQ,IAAI06C,SAAS,cAAb,EAChB,CAAE,MAAO9nC,GACR,GAAsB,iBAAX5J,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxB8wC,EAAoB//B,EAAI,CAAC4P,EAAKF,IAAUlqB,OAAOC,UAAUC,eAAeyB,KAAKyoB,EAAKF,GxDA9ErqB,EAAa,CAAC,EACdC,EAAoB,aAExBy6C,EAAoBr4C,EAAI,CAAC8E,EAAKo0C,EAAMxyC,EAAKsyC,KACxC,GAAGr7C,EAAWmH,GAAQnH,EAAWmH,GAAK/F,KAAKm6C,OAA3C,CACA,IAAIC,EAAQC,EACZ,QAAWr4C,IAAR2F,EAEF,IADA,IAAI2yC,EAAUr0C,SAASs0C,qBAAqB,UACpCv5C,EAAI,EAAGA,EAAIs5C,EAAQp5C,OAAQF,IAAK,CACvC,IAAIitC,EAAIqM,EAAQt5C,GAChB,GAAGitC,EAAEuM,aAAa,QAAUz0C,GAAOkoC,EAAEuM,aAAa,iBAAmB37C,EAAoB8I,EAAK,CAAEyyC,EAASnM,EAAG,KAAO,CACpH,CAEGmM,IACHC,GAAa,GACbD,EAASn0C,SAASC,cAAc,WAEzButC,QAAU,QACjB2G,EAAO3O,QAAU,IACb6N,EAAoBtqB,IACvBorB,EAAOK,aAAa,QAASnB,EAAoBtqB,IAElDorB,EAAOK,aAAa,eAAgB57C,EAAoB8I,GAExDyyC,EAAOM,IAAM30C,GAEdnH,EAAWmH,GAAO,CAACo0C,GACnB,IAAIQ,EAAmB,CAACC,EAAMj7C,KAE7By6C,EAAO5/B,QAAU4/B,EAAO9/B,OAAS,KACjCyyB,aAAatB,GACb,IAAIoP,EAAUj8C,EAAWmH,GAIzB,UAHOnH,EAAWmH,GAClBq0C,EAAOnC,YAAcmC,EAAOnC,WAAWC,YAAYkC,GACnDS,GAAWA,EAAQj5B,SAASviB,GAAQA,EAAGM,KACpCi7C,EAAM,OAAOA,EAAKj7C,EAAM,EAExB8rC,EAAU7vB,WAAW++B,EAAiBl2B,KAAK,UAAMziB,EAAW,CAAEgC,KAAM,UAAWmL,OAAQirC,IAAW,MACtGA,EAAO5/B,QAAUmgC,EAAiBl2B,KAAK,KAAM21B,EAAO5/B,SACpD4/B,EAAO9/B,OAASqgC,EAAiBl2B,KAAK,KAAM21B,EAAO9/B,QACnD+/B,GAAcp0C,SAAS60C,KAAK5iC,YAAYkiC,EApCkB,CAoCX,EyDvChDd,EAAoB7qB,EAAKjsB,IACH,oBAAX6W,QAA0BA,OAAO0hC,aAC1Ch8C,OAAOsqB,eAAe7mB,EAAS6W,OAAO0hC,YAAa,CAAEp9B,MAAO,WAE7D5e,OAAOsqB,eAAe7mB,EAAS,aAAc,CAAEmb,OAAO,GAAO,ECL9D27B,EAAoB0B,IAAOz4C,IAC1BA,EAAOkP,MAAQ,GACVlP,EAAO04C,WAAU14C,EAAO04C,SAAW,IACjC14C,GCHR+2C,EAAoBp3C,EAAI,WCAxB,IAAIg5C,EACA5B,EAAoBvJ,EAAEoL,gBAAeD,EAAY5B,EAAoBvJ,EAAEtnC,SAAW,IACtF,IAAIxC,EAAWqzC,EAAoBvJ,EAAE9pC,SACrC,IAAKi1C,GAAaj1C,IACbA,EAASm1C,gBACZF,EAAYj1C,EAASm1C,cAAcV,MAC/BQ,GAAW,CACf,IAAIZ,EAAUr0C,EAASs0C,qBAAqB,UAC5C,GAAGD,EAAQp5C,OAEV,IADA,IAAIF,EAAIs5C,EAAQp5C,OAAS,EAClBF,GAAK,KAAOk6C,IAAc,aAAa9/B,KAAK8/B,KAAaA,EAAYZ,EAAQt5C,KAAK05C,GAE3F,CAID,IAAKQ,EAAW,MAAM,IAAIhvC,MAAM,yDAChCgvC,EAAYA,EAAUt+B,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpF08B,EAAoB5vB,EAAIwxB,YClBxB5B,EAAoBvsB,EAAI9mB,SAASo1C,SAAWvhC,KAAKrR,SAASrC,KAK1D,IAAIk1C,EAAkB,CACrB,KAAM,GAGPhC,EAAoBtI,EAAE9uC,EAAI,CAAC+3C,EAAS30C,KAElC,IAAIi2C,EAAqBjC,EAAoB//B,EAAE+hC,EAAiBrB,GAAWqB,EAAgBrB,QAAWj4C,EACtG,GAA0B,IAAvBu5C,EAGF,GAAGA,EACFj2C,EAAStF,KAAKu7C,EAAmB,QAC3B,CAGL,IAAI5O,EAAU,IAAIpnC,SAAQ,CAACC,EAAS+H,IAAYguC,EAAqBD,EAAgBrB,GAAW,CAACz0C,EAAS+H,KAC1GjI,EAAStF,KAAKu7C,EAAmB,GAAK5O,GAGtC,IAAI5mC,EAAMuzC,EAAoB5vB,EAAI4vB,EAAoB3E,EAAEsF,GAEpD/0C,EAAQ,IAAIgH,MAgBhBotC,EAAoBr4C,EAAE8E,GAfFpG,IACnB,GAAG25C,EAAoB//B,EAAE+hC,EAAiBrB,KAEf,KAD1BsB,EAAqBD,EAAgBrB,MACRqB,EAAgBrB,QAAWj4C,GACrDu5C,GAAoB,CACtB,IAAIC,EAAY77C,IAAyB,SAAfA,EAAMqE,KAAkB,UAAYrE,EAAMqE,MAChEy3C,EAAU97C,GAASA,EAAMwP,QAAUxP,EAAMwP,OAAOurC,IACpDx1C,EAAMsL,QAAU,iBAAmBypC,EAAU,cAAgBuB,EAAY,KAAOC,EAAU,IAC1Fv2C,EAAM1E,KAAO,iBACb0E,EAAMlB,KAAOw3C,EACbt2C,EAAMipC,QAAUsN,EAChBF,EAAmB,GAAGr2C,EACvB,CACD,GAEwC,SAAW+0C,EAASA,EAE/D,CACD,EAWFX,EAAoB7H,EAAEvvC,EAAK+3C,GAA0C,IAA7BqB,EAAgBrB,GAGxD,IAAIyB,EAAuB,CAACC,EAA4B/yC,KACvD,IAKI2wC,EAAUU,EALVN,EAAW/wC,EAAK,GAChBgzC,EAAchzC,EAAK,GACnBizC,EAAUjzC,EAAK,GAGI5H,EAAI,EAC3B,GAAG24C,EAAS91C,MAAML,GAAgC,IAAxB83C,EAAgB93C,KAAa,CACtD,IAAI+1C,KAAYqC,EACZtC,EAAoB//B,EAAEqiC,EAAarC,KACrCD,EAAoBnI,EAAEoI,GAAYqC,EAAYrC,IAGhD,GAAGsC,EAAS,IAAIl2C,EAASk2C,EAAQvC,EAClC,CAEA,IADGqC,GAA4BA,EAA2B/yC,GACrD5H,EAAI24C,EAASz4C,OAAQF,IACzBi5C,EAAUN,EAAS34C,GAChBs4C,EAAoB//B,EAAE+hC,EAAiBrB,IAAYqB,EAAgBrB,IACrEqB,EAAgBrB,GAAS,KAE1BqB,EAAgBrB,GAAW,EAE5B,OAAOX,EAAoB7H,EAAE9rC,EAAO,EAGjCm2C,EAAqBhiC,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1FgiC,EAAmBl6B,QAAQ85B,EAAqBj3B,KAAK,KAAM,IAC3Dq3B,EAAmB97C,KAAO07C,EAAqBj3B,KAAK,KAAMq3B,EAAmB97C,KAAKykB,KAAKq3B,QCvFvFxC,EAAoBtqB,QAAKhtB,ECGzB,IAAI+5C,EAAsBzC,EAAoB7H,OAAEzvC,EAAW,CAAC,OAAO,IAAOs3C,EAAoB,SAC9FyC,EAAsBzC,EAAoB7H,EAAEsK","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/apps/files/src/logger.js","webpack:///nextcloud/apps/files/src/actions/deleteAction.ts","webpack:///nextcloud/apps/files/src/actions/downloadAction.ts","webpack:///nextcloud/apps/files/src/actions/editLocallyAction.ts","webpack:///nextcloud/apps/files/src/actions/favoriteAction.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/actions/moveOrCopyAction.ts","webpack:///nextcloud/apps/files/src/actions/openFolderAction.ts","webpack:///nextcloud/apps/files/src/actions/openInFilesAction.ts","webpack:///nextcloud/apps/files/src/actions/renameAction.ts","webpack:///nextcloud/apps/files/src/actions/sidebarAction.ts","webpack:///nextcloud/apps/files/src/actions/viewInFolderAction.ts","webpack:///nextcloud/apps/files/src/components/NewNodeDialog.vue","webpack:///nextcloud/apps/files/src/components/NewNodeDialog.vue?vue&type=script&lang=ts","webpack://nextcloud/./apps/files/src/components/NewNodeDialog.vue?1a36","webpack:///nextcloud/apps/files/src/utils/newNodeDialog.ts","webpack:///nextcloud/apps/files/src/newMenu/newFolder.ts","webpack:///nextcloud/apps/files/src/newMenu/newTemplatesFolder.ts","webpack:///nextcloud/apps/files/src/newMenu/newFromTemplate.ts","webpack:///nextcloud/apps/files/src/services/Favorites.ts","webpack:///nextcloud/apps/files/src/views/favorites.ts","webpack:///nextcloud/node_modules/pinia/dist/pinia.mjs","webpack:///nextcloud/apps/files/src/store/userconfig.ts","webpack:///nextcloud/apps/files/src/store/index.ts","webpack:///nextcloud/apps/files/src/services/Recent.ts","webpack:///nextcloud/apps/files/src/init.ts","webpack:///nextcloud/apps/files/src/views/files.ts","webpack:///nextcloud/apps/files/src/views/recent.ts","webpack:///nextcloud/apps/files/src/services/ServiceWorker.js","webpack:///nextcloud/apps/files/src/services/LivePhotos.ts","webpack:///nextcloud/apps/files/src/utils/fileUtils.ts","webpack:///nextcloud/node_modules/@nextcloud/dialogs/dist/style.css","webpack:///nextcloud/node_modules/@nextcloud/upload/dist/assets/index-Ussc_ol3.css","webpack:///nextcloud/node_modules/simple-eta/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 * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { getLoggerBuilder } from '@nextcloud/logger'\n\nexport default getLoggerBuilder()\n\t.setApp('files')\n\t.detectUser()\n\t.build()\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { emit } from '@nextcloud/event-bus';\nimport { Permission, Node, View, FileAction, FileType } from '@nextcloud/files';\nimport { translate as t, translatePlural as n } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport CloseSvg from '@mdi/svg/svg/close.svg?raw';\nimport NetworkOffSvg from '@mdi/svg/svg/network-off.svg?raw';\nimport TrashCanSvg from '@mdi/svg/svg/trash-can.svg?raw';\nimport logger from '../logger.js';\nimport PQueue from 'p-queue';\nconst canUnshareOnly = (nodes) => {\n return nodes.every(node => node.attributes['is-mount-root'] === true\n && node.attributes['mount-type'] === 'shared');\n};\nconst canDisconnectOnly = (nodes) => {\n return nodes.every(node => node.attributes['is-mount-root'] === true\n && node.attributes['mount-type'] === 'external');\n};\nconst isMixedUnshareAndDelete = (nodes) => {\n if (nodes.length === 1) {\n return false;\n }\n const hasSharedItems = nodes.some(node => canUnshareOnly([node]));\n const hasDeleteItems = nodes.some(node => !canUnshareOnly([node]));\n return hasSharedItems && hasDeleteItems;\n};\nconst isAllFiles = (nodes) => {\n return !nodes.some(node => node.type !== FileType.File);\n};\nconst isAllFolders = (nodes) => {\n return !nodes.some(node => node.type !== FileType.Folder);\n};\nconst queue = new PQueue({ concurrency: 1 });\nexport const action = new FileAction({\n id: 'delete',\n displayName(nodes, view) {\n /**\n * If we're in the trashbin, we can only delete permanently\n */\n if (view.id === 'trashbin') {\n return t('files', 'Delete permanently');\n }\n /**\n * If we're in the sharing view, we can only unshare\n */\n if (isMixedUnshareAndDelete(nodes)) {\n return t('files', 'Delete and unshare');\n }\n /**\n * If those nodes are all the root node of a\n * share, we can only unshare them.\n */\n if (canUnshareOnly(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Leave this share');\n }\n return t('files', 'Leave these shares');\n }\n /**\n * If those nodes are all the root node of an\n * external storage, we can only disconnect it.\n */\n if (canDisconnectOnly(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Disconnect storage');\n }\n return t('files', 'Disconnect storages');\n }\n /**\n * If we're only selecting files, use proper wording\n */\n if (isAllFiles(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Delete file');\n }\n return t('files', 'Delete files');\n }\n /**\n * If we're only selecting folders, use proper wording\n */\n if (isAllFolders(nodes)) {\n if (nodes.length === 1) {\n return t('files', 'Delete folder');\n }\n return t('files', 'Delete folders');\n }\n return t('files', 'Delete');\n },\n iconSvgInline: (nodes) => {\n if (canUnshareOnly(nodes)) {\n return CloseSvg;\n }\n if (canDisconnectOnly(nodes)) {\n return NetworkOffSvg;\n }\n return TrashCanSvg;\n },\n enabled(nodes) {\n return nodes.length > 0 && nodes\n .map(node => node.permissions)\n .every(permission => (permission & Permission.DELETE) !== 0);\n },\n async exec(node, view, dir) {\n try {\n await axios.delete(node.encodedSource);\n // Let's delete even if it's moved to the trashbin\n // since it has been removed from the current view\n // and changing the view will trigger a reload anyway.\n emit('files:node:deleted', node);\n return true;\n }\n catch (error) {\n logger.error('Error while deleting a file', { error, source: node.source, node });\n return false;\n }\n },\n async execBatch(nodes, view, dir) {\n // Map each node to a promise that resolves with the result of exec(node)\n const promises = nodes.map(node => {\n // Create a promise that resolves with the result of exec(node)\n const promise = new Promise(resolve => {\n queue.add(async () => {\n const result = await this.exec(node, view, dir);\n resolve(result !== null ? result : false);\n });\n });\n return promise;\n });\n return Promise.all(promises);\n },\n order: 100,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { generateUrl } from '@nextcloud/router';\nimport { FileAction, Permission, Node, FileType, View } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport ArrowDownSvg from '@mdi/svg/svg/arrow-down.svg?raw';\nconst triggerDownload = function (url) {\n const hiddenElement = document.createElement('a');\n hiddenElement.download = '';\n hiddenElement.href = url;\n hiddenElement.click();\n};\nconst downloadNodes = function (dir, nodes) {\n const secret = Math.random().toString(36).substring(2);\n const url = generateUrl('/apps/files/ajax/download.php?dir={dir}&files={files}&downloadStartSecret={secret}', {\n dir,\n secret,\n files: JSON.stringify(nodes.map(node => node.basename)),\n });\n triggerDownload(url);\n};\nconst isDownloadable = function (node) {\n if ((node.permissions & Permission.READ) === 0) {\n return false;\n }\n // If the mount type is a share, ensure it got download permissions.\n if (node.attributes['mount-type'] === 'shared') {\n const shareAttributes = JSON.parse(node.attributes['share-attributes'] ?? 'null');\n const downloadAttribute = shareAttributes?.find?.((attribute) => attribute.scope === 'permissions' && attribute.key === 'download');\n if (downloadAttribute !== undefined && downloadAttribute.enabled === false) {\n return false;\n }\n }\n return true;\n};\nexport const action = new FileAction({\n id: 'download',\n displayName: () => t('files', 'Download'),\n iconSvgInline: () => ArrowDownSvg,\n enabled(nodes) {\n if (nodes.length === 0) {\n return false;\n }\n // We can download direct dav files. But if we have\n // some folders, we need to use the /apps/files/ajax/download.php\n // endpoint, which only supports user root folder.\n if (nodes.some(node => node.type === FileType.Folder)\n && nodes.some(node => !node.root?.startsWith('/files'))) {\n return false;\n }\n return nodes.every(isDownloadable);\n },\n async exec(node, view, dir) {\n if (node.type === FileType.Folder) {\n downloadNodes(dir, [node]);\n return null;\n }\n triggerDownload(node.encodedSource);\n return null;\n },\n async execBatch(nodes, view, dir) {\n if (nodes.length === 1) {\n this.exec(nodes[0], view, dir);\n return [null];\n }\n downloadNodes(dir, nodes);\n return new Array(nodes.length).fill(null);\n },\n order: 30,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { encodePath } from '@nextcloud/paths';\nimport { generateOcsUrl } from '@nextcloud/router';\nimport { getCurrentUser } from '@nextcloud/auth';\nimport { FileAction, Permission } from '@nextcloud/files';\nimport { showError } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport LaptopSvg from '@mdi/svg/svg/laptop.svg?raw';\nconst openLocalClient = async function (path) {\n const link = generateOcsUrl('apps/files/api/v1') + '/openlocaleditor?format=json';\n try {\n const result = await axios.post(link, { path });\n const uid = getCurrentUser()?.uid;\n let url = `nc://open/${uid}@` + window.location.host + encodePath(path);\n url += '?token=' + result.data.ocs.data.token;\n window.location.href = url;\n }\n catch (error) {\n showError(t('files', 'Failed to redirect to client'));\n }\n};\nexport const action = new FileAction({\n id: 'edit-locally',\n displayName: () => t('files', 'Edit locally'),\n iconSvgInline: () => LaptopSvg,\n // Only works on single files\n enabled(nodes) {\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n return (nodes[0].permissions & Permission.UPDATE) !== 0;\n },\n async exec(node) {\n openLocalClient(node.path);\n return null;\n },\n order: 25,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { emit } from '@nextcloud/event-bus';\nimport { generateUrl } from '@nextcloud/router';\nimport { Permission, View, FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport Vue from 'vue';\nimport StarOutlineSvg from '@mdi/svg/svg/star-outline.svg?raw';\nimport StarSvg from '@mdi/svg/svg/star.svg?raw';\nimport logger from '../logger.js';\nimport { encodePath } from '@nextcloud/paths';\n// If any of the nodes is not favorited, we display the favorite action.\nconst shouldFavorite = (nodes) => {\n return nodes.some(node => node.attributes.favorite !== 1);\n};\nexport const favoriteNode = async (node, view, willFavorite) => {\n try {\n // TODO: migrate to webdav tags plugin\n const url = generateUrl('/apps/files/api/v1/files') + encodePath(node.path);\n await axios.post(url, {\n tags: willFavorite\n ? [window.OC.TAG_FAVORITE]\n : [],\n });\n // Let's delete if we are in the favourites view\n // AND if it is removed from the user favorites\n // AND it's in the root of the favorites view\n if (view.id === 'favorites' && !willFavorite && node.dirname === '/') {\n emit('files:node:deleted', node);\n }\n // Update the node webdav attribute\n Vue.set(node.attributes, 'favorite', willFavorite ? 1 : 0);\n // Dispatch event to whoever is interested\n if (willFavorite) {\n emit('files:favorites:added', node);\n }\n else {\n emit('files:favorites:removed', node);\n }\n return true;\n }\n catch (error) {\n const action = willFavorite ? 'adding a file to favourites' : 'removing a file from favourites';\n logger.error('Error while ' + action, { error, source: node.source, node });\n return false;\n }\n};\nexport const action = new FileAction({\n id: 'favorite',\n displayName(nodes) {\n return shouldFavorite(nodes)\n ? t('files', 'Add to favorites')\n : t('files', 'Remove from favorites');\n },\n iconSvgInline: (nodes) => {\n return shouldFavorite(nodes)\n ? StarOutlineSvg\n : StarSvg;\n },\n enabled(nodes) {\n // We can only favorite nodes within files and with permissions\n return !nodes.some(node => !node.root?.startsWith?.('/files'))\n && nodes.every(node => node.permissions !== Permission.NONE);\n },\n async exec(node, view) {\n const willFavorite = shouldFavorite([node]);\n return await favoriteNode(node, view, willFavorite);\n },\n async execBatch(nodes, view) {\n const willFavorite = shouldFavorite(nodes);\n return Promise.all(nodes.map(async (node) => await favoriteNode(node, view, willFavorite)));\n },\n order: -50,\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æ \n *\n * @author John Molakvoæ \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 .\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 // a shared file cannot be copied if the download is disabled\n // it can be copied if the user has at least read permissions\n return canDownload(nodes)\n && !nodes.some(node => node.permissions === Permission.NONE);\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken, onRequestTokenUpdate } from '@nextcloud/auth';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl);\n // set CSRF token header\n const setHeaders = (token) => {\n client?.setHeaders({\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: token ?? '',\n });\n };\n // refresh headers when request token changes\n onRequestTokenUpdate(setHeaders);\n setHeaders(getRequestToken());\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('fetch', (url, options) => {\n const headers = options.headers;\n if (headers?.method) {\n options.method = headers.method;\n delete headers.method;\n }\n return fetch(url, options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nexport const hashCode = function (str) {\n let hash = 0;\n for (let i = 0; i < str.length; i++) {\n hash = ((hash << 5) - hash + str.charCodeAt(i)) | 0;\n }\n return (hash >>> 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.ts';\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 = String(props['owner-id'] || userId);\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 'owner-id': owner,\n 'owner-display-name': String(props['owner-display-name']),\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) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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} 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} 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 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { Permission, Node, FileType, View, FileAction, DefaultType } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport FolderSvg from '@mdi/svg/svg/folder.svg?raw';\nexport const action = new FileAction({\n id: 'open-folder',\n displayName(files) {\n // Only works on single node\n const displayName = files[0].attributes.displayName || files[0].basename;\n return t('files', 'Open folder {displayName}', { displayName });\n },\n iconSvgInline: () => FolderSvg,\n enabled(nodes) {\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n const node = nodes[0];\n if (!node.isDavRessource) {\n return false;\n }\n return node.type === FileType.Folder\n && (node.permissions & Permission.READ) !== 0;\n },\n async exec(node, view) {\n if (!node || node.type !== FileType.Folder) {\n return false;\n }\n window.OCP.Files.Router.goToRoute(null, { view: view.id, fileid: node.fileid }, { dir: node.path });\n return null;\n },\n // Main action if enabled, meaning folders only\n default: DefaultType.HIDDEN,\n order: -100,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport { FileType, FileAction, DefaultType } from '@nextcloud/files';\n/**\n * TODO: Move away from a redirect and handle\n * navigation straight out of the recent view\n */\nexport const action = new FileAction({\n id: 'open-in-files-recent',\n displayName: () => t('files', 'Open in Files'),\n iconSvgInline: () => '',\n enabled: (nodes, view) => view.id === 'recent',\n async exec(node) {\n let dir = node.dirname;\n if (node.type === FileType.Folder) {\n dir = dir + '/' + node.basename;\n }\n window.OCP.Files.Router.goToRoute(null, // use default route\n { view: 'files', fileid: node.fileid }, { dir, openfile: 'true' });\n return null;\n },\n // Before openFolderAction\n order: -1000,\n default: DefaultType.HIDDEN,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { emit } from '@nextcloud/event-bus';\nimport { Permission, FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport PencilSvg from '@mdi/svg/svg/pencil.svg?raw';\nexport const ACTION_DETAILS = 'details';\nexport const action = new FileAction({\n id: 'rename',\n displayName: () => t('files', 'Rename'),\n iconSvgInline: () => PencilSvg,\n enabled: (nodes) => {\n return nodes.length > 0 && nodes\n .map(node => node.permissions)\n .every(permission => (permission & Permission.UPDATE) !== 0);\n },\n async exec(node) {\n // Renaming is a built-in feature of the files app\n emit('files:node:rename', node);\n return null;\n },\n order: 10,\n});\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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 }, { ...window.OCP.Files.Router.query, 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","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { Node, FileType, Permission, View, FileAction } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport FolderMoveSvg from '@mdi/svg/svg/folder-move.svg?raw';\nexport const action = new FileAction({\n id: 'view-in-folder',\n displayName() {\n return t('files', 'View in folder');\n },\n iconSvgInline: () => FolderMoveSvg,\n enabled(nodes, view) {\n // Only works outside of the main files view\n if (view.id === 'files') {\n return false;\n }\n // Only works on single node\n if (nodes.length !== 1) {\n return false;\n }\n const node = nodes[0];\n if (!node.isDavRessource) {\n return false;\n }\n if (node.permissions === Permission.NONE) {\n return false;\n }\n return node.type === FileType.File;\n },\n async exec(node) {\n if (!node || node.type !== FileType.File) {\n return false;\n }\n window.OCP.Files.Router.goToRoute(null, { view: 'files', fileid: node.fileid }, { dir: node.dirname });\n return null;\n },\n order: 80,\n});\n","var render = function render(){var _vm=this,_c=_vm._self._c,_setup=_vm._self._setupProxy;return _c('NcDialog',{attrs:{\"name\":_vm.name,\"open\":_vm.open,\"close-on-click-outside\":\"\",\"out-transition\":\"\"},on:{\"update:open\":_vm.onClose},scopedSlots:_vm._u([{key:\"actions\",fn:function(){return [_c('NcButton',{attrs:{\"type\":\"primary\",\"disabled\":!_vm.isUniqueName},on:{\"click\":_vm.onCreate}},[_vm._v(\"\\n\\t\\t\\t\"+_vm._s(_vm.t('files', 'Create'))+\"\\n\\t\\t\")])]},proxy:true}])},[_vm._v(\" \"),_c('form',{on:{\"submit\":function($event){$event.preventDefault();return _vm.onCreate.apply(null, arguments)}}},[_c('NcTextField',{ref:\"input\",attrs:{\"error\":!_vm.isUniqueName,\"helper-text\":_vm.errorMessage,\"label\":_vm.label,\"value\":_vm.localDefaultName},on:{\"update:value\":function($event){_vm.localDefaultName=$event}}})],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!./NewNodeDialog.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!./NewNodeDialog.vue?vue&type=script&lang=ts\"","import { render, staticRenderFns } from \"./NewNodeDialog.vue?vue&type=template&id=c63cee88\"\nimport script from \"./NewNodeDialog.vue?vue&type=script&lang=ts\"\nexport * from \"./NewNodeDialog.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","/**\n * @copyright Copyright (c) 2024 Ferdinand Thiessen \n *\n * @author Ferdinand Thiessen \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 .\n *\n */\nimport { spawnDialog } from '@nextcloud/dialogs';\nimport NewNodeDialog from '../components/NewNodeDialog.vue';\n/**\n * Ask user for file or folder name\n * @param defaultName Default name to use\n * @param folderContent Nodes with in the current folder to check for unique name\n * @param labels Labels to set on the dialog\n * @return string if successfull otherwise null if aborted\n */\nexport function newNodeName(defaultName, folderContent, labels = {}) {\n const contentNames = folderContent.map((node) => node.basename);\n return new Promise((resolve) => {\n spawnDialog(NewNodeDialog, {\n ...labels,\n defaultName,\n otherNames: contentNames,\n }, (folderName) => {\n resolve(folderName);\n });\n });\n}\n","import { basename } from 'path';\nimport { emit } from '@nextcloud/event-bus';\nimport { getCurrentUser } from '@nextcloud/auth';\nimport { Permission, Folder } from '@nextcloud/files';\nimport { showSuccess } from '@nextcloud/dialogs';\nimport { translate as t } from '@nextcloud/l10n';\nimport axios from '@nextcloud/axios';\nimport FolderPlusSvg from '@mdi/svg/svg/folder-plus.svg?raw';\nimport { newNodeName } from '../utils/newNodeDialog';\nimport logger from '../logger';\nconst createNewFolder = async (root, name) => {\n const source = root.source + '/' + name;\n const encodedSource = root.encodedSource + '/' + encodeURIComponent(name);\n const response = await axios({\n method: 'MKCOL',\n url: encodedSource,\n headers: {\n Overwrite: 'F',\n },\n });\n return {\n fileid: parseInt(response.headers['oc-fileid']),\n source,\n };\n};\nexport const entry = {\n id: 'newFolder',\n displayName: t('files', 'New folder'),\n enabled: (context) => (context.permissions & Permission.CREATE) !== 0,\n iconSvgInline: FolderPlusSvg,\n order: 0,\n async handler(context, content) {\n const name = await newNodeName(t('files', 'New folder'), content);\n if (name !== null) {\n const { fileid, source } = await createNewFolder(context, name);\n // Create the folder in the store\n const folder = new Folder({\n source,\n id: fileid,\n mtime: new Date(),\n owner: getCurrentUser()?.uid || null,\n permissions: Permission.ALL,\n root: context?.root || '/files/' + getCurrentUser()?.uid,\n // Include mount-type from parent folder as this is inherited\n attributes: {\n 'mount-type': context.attributes?.['mount-type'],\n 'owner-id': context.attributes?.['owner-id'],\n 'owner-display-name': context.attributes?.['owner-display-name'],\n },\n });\n showSuccess(t('files', 'Created new folder \"{name}\"', { name: basename(source) }));\n logger.debug('Created new folder', { folder, source });\n emit('files:node:created', folder);\n window.OCP.Files.Router.goToRoute(null, // use default route\n { view: 'files', fileid: folder.fileid }, { dir: context.path });\n }\n },\n};\n","import { getCurrentUser } from '@nextcloud/auth';\nimport { showError } from '@nextcloud/dialogs';\nimport { Permission, removeNewFileMenuEntry } from '@nextcloud/files';\nimport { loadState } from '@nextcloud/initial-state';\nimport { translate as t } from '@nextcloud/l10n';\nimport { generateOcsUrl } from '@nextcloud/router';\nimport { join } from 'path';\nimport { newNodeName } from '../utils/newNodeDialog';\nimport PlusSvg from '@mdi/svg/svg/plus.svg?raw';\nimport axios from '@nextcloud/axios';\nimport logger from '../logger.js';\nlet templatesPath = loadState('files', 'templates_path', false);\nlogger.debug('Initial templates folder', { templatesPath });\n/**\n * Init template folder\n * @param directory Folder where to create the templates folder\n * @param name Name to use or the templates folder\n */\nconst initTemplatesFolder = async function (directory, name) {\n const templatePath = join(directory.path, name);\n try {\n logger.debug('Initializing the templates directory', { templatePath });\n const { data } = await axios.post(generateOcsUrl('apps/files/api/v1/templates/path'), {\n templatePath,\n copySystemTemplates: true,\n });\n // Go to template directory\n window.OCP.Files.Router.goToRoute(null, // use default route\n { view: 'files', fileid: undefined }, { dir: templatePath });\n logger.info('Created new templates folder', {\n ...data.ocs.data,\n });\n templatesPath = data.ocs.data.templates_path;\n }\n catch (error) {\n logger.error('Unable to initialize the templates directory');\n showError(t('files', 'Unable to initialize the templates directory'));\n }\n};\nexport const entry = {\n id: 'template-picker',\n displayName: t('files', 'Create new templates folder'),\n iconSvgInline: PlusSvg,\n order: 10,\n enabled(context) {\n // Templates folder already initialized\n if (templatesPath) {\n return false;\n }\n // Allow creation on your own folders only\n if (context.owner !== getCurrentUser()?.uid) {\n return false;\n }\n return (context.permissions & Permission.CREATE) !== 0;\n },\n async handler(context, content) {\n const name = await newNodeName(t('files', 'Templates'), content, { name: t('files', 'New template folder') });\n if (name !== null) {\n // Create the template folder\n initTemplatesFolder(context, name);\n // Remove the menu entry\n removeNewFileMenuEntry('template-picker');\n }\n },\n};\n","/**\n * @copyright Copyright (c) 2020 John Molakvoæ \n *\n * @author John Molakvoæ \n * @author Julius Härtl \n * @author Ferdinand Thiessen \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 .\n *\n */\nimport { Folder, Node, Permission, addNewFileMenuEntry } from '@nextcloud/files';\nimport { loadState } from '@nextcloud/initial-state';\nimport { newNodeName } from '../utils/newNodeDialog';\nimport { translate as t } from '@nextcloud/l10n';\nimport Vue, { defineAsyncComponent } from 'vue';\n// async to reduce bundle size\nconst TemplatePickerVue = defineAsyncComponent(() => import('../views/TemplatePicker.vue'));\nlet TemplatePicker = null;\nconst getTemplatePicker = async (context) => {\n if (TemplatePicker === null) {\n // Create document root\n const mountingPoint = document.createElement('div');\n mountingPoint.id = 'template-picker';\n document.body.appendChild(mountingPoint);\n // Init vue app\n TemplatePicker = new Vue({\n render: (h) => h(TemplatePickerVue, {\n ref: 'picker',\n props: {\n parent: context,\n },\n }),\n methods: { open(...args) { this.$refs.picker.open(...args); } },\n el: mountingPoint,\n });\n }\n return TemplatePicker;\n};\n/**\n * Register all new-file-menu entries for all template providers\n */\nexport function registerTemplateEntries() {\n const templates = loadState('files', 'templates', []);\n // Init template files menu\n templates.forEach((provider, index) => {\n addNewFileMenuEntry({\n id: `template-new-${provider.app}-${index}`,\n displayName: provider.label,\n // TODO: migrate to inline svg\n iconClass: provider.iconClass || 'icon-file',\n enabled(context) {\n return (context.permissions & Permission.CREATE) !== 0;\n },\n order: 11,\n async handler(context, content) {\n const templatePicker = getTemplatePicker(context);\n const name = await newNodeName(`${provider.label}${provider.extension}`, content, {\n label: t('files', 'Filename'),\n name: provider.label,\n });\n if (name !== null) {\n // Create the file\n const picker = await templatePicker;\n picker.open(name, provider);\n }\n },\n });\n });\n}\n","import { Folder, davGetDefaultPropfind, davGetFavoritesReport } from '@nextcloud/files';\nimport { getClient } from './WebdavClient';\nimport { resultToNode } from './Files';\nconst client = getClient();\nexport const getContents = async (path = '/') => {\n const propfindPayload = davGetDefaultPropfind();\n const reportPayload = davGetFavoritesReport();\n // Get root folder\n let rootResponse;\n if (path === '/') {\n rootResponse = await client.stat(path, {\n details: true,\n data: propfindPayload,\n });\n }\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n // Only filter favorites if we're at the root\n data: path === '/' ? reportPayload : propfindPayload,\n headers: {\n // Patched in WebdavClient.ts\n method: path === '/' ? 'REPORT' : 'PROPFIND',\n },\n includeSelf: true,\n });\n const root = rootResponse?.data || contentsResponse.data[0];\n const contents = contentsResponse.data.filter(node => node.filename !== path);\n return {\n folder: resultToNode(root),\n contents: contents.map(resultToNode),\n };\n};\n","import { subscribe } from '@nextcloud/event-bus';\nimport { FileType, View, getNavigation } from '@nextcloud/files';\nimport { loadState } from '@nextcloud/initial-state';\nimport { getLanguage, translate as t } from '@nextcloud/l10n';\nimport { basename } from 'path';\nimport FolderSvg from '@mdi/svg/svg/folder.svg?raw';\nimport StarSvg from '@mdi/svg/svg/star.svg?raw';\nimport { getContents } from '../services/Favorites';\nimport { hashCode } from '../utils/hashUtils';\nimport logger from '../logger';\nexport const generateFavoriteFolderView = function (folder, index = 0) {\n return new View({\n id: generateIdFromPath(folder.path),\n name: basename(folder.path),\n icon: FolderSvg,\n order: index,\n params: {\n dir: folder.path,\n fileid: folder.fileid.toString(),\n view: 'favorites',\n },\n parent: 'favorites',\n columns: [],\n getContents,\n });\n};\nexport const generateIdFromPath = function (path) {\n return `favorite-${hashCode(path)}`;\n};\nexport default () => {\n // Load state in function for mock testing purposes\n const favoriteFolders = loadState('files', 'favoriteFolders', []);\n const favoriteFoldersViews = favoriteFolders.map((folder, index) => generateFavoriteFolderView(folder, index));\n logger.debug('Generating favorites view', { favoriteFolders });\n const Navigation = getNavigation();\n Navigation.register(new View({\n id: 'favorites',\n name: t('files', 'Favorites'),\n caption: t('files', 'List of favorites files and folders.'),\n emptyTitle: t('files', 'No favorites yet'),\n emptyCaption: t('files', 'Files and folders you mark as favorite will show up here'),\n icon: StarSvg,\n order: 5,\n columns: [],\n getContents,\n }));\n favoriteFoldersViews.forEach(view => Navigation.register(view));\n /**\n * Update favourites navigation when a new folder is added\n */\n subscribe('files:favorites:added', (node) => {\n if (node.type !== FileType.Folder) {\n return;\n }\n // Sanity check\n if (node.path === null || !node.root?.startsWith('/files')) {\n logger.error('Favorite folder is not within user files root', { node });\n return;\n }\n addToFavorites(node);\n });\n /**\n * Remove favourites navigation when a folder is removed\n */\n subscribe('files:favorites:removed', (node) => {\n if (node.type !== FileType.Folder) {\n return;\n }\n // Sanity check\n if (node.path === null || !node.root?.startsWith('/files')) {\n logger.error('Favorite folder is not within user files root', { node });\n return;\n }\n removePathFromFavorites(node.path);\n });\n /**\n * Sort the favorites paths array and\n * update the order property of the existing views\n */\n const updateAndSortViews = function () {\n favoriteFolders.sort((a, b) => a.path.localeCompare(b.path, getLanguage(), { ignorePunctuation: true }));\n favoriteFolders.forEach((folder, index) => {\n const view = favoriteFoldersViews.find((view) => view.id === generateIdFromPath(folder.path));\n if (view) {\n view.order = index;\n }\n });\n };\n // Add a folder to the favorites paths array and update the views\n const addToFavorites = function (node) {\n const newFavoriteFolder = { path: node.path, fileid: node.fileid };\n const view = generateFavoriteFolderView(newFavoriteFolder);\n // Skip if already exists\n if (favoriteFolders.find((folder) => folder.path === node.path)) {\n return;\n }\n // Update arrays\n favoriteFolders.push(newFavoriteFolder);\n favoriteFoldersViews.push(view);\n // Update and sort views\n updateAndSortViews();\n Navigation.register(view);\n };\n // Remove a folder from the favorites paths array and update the views\n const removePathFromFavorites = function (path) {\n const id = generateIdFromPath(path);\n const index = favoriteFolders.findIndex((folder) => folder.path === path);\n // Skip if not exists\n if (index === -1) {\n return;\n }\n // Update arrays\n favoriteFolders.splice(index, 1);\n favoriteFoldersViews.splice(index, 1);\n // Update and sort views\n Navigation.remove(id);\n updateAndSortViews();\n };\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 = { readonly [P in keyof T]: DeepReadonly }\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 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","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) 2024 Ferdinand Thiessen \n *\n * @author Ferdinand Thiessen \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 .\n *\n */\nimport { createPinia } from 'pinia';\nexport const pinia = createPinia();\n","import { getCurrentUser } from '@nextcloud/auth';\nimport { Folder, Permission, davGetRecentSearch, davGetClient, davResultToNode, davRootPath, davRemoteURL } from '@nextcloud/files';\nimport { useUserConfigStore } from '../store/userconfig.ts';\nimport { pinia } from '../store/index.ts';\nconst client = davGetClient();\nconst lastTwoWeeksTimestamp = Math.round((Date.now() / 1000) - (60 * 60 * 24 * 14));\n/**\n * Get recently changed nodes\n *\n * This takes the users preference about hidden files into account.\n * If hidden files are not shown, then also recently changed files *in* hidden directories are filtered.\n *\n * @param path Path to search for recent changes\n */\nexport const getContents = async (path = '/') => {\n const store = useUserConfigStore(pinia);\n /**\n * Filter function that returns only the visible nodes - or hidden if explicitly configured\n * @param node The node to check\n */\n const filterHidden = (node) => path !== '/' // We need to hide files from hidden directories in the root if not configured to show\n || store.userConfig.show_hidden // If configured to show hidden files we can early return\n || !node.dirname.split('/').some((dir) => dir.startsWith('.')); // otherwise only include the file if non of the parent directories is hidden\n const contentsResponse = await client.getDirectoryContents(path, {\n details: true,\n data: davGetRecentSearch(lastTwoWeeksTimestamp),\n headers: {\n // Patched in WebdavClient.ts\n method: 'SEARCH',\n // Somehow it's needed to get the correct response\n 'Content-Type': 'application/xml; charset=utf-8',\n },\n deep: true,\n });\n const contents = contentsResponse.data;\n return {\n folder: new Folder({\n id: 0,\n source: `${davRemoteURL}${davRootPath}`,\n root: davRootPath,\n owner: getCurrentUser()?.uid || null,\n permissions: Permission.READ,\n }),\n contents: contents.map((r) => davResultToNode(r)).filter(filterHidden),\n };\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { addNewFileMenuEntry, registerDavProperty, registerFileAction } from '@nextcloud/files';\nimport { action as deleteAction } from './actions/deleteAction';\nimport { action as downloadAction } from './actions/downloadAction';\nimport { action as editLocallyAction } from './actions/editLocallyAction';\nimport { action as favoriteAction } from './actions/favoriteAction';\nimport { action as moveOrCopyAction } from './actions/moveOrCopyAction';\nimport { action as openFolderAction } from './actions/openFolderAction';\nimport { action as openInFilesAction } from './actions/openInFilesAction';\nimport { action as renameAction } from './actions/renameAction';\nimport { action as sidebarAction } from './actions/sidebarAction';\nimport { action as viewInFolderAction } from './actions/viewInFolderAction';\nimport { entry as newFolderEntry } from './newMenu/newFolder.ts';\nimport { entry as newTemplatesFolder } from './newMenu/newTemplatesFolder.ts';\nimport { registerTemplateEntries } from './newMenu/newFromTemplate.ts';\nimport registerFavoritesView from './views/favorites';\nimport registerRecentView from './views/recent';\nimport registerFilesView from './views/files';\nimport registerPreviewServiceWorker from './services/ServiceWorker.js';\nimport { initLivePhotos } from './services/LivePhotos';\n// Register file actions\nregisterFileAction(deleteAction);\nregisterFileAction(downloadAction);\nregisterFileAction(editLocallyAction);\nregisterFileAction(favoriteAction);\nregisterFileAction(moveOrCopyAction);\nregisterFileAction(openFolderAction);\nregisterFileAction(openInFilesAction);\nregisterFileAction(renameAction);\nregisterFileAction(sidebarAction);\nregisterFileAction(viewInFolderAction);\n// Register new menu entry\naddNewFileMenuEntry(newFolderEntry);\naddNewFileMenuEntry(newTemplatesFolder);\nregisterTemplateEntries();\n// Register files views\nregisterFavoritesView();\nregisterFilesView();\nregisterRecentView();\n// Register preview service worker\nregisterPreviewServiceWorker();\nregisterDavProperty('nc:hidden', { nc: 'http://nextcloud.org/ns' });\nregisterDavProperty('nc:is-mount-root', { nc: 'http://nextcloud.org/ns' });\ninitLivePhotos();\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { translate as t } from '@nextcloud/l10n';\nimport FolderSvg from '@mdi/svg/svg/folder.svg?raw';\nimport { getContents } from '../services/Files';\nimport { View, getNavigation } from '@nextcloud/files';\nexport default () => {\n const Navigation = getNavigation();\n Navigation.register(new View({\n id: 'files',\n name: t('files', 'All files'),\n caption: t('files', 'List of your files and folders.'),\n icon: FolderSvg,\n order: 0,\n getContents,\n }));\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { View, getNavigation } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport HistorySvg from '@mdi/svg/svg/history.svg?raw';\nimport { getContents } from '../services/Recent';\nexport default () => {\n const Navigation = getNavigation();\n Navigation.register(new View({\n id: 'recent',\n name: t('files', 'Recent'),\n caption: t('files', 'List of recently modified files and folders.'),\n emptyTitle: t('files', 'No recently modified files'),\n emptyCaption: t('files', 'Files and folders you recently modified will show up here.'),\n icon: HistorySvg,\n order: 2,\n defaultSortKey: 'mtime',\n getContents,\n }));\n};\n","/**\n * @copyright Copyright (c) 2019 Gary Kim \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { generateUrl } from '@nextcloud/router'\nimport logger from '../logger.js'\n\nexport default () => {\n\tif ('serviceWorker' in navigator) {\n\t\t// Use the window load event to keep the page load performant\n\t\twindow.addEventListener('load', async () => {\n\t\t\ttry {\n\t\t\t\tconst url = generateUrl('/apps/files/preview-service-worker.js', {}, { noRewrite: true })\n\t\t\t\tconst registration = await navigator.serviceWorker.register(url, { scope: '/' })\n\t\t\t\tlogger.debug('SW registered: ', { registration })\n\t\t\t} catch (error) {\n\t\t\t\tlogger.error('SW registration failed: ', { error })\n\t\t\t}\n\t\t})\n\t} else {\n\t\tlogger.debug('Service Worker is not enabled on this browser.')\n\t}\n}\n","/**\n * @copyright Copyright (c) 2023 Louis Chmn \n *\n * @author Louis Chmn \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 .\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","/**\n * @copyright Copyright (c) 2021 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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","// 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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \\n *\\n * @author Julius Härtl \\n * @author John Molakvoæ \\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 .\\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.nc-generic-dialog .dialog__actions {\\n justify-content: space-between;\\n min-width: calc(100% - 12px);\\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:\\n linear-gradient(\\n to right,\\n var(--color-background-darker),\\n var(--color-text-maxcontrast),\\n 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-22cbb5df] {\\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-6ff1b36b] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-6ff1b36b] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-6ff1b36b] {\\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-6ff1b36b] {\\n box-sizing: border-box;\\n}\\n[data-v-6ff1b36b] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-6ff1b36b] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-6ff1b36b] .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","// @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/*:: */(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","import { getCurrentUser, onRequestTokenUpdate, getRequestToken } from \"@nextcloud/auth\";\nimport { getLoggerBuilder } from \"@nextcloud/logger\";\nimport { join, basename, extname, dirname } from \"path\";\nimport { encodePath } from \"@nextcloud/paths\";\nimport { generateRemoteUrl } from \"@nextcloud/router\";\nimport { createClient, getPatcher } from \"webdav\";\nimport { CancelablePromise } from \"cancelable-promise\";\nimport { getCanonicalLocale, getLanguage } from \"@nextcloud/l10n\";\n/**\n * @copyright 2019 Christoph Wurst \n *\n * @author Christoph Wurst \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 .\n *\n */\nconst getLogger = (user) => {\n if (user === null) {\n return getLoggerBuilder().setApp(\"files\").build();\n }\n return getLoggerBuilder().setApp(\"files\").setUid(user.uid).build();\n};\nconst logger = getLogger(getCurrentUser());\n/**\n * @copyright Copyright (c) 2021 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar NewMenuEntryCategory = /* @__PURE__ */ ((NewMenuEntryCategory2) => {\n NewMenuEntryCategory2[NewMenuEntryCategory2[\"UploadFromDevice\"] = 0] = \"UploadFromDevice\";\n NewMenuEntryCategory2[NewMenuEntryCategory2[\"CreateNew\"] = 1] = \"CreateNew\";\n NewMenuEntryCategory2[NewMenuEntryCategory2[\"Other\"] = 2] = \"Other\";\n return NewMenuEntryCategory2;\n})(NewMenuEntryCategory || {});\nclass NewFileMenu {\n _entries = [];\n registerEntry(entry) {\n this.validateEntry(entry);\n entry.category = entry.category ?? 1;\n this._entries.push(entry);\n }\n unregisterEntry(entry) {\n const entryIndex = typeof entry === \"string\" ? this.getEntryIndex(entry) : this.getEntryIndex(entry.id);\n if (entryIndex === -1) {\n logger.warn(\"Entry not found, nothing removed\", { entry, entries: this.getEntries() });\n return;\n }\n this._entries.splice(entryIndex, 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(context) {\n if (context) {\n return this._entries.filter((entry) => typeof entry.enabled === \"function\" ? entry.enabled(context) : true);\n }\n return this._entries;\n }\n getEntryIndex(id) {\n return this._entries.findIndex((entry) => entry.id === id);\n }\n validateEntry(entry) {\n if (!entry.id || !entry.displayName || !(entry.iconSvgInline || entry.iconClass) || !entry.handler) {\n throw new Error(\"Invalid entry\");\n }\n if (typeof entry.id !== \"string\" || typeof entry.displayName !== \"string\") {\n throw new Error(\"Invalid id or displayName property\");\n }\n if (entry.iconClass && typeof entry.iconClass !== \"string\" || entry.iconSvgInline && typeof entry.iconSvgInline !== \"string\") {\n throw new Error(\"Invalid icon provided\");\n }\n if (entry.enabled !== void 0 && typeof entry.enabled !== \"function\") {\n throw new Error(\"Invalid enabled property\");\n }\n if (typeof entry.handler !== \"function\") {\n throw new Error(\"Invalid handler property\");\n }\n if (\"order\" in entry && typeof entry.order !== \"number\") {\n throw new Error(\"Invalid order property\");\n }\n if (this.getEntryIndex(entry.id) !== -1) {\n throw new Error(\"Duplicate entry\");\n }\n }\n}\nconst getNewFileMenu = function() {\n if (typeof window._nc_newfilemenu === \"undefined\") {\n window._nc_newfilemenu = new NewFileMenu();\n logger.debug(\"NewFileMenu initialized\");\n }\n return window._nc_newfilemenu;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar DefaultType = /* @__PURE__ */ ((DefaultType2) => {\n DefaultType2[\"DEFAULT\"] = \"default\";\n DefaultType2[\"HIDDEN\"] = \"hidden\";\n return DefaultType2;\n})(DefaultType || {});\nclass FileAction {\n _action;\n constructor(action) {\n this.validateAction(action);\n this._action = action;\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(action) {\n if (!action.id || typeof action.id !== \"string\") {\n throw new Error(\"Invalid id\");\n }\n if (!action.displayName || typeof action.displayName !== \"function\") {\n throw new Error(\"Invalid displayName function\");\n }\n if (\"title\" in action && typeof action.title !== \"function\") {\n throw new Error(\"Invalid title function\");\n }\n if (!action.iconSvgInline || typeof action.iconSvgInline !== \"function\") {\n throw new Error(\"Invalid iconSvgInline function\");\n }\n if (!action.exec || typeof action.exec !== \"function\") {\n throw new Error(\"Invalid exec function\");\n }\n if (\"enabled\" in action && typeof action.enabled !== \"function\") {\n throw new Error(\"Invalid enabled function\");\n }\n if (\"execBatch\" in action && typeof action.execBatch !== \"function\") {\n throw new Error(\"Invalid execBatch function\");\n }\n if (\"order\" in action && typeof action.order !== \"number\") {\n throw new Error(\"Invalid order\");\n }\n if (\"parent\" in action && typeof action.parent !== \"string\") {\n throw new Error(\"Invalid parent\");\n }\n if (action.default && !Object.values(DefaultType).includes(action.default)) {\n throw new Error(\"Invalid default\");\n }\n if (\"inline\" in action && typeof action.inline !== \"function\") {\n throw new Error(\"Invalid inline function\");\n }\n if (\"renderInline\" in action && typeof action.renderInline !== \"function\") {\n throw new Error(\"Invalid renderInline function\");\n }\n }\n}\nconst registerFileAction = function(action) {\n if (typeof window._nc_fileactions === \"undefined\") {\n window._nc_fileactions = [];\n logger.debug(\"FileActions initialized\");\n }\n if (window._nc_fileactions.find((search) => search.id === action.id)) {\n logger.error(`FileAction ${action.id} already registered`, { action });\n return;\n }\n window._nc_fileactions.push(action);\n};\nconst getFileActions = function() {\n if (typeof window._nc_fileactions === \"undefined\") {\n window._nc_fileactions = [];\n logger.debug(\"FileActions initialized\");\n }\n return window._nc_fileactions;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Header {\n _header;\n constructor(header) {\n this.validateHeader(header);\n this._header = header;\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(header) {\n if (!header.id || !header.render || !header.updated) {\n throw new Error(\"Invalid header: id, render and updated are required\");\n }\n if (typeof header.id !== \"string\") {\n throw new Error(\"Invalid id property\");\n }\n if (header.enabled !== void 0 && typeof header.enabled !== \"function\") {\n throw new Error(\"Invalid enabled property\");\n }\n if (header.render && typeof header.render !== \"function\") {\n throw new Error(\"Invalid render property\");\n }\n if (header.updated && typeof header.updated !== \"function\") {\n throw new Error(\"Invalid updated property\");\n }\n }\n}\nconst registerFileListHeaders = function(header) {\n if (typeof window._nc_filelistheader === \"undefined\") {\n window._nc_filelistheader = [];\n logger.debug(\"FileListHeaders initialized\");\n }\n if (window._nc_filelistheader.find((search) => search.id === header.id)) {\n logger.error(`Header ${header.id} already registered`, { header });\n return;\n }\n window._nc_filelistheader.push(header);\n};\nconst getFileListHeaders = function() {\n if (typeof window._nc_filelistheader === \"undefined\") {\n window._nc_filelistheader = [];\n logger.debug(\"FileListHeaders initialized\");\n }\n return window._nc_filelistheader;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar Permission = /* @__PURE__ */ ((Permission2) => {\n Permission2[Permission2[\"NONE\"] = 0] = \"NONE\";\n Permission2[Permission2[\"CREATE\"] = 4] = \"CREATE\";\n Permission2[Permission2[\"READ\"] = 1] = \"READ\";\n Permission2[Permission2[\"UPDATE\"] = 2] = \"UPDATE\";\n Permission2[Permission2[\"DELETE\"] = 8] = \"DELETE\";\n Permission2[Permission2[\"SHARE\"] = 16] = \"SHARE\";\n Permission2[Permission2[\"ALL\"] = 31] = \"ALL\";\n return Permission2;\n})(Permission || {});\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \n * @author Ferdinand Thiessen \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 .\n *\n */\nconst defaultDavProperties = [\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];\nconst defaultDavNamespaces = {\n d: \"DAV:\",\n nc: \"http://nextcloud.org/ns\",\n oc: \"http://owncloud.org/ns\",\n ocs: \"http://open-collaboration-services.org/ns\"\n};\nconst registerDavProperty = function(prop, namespace = { nc: \"http://nextcloud.org/ns\" }) {\n if (typeof window._nc_dav_properties === \"undefined\") {\n window._nc_dav_properties = [...defaultDavProperties];\n window._nc_dav_namespaces = { ...defaultDavNamespaces };\n }\n const namespaces = { ...window._nc_dav_namespaces, ...namespace };\n if (window._nc_dav_properties.find((search) => search === prop)) {\n logger.warn(`${prop} already registered`, { prop });\n return false;\n }\n if (prop.startsWith(\"<\") || prop.split(\":\").length !== 2) {\n logger.error(`${prop} is not valid. See example: 'oc:fileid'`, { prop });\n return false;\n }\n const ns = prop.split(\":\")[0];\n if (!namespaces[ns]) {\n logger.error(`${prop} namespace unknown`, { prop, namespaces });\n return false;\n }\n window._nc_dav_properties.push(prop);\n window._nc_dav_namespaces = namespaces;\n return true;\n};\nconst getDavProperties = function() {\n if (typeof window._nc_dav_properties === \"undefined\") {\n window._nc_dav_properties = [...defaultDavProperties];\n }\n return window._nc_dav_properties.map((prop) => `<${prop} />`).join(\" \");\n};\nconst getDavNameSpaces = function() {\n if (typeof window._nc_dav_namespaces === \"undefined\") {\n window._nc_dav_namespaces = { ...defaultDavNamespaces };\n }\n return Object.keys(window._nc_dav_namespaces).map((ns) => `xmlns:${ns}=\"${window._nc_dav_namespaces?.[ns]}\"`).join(\" \");\n};\nconst davGetDefaultPropfind = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${getDavProperties()}\n\t\t\t\n\t\t`;\n};\nconst davGetFavoritesReport = function() {\n return `\n\t\t\n\t\t\t\n\t\t\t\t${getDavProperties()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`;\n};\nconst davGetRecentSearch = function(lastModified) {\n return `\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${getDavProperties()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${getCurrentUser()?.uid}/\n\t\t\t\tinfinity\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\thttpd/unix-directory\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t0\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t${lastModified}\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t100\n\t\t\t0\n\t\t\n\t\n`;\n};\n/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \n * @author Ferdinand Thiessen \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 .\n *\n */\nconst davParsePermissions = function(permString = \"\") {\n let permissions = Permission.NONE;\n if (!permString) {\n return permissions;\n }\n if (permString.includes(\"C\") || permString.includes(\"K\")) {\n permissions |= Permission.CREATE;\n }\n if (permString.includes(\"G\")) {\n permissions |= Permission.READ;\n }\n if (permString.includes(\"W\") || permString.includes(\"N\") || permString.includes(\"V\")) {\n permissions |= Permission.UPDATE;\n }\n if (permString.includes(\"D\")) {\n permissions |= Permission.DELETE;\n }\n if (permString.includes(\"R\")) {\n permissions |= Permission.SHARE;\n }\n return permissions;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar FileType = /* @__PURE__ */ ((FileType2) => {\n FileType2[\"Folder\"] = \"folder\";\n FileType2[\"File\"] = \"file\";\n return FileType2;\n})(FileType || {});\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nconst isDavRessource = function(source, davService) {\n return source.match(davService) !== null;\n};\nconst validateData = (data, davService) => {\n if (data.id && typeof data.id !== \"number\") {\n throw new Error(\"Invalid id type of value\");\n }\n if (!data.source) {\n throw new Error(\"Missing mandatory source\");\n }\n try {\n new URL(data.source);\n } catch (e) {\n throw new Error(\"Invalid source format, source must be a valid URL\");\n }\n if (!data.source.startsWith(\"http\")) {\n throw new Error(\"Invalid source format, only http(s) is supported\");\n }\n if (data.mtime && !(data.mtime instanceof Date)) {\n throw new Error(\"Invalid mtime type\");\n }\n if (data.crtime && !(data.crtime instanceof Date)) {\n throw new Error(\"Invalid crtime type\");\n }\n if (!data.mime || typeof data.mime !== \"string\" || !data.mime.match(/^[-\\w.]+\\/[-+\\w.]+$/gi)) {\n throw new Error(\"Missing or invalid mandatory mime\");\n }\n if (\"size\" in data && typeof data.size !== \"number\" && data.size !== void 0) {\n throw new Error(\"Invalid size type\");\n }\n if (\"permissions\" in data && data.permissions !== void 0 && !(typeof data.permissions === \"number\" && data.permissions >= Permission.NONE && data.permissions <= Permission.ALL)) {\n throw new Error(\"Invalid permissions\");\n }\n if (data.owner && data.owner !== null && typeof data.owner !== \"string\") {\n throw new Error(\"Invalid owner type\");\n }\n if (data.attributes && typeof data.attributes !== \"object\") {\n throw new Error(\"Invalid attributes type\");\n }\n if (data.root && typeof data.root !== \"string\") {\n throw new Error(\"Invalid root type\");\n }\n if (data.root && !data.root.startsWith(\"/\")) {\n throw new Error(\"Root must start with a leading slash\");\n }\n if (data.root && !data.source.includes(data.root)) {\n throw new Error(\"Root must be part of the source\");\n }\n if (data.root && isDavRessource(data.source, davService)) {\n const service = data.source.match(davService)[0];\n if (!data.source.includes(join(service, data.root))) {\n throw new Error(\"The root must be relative to the service. e.g /files/emma\");\n }\n }\n if (data.status && !Object.values(NodeStatus).includes(data.status)) {\n throw new Error(\"Status must be a valid NodeStatus\");\n }\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nvar NodeStatus = /* @__PURE__ */ ((NodeStatus2) => {\n NodeStatus2[\"NEW\"] = \"new\";\n NodeStatus2[\"FAILED\"] = \"failed\";\n NodeStatus2[\"LOADING\"] = \"loading\";\n NodeStatus2[\"LOCKED\"] = \"locked\";\n return NodeStatus2;\n})(NodeStatus || {});\nclass Node {\n _data;\n _attributes;\n _knownDavService = /(remote|public)\\.php\\/(web)?dav/i;\n readonlyAttributes = Object.entries(Object.getOwnPropertyDescriptors(Node.prototype)).filter((e) => typeof e[1].get === \"function\" && e[0] !== \"__proto__\").map((e) => e[0]);\n handler = {\n set: (target, prop, value) => {\n if (this.readonlyAttributes.includes(prop)) {\n return false;\n }\n this.updateMtime();\n return Reflect.set(target, prop, value);\n },\n deleteProperty: (target, prop) => {\n if (this.readonlyAttributes.includes(prop)) {\n return false;\n }\n this.updateMtime();\n return Reflect.deleteProperty(target, prop);\n },\n // TODO: This is deprecated and only needed for files v3\n get: (target, prop, receiver) => {\n if (this.readonlyAttributes.includes(prop)) {\n logger.warn(`Accessing \"Node.attributes.${prop}\" is deprecated, access it directly on the Node instance.`);\n return Reflect.get(this, prop);\n }\n return Reflect.get(target, prop, receiver);\n }\n };\n constructor(data, davService) {\n validateData(data, davService || this._knownDavService);\n this._data = { ...data, attributes: {} };\n this._attributes = new Proxy(this._data.attributes, this.handler);\n this.update(data.attributes ?? {});\n this._data.mtime = data.mtime;\n if (davService) {\n this._knownDavService = davService;\n }\n }\n /**\n * Get the source url to this object\n * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\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 } = new URL(this.source);\n return origin + encodePath(this.source.slice(origin.length));\n }\n /**\n * Get this object name\n * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\n */\n get basename() {\n return basename(this.source);\n }\n /**\n * Get this object's extension\n * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\n */\n get extension() {\n return extname(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 * There is no setter as the source is not meant to be changed manually.\n * You can use the rename or move method to change the source.\n */\n get dirname() {\n if (this.root) {\n let source = this.source;\n if (this.isDavRessource) {\n source = source.split(this._knownDavService).pop();\n }\n const firstMatch = source.indexOf(this.root);\n const root = this.root.replace(/\\/$/, \"\");\n return dirname(source.slice(firstMatch + root.length) || \"/\");\n }\n const url = new URL(this.source);\n return dirname(url.pathname);\n }\n /**\n * Get the file mime\n * There is no setter as the mime is not meant to be changed\n */\n get mime() {\n return this._data.mime;\n }\n /**\n * Get the file modification time\n * There is no setter as the modification time is not meant to be changed manually.\n * It will be automatically updated when the attributes are changed.\n */\n get mtime() {\n return this._data.mtime;\n }\n /**\n * Get the file creation time\n * There is no setter as the creation time is not meant to be changed\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 * Set the file size\n */\n set size(size) {\n this.updateMtime();\n this._data.size = size;\n }\n /**\n * Get the file attribute\n * This contains all additional attributes not provided by the Node class\n */\n get attributes() {\n return this._attributes;\n }\n /**\n * Get the file permissions\n */\n get permissions() {\n if (this.owner === null && !this.isDavRessource) {\n return Permission.READ;\n }\n return this._data.permissions !== void 0 ? this._data.permissions : Permission.NONE;\n }\n /**\n * Set the file permissions\n */\n set permissions(permissions) {\n this.updateMtime();\n this._data.permissions = permissions;\n }\n /**\n * Get the file owner\n * There is no setter as the owner is not meant to be changed\n */\n get owner() {\n if (!this.isDavRessource) {\n return null;\n }\n return this._data.owner;\n }\n /**\n * Is this a dav-related ressource ?\n */\n get isDavRessource() {\n return isDavRessource(this.source, this._knownDavService);\n }\n /**\n * Get the dav root of this object\n * There is no setter as the root is not meant to be changed\n */\n get root() {\n if (this._data.root) {\n return this._data.root.replace(/^(.+)\\/$/, \"$1\");\n }\n if (this.isDavRessource) {\n const root = dirname(this.source);\n return root.split(this._knownDavService).pop() || null;\n }\n return 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 source = this.source;\n if (this.isDavRessource) {\n source = source.split(this._knownDavService).pop();\n }\n const firstMatch = source.indexOf(this.root);\n const root = this.root.replace(/\\/$/, \"\");\n return source.slice(firstMatch + root.length) || \"/\";\n }\n return (this.dirname + \"/\" + this.basename).replace(/\\/\\//g, \"/\");\n }\n /**\n * Get the node id if defined.\n * There is no setter as the fileid is not meant to be changed\n */\n get fileid() {\n return this._data?.id;\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(status) {\n this._data.status = status;\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(destination) {\n validateData({ ...this._data, source: destination }, this._knownDavService);\n this._data.source = destination;\n 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(basename2) {\n if (basename2.includes(\"/\")) {\n throw new Error(\"Invalid basename\");\n }\n this.move(dirname(this.source) + \"/\" + basename2);\n }\n /**\n * Update the mtime if exists.\n */\n updateMtime() {\n if (this._data.mtime) {\n this._data.mtime = /* @__PURE__ */ new Date();\n }\n }\n /**\n * Update the attributes of the node\n *\n * @param attributes The new attributes to update on the Node attributes\n */\n update(attributes) {\n for (const [name, value] of Object.entries(attributes)) {\n try {\n if (value === void 0) {\n delete this.attributes[name];\n } else {\n this.attributes[name] = value;\n }\n } catch (e) {\n if (e instanceof TypeError) {\n continue;\n }\n throw e;\n }\n }\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass File extends Node {\n get type() {\n return FileType.File;\n }\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Folder extends Node {\n constructor(data) {\n super({\n ...data,\n mime: \"httpd/unix-directory\"\n });\n }\n get type() {\n return FileType.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æ \n *\n * @author John Molakvoæ \n * @author Ferdinand Thiessen \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 .\n *\n */\nconst davRootPath = `/files/${getCurrentUser()?.uid}`;\nconst davRemoteURL = generateRemoteUrl(\"dav\");\nconst davGetClient = function(remoteURL = davRemoteURL, headers = {}) {\n const client = createClient(remoteURL, { headers });\n function setHeaders(token) {\n client.setHeaders({\n ...headers,\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: token ?? \"\"\n });\n }\n onRequestTokenUpdate(setHeaders);\n setHeaders(getRequestToken());\n const patcher = getPatcher();\n patcher.patch(\"fetch\", (url, options) => {\n const headers2 = options.headers;\n if (headers2?.method) {\n options.method = headers2.method;\n delete headers2.method;\n }\n return fetch(url, options);\n });\n return client;\n};\nconst getFavoriteNodes = (davClient, path = \"/\", davRoot = davRootPath) => {\n const controller = new AbortController();\n return new CancelablePromise(async (resolve, reject, onCancel) => {\n onCancel(() => controller.abort());\n try {\n const contentsResponse = await davClient.getDirectoryContents(`${davRoot}${path}`, {\n signal: controller.signal,\n details: true,\n data: davGetFavoritesReport(),\n headers: {\n // see davGetClient for patched webdav client\n method: \"REPORT\"\n },\n includeSelf: true\n });\n const nodes = contentsResponse.data.filter((node) => node.filename !== path).map((result) => davResultToNode(result, davRoot));\n resolve(nodes);\n } catch (error) {\n reject(error);\n }\n });\n};\nconst davResultToNode = function(node, filesRoot = davRootPath, remoteURL = davRemoteURL) {\n let userId = getCurrentUser()?.uid;\n const isPublic = document.querySelector(\"input#isPublic\")?.value;\n if (isPublic) {\n userId = userId ?? document.querySelector(\"input#sharingUserId\")?.value;\n userId = userId ?? \"anonymous\";\n } else 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 = String(props?.[\"owner-id\"] || userId);\n const nodeData = {\n id: props?.fileid || 0,\n source: `${remoteURL}${node.filename}`,\n mtime: new Date(Date.parse(node.lastmod)),\n mime: node.mime || \"application/octet-stream\",\n size: props?.size || Number.parseInt(props.getcontentlength || \"0\"),\n permissions,\n owner,\n root: filesRoot,\n attributes: {\n ...node,\n ...props,\n hasPreview: props?.[\"has-preview\"]\n }\n };\n delete nodeData.attributes?.props;\n return node.type === \"file\" ? new File(nodeData) : new Folder(nodeData);\n};\nconst forbiddenCharacters = window._oc_config?.forbidden_filenames_characters ?? [\"/\", \"\\\\\"];\nconst forbiddenFilenameRegex = window._oc_config?.blacklist_files_regex ? new RegExp(window._oc_config.blacklist_files_regex) : null;\nfunction isFilenameValid(filename) {\n if (forbiddenCharacters.some((character) => filename.includes(character))) {\n return false;\n }\n if (forbiddenFilenameRegex !== null && filename.match(forbiddenFilenameRegex)) {\n return false;\n }\n return true;\n}\n/**\n * @copyright 2019 Christoph Wurst \n *\n * @author Christoph Wurst \n * @author John Molakvoæ \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 .\n *\n */\nconst humanList = [\"B\", \"KB\", \"MB\", \"GB\", \"TB\", \"PB\"];\nconst humanListBinary = [\"B\", \"KiB\", \"MiB\", \"GiB\", \"TiB\", \"PiB\"];\nfunction formatFileSize(size, skipSmallSizes = false, binaryPrefixes = false, base1000 = false) {\n binaryPrefixes = binaryPrefixes && !base1000;\n if (typeof size === \"string\") {\n size = Number(size);\n }\n let order = size > 0 ? Math.floor(Math.log(size) / Math.log(base1000 ? 1e3 : 1024)) : 0;\n order = Math.min((binaryPrefixes ? humanListBinary.length : humanList.length) - 1, order);\n const readableFormat = binaryPrefixes ? humanListBinary[order] : humanList[order];\n let relativeSize = (size / Math.pow(base1000 ? 1e3 : 1024, order)).toFixed(1);\n if (skipSmallSizes === true && order === 0) {\n return (relativeSize !== \"0.0\" ? \"< 1 \" : \"0 \") + (binaryPrefixes ? humanListBinary[1] : humanList[1]);\n }\n if (order < 2) {\n relativeSize = parseFloat(relativeSize).toFixed(0);\n } else {\n relativeSize = parseFloat(relativeSize).toLocaleString(getCanonicalLocale());\n }\n return relativeSize + \" \" + readableFormat;\n}\nfunction parseFileSize(value, forceBinary = false) {\n try {\n value = `${value}`.toLocaleLowerCase().replaceAll(/\\s+/g, \"\").replaceAll(\",\", \".\");\n } catch (e) {\n return null;\n }\n const match = value.match(/^([0-9]*(\\.[0-9]*)?)([kmgtp]?)(i?)b?$/);\n if (match === null || match[1] === \".\" || match[1] === \"\") {\n return null;\n }\n const bytesArray = {\n \"\": 0,\n k: 1,\n m: 2,\n g: 3,\n t: 4,\n p: 5,\n e: 6\n };\n const decimalString = `${match[1]}`;\n const base = match[4] === \"i\" || forceBinary ? 1024 : 1e3;\n return Math.round(Number.parseFloat(decimalString) * base ** bytesArray[match[3]]);\n}\nfunction stringify(value) {\n if (value instanceof Date) {\n return value.toISOString();\n }\n return String(value);\n}\nfunction orderBy(collection, identifiers, orders) {\n identifiers = identifiers ?? [(value) => value];\n orders = orders ?? [];\n const sorting = identifiers.map((_, index) => (orders[index] ?? \"asc\") === \"asc\" ? 1 : -1);\n const collator = Intl.Collator(\n [getLanguage(), getCanonicalLocale()],\n {\n // handle 10 as ten and not as one-zero\n numeric: true,\n usage: \"sort\"\n }\n );\n return [...collection].sort((a, b) => {\n for (const [index, identifier] of identifiers.entries()) {\n const value = collator.compare(stringify(identifier(a)), stringify(identifier(b)));\n if (value !== 0) {\n return value * sorting[index];\n }\n }\n return 0;\n });\n}\nvar FilesSortingMode = /* @__PURE__ */ ((FilesSortingMode2) => {\n FilesSortingMode2[\"Name\"] = \"basename\";\n FilesSortingMode2[\"Modified\"] = \"mtime\";\n FilesSortingMode2[\"Size\"] = \"size\";\n return FilesSortingMode2;\n})(FilesSortingMode || {});\nfunction sortNodes(nodes, options = {}) {\n const sortingOptions = {\n // Default to sort by name\n sortingMode: \"basename\",\n // Default to sort ascending\n sortingOrder: \"asc\",\n ...options\n };\n const identifiers = [\n // 1: Sort favorites first if enabled\n ...sortingOptions.sortFavoritesFirst ? [(v) => v.attributes?.favorite !== 1] : [],\n // 2: Sort folders first if sorting by name\n ...sortingOptions.sortFoldersFirst ? [(v) => v.type !== \"folder\"] : [],\n // 3: Use sorting mode if NOT basename (to be able to use displayName too)\n ...sortingOptions.sortingMode !== \"basename\" ? [(v) => v[sortingOptions.sortingMode]] : [],\n // 4: Use displayName if available, fallback to name\n (v) => v.attributes?.displayName || v.basename,\n // 5: Finally, use basename if all previous sorting methods failed\n (v) => v.basename\n ];\n const orders = [\n // (for 1): always sort favorites before normal files\n ...sortingOptions.sortFavoritesFirst ? [\"asc\"] : [],\n // (for 2): always sort folders before files\n ...sortingOptions.sortFoldersFirst ? [\"asc\"] : [],\n // (for 3): Reverse if sorting by mtime as mtime higher means edited more recent -> lower\n ...sortingOptions.sortingMode === \"mtime\" ? [sortingOptions.sortingOrder === \"asc\" ? \"desc\" : \"asc\"] : [],\n // (also for 3 so make sure not to conflict with 2 and 3)\n ...sortingOptions.sortingMode !== \"mtime\" && sortingOptions.sortingMode !== \"basename\" ? [sortingOptions.sortingOrder] : [],\n // for 4: use configured sorting direction\n sortingOptions.sortingOrder,\n // for 5: use configured sorting direction\n sortingOptions.sortingOrder\n ];\n return orderBy(nodes, identifiers, orders);\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Navigation {\n _views = [];\n _currentView = null;\n register(view) {\n if (this._views.find((search) => search.id === view.id)) {\n throw new Error(`View id ${view.id} is already registered`);\n }\n this._views.push(view);\n }\n remove(id) {\n const index = this._views.findIndex((view) => view.id === id);\n if (index !== -1) {\n this._views.splice(index, 1);\n }\n }\n get views() {\n return this._views;\n }\n setActive(view) {\n this._currentView = view;\n }\n get active() {\n return this._currentView;\n }\n}\nconst getNavigation = function() {\n if (typeof window._nc_navigation === \"undefined\") {\n window._nc_navigation = new Navigation();\n logger.debug(\"Navigation service initialized\");\n }\n return window._nc_navigation;\n};\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass Column {\n _column;\n constructor(column) {\n isValidColumn(column);\n this._column = column;\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 isValidColumn = function(column) {\n if (!column.id || typeof column.id !== \"string\") {\n throw new Error(\"A column id is required\");\n }\n if (!column.title || typeof column.title !== \"string\") {\n throw new Error(\"A column title is required\");\n }\n if (!column.render || typeof column.render !== \"function\") {\n throw new Error(\"A render function is required\");\n }\n if (column.sort && typeof column.sort !== \"function\") {\n throw new Error(\"Column sortFunction must be a function\");\n }\n if (column.summary && typeof column.summary !== \"function\") {\n throw new Error(\"Column summary must be a function\");\n }\n return true;\n};\nvar validator$2 = {};\nvar util$3 = {};\n(function(exports) {\n const nameStartChar = \":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 const nameChar = nameStartChar + \"\\\\-.\\\\d\\\\u00B7\\\\u0300-\\\\u036F\\\\u203F-\\\\u2040\";\n const nameRegexp = \"[\" + nameStartChar + \"][\" + nameChar + \"]*\";\n const regexName = new RegExp(\"^\" + nameRegexp + \"$\");\n const getAllMatches = function(string, regex) {\n const matches = [];\n let match = regex.exec(string);\n while (match) {\n const allmatches = [];\n allmatches.startIndex = regex.lastIndex - match[0].length;\n const len = match.length;\n for (let index = 0; index < len; index++) {\n allmatches.push(match[index]);\n }\n matches.push(allmatches);\n match = regex.exec(string);\n }\n return matches;\n };\n const isName = function(string) {\n const match = regexName.exec(string);\n return !(match === null || typeof match === \"undefined\");\n };\n exports.isExist = function(v) {\n return typeof v !== \"undefined\";\n };\n exports.isEmptyObject = function(obj) {\n return Object.keys(obj).length === 0;\n };\n exports.merge = function(target, a, arrayMode) {\n if (a) {\n const keys = Object.keys(a);\n const len = keys.length;\n for (let i = 0; i < len; i++) {\n if (arrayMode === \"strict\") {\n target[keys[i]] = [a[keys[i]]];\n } else {\n target[keys[i]] = a[keys[i]];\n }\n }\n }\n };\n exports.getValue = function(v) {\n if (exports.isExist(v)) {\n return v;\n } else {\n return \"\";\n }\n };\n exports.isName = isName;\n exports.getAllMatches = getAllMatches;\n exports.nameRegexp = nameRegexp;\n})(util$3);\nconst util$2 = util$3;\nconst defaultOptions$2 = {\n allowBooleanAttributes: false,\n //A tag can have attributes without any value\n unpairedTags: []\n};\nvalidator$2.validate = function(xmlData, options) {\n options = Object.assign({}, defaultOptions$2, options);\n const tags = [];\n let tagFound = false;\n let reachedRoot = false;\n if (xmlData[0] === \"\\uFEFF\") {\n xmlData = xmlData.substr(1);\n }\n for (let i = 0; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\" && xmlData[i + 1] === \"?\") {\n i += 2;\n i = readPI(xmlData, i);\n if (i.err)\n return i;\n } else if (xmlData[i] === \"<\") {\n let tagStartPos = i;\n i++;\n if (xmlData[i] === \"!\") {\n i = readCommentAndCDATA(xmlData, i);\n continue;\n } else {\n let closingTag = false;\n if (xmlData[i] === \"/\") {\n closingTag = true;\n i++;\n }\n let tagName = \"\";\n for (; i < xmlData.length && xmlData[i] !== \">\" && xmlData[i] !== \" \" && xmlData[i] !== \"\t\" && xmlData[i] !== \"\\n\" && xmlData[i] !== \"\\r\"; i++) {\n tagName += xmlData[i];\n }\n tagName = tagName.trim();\n if (tagName[tagName.length - 1] === \"/\") {\n tagName = tagName.substring(0, tagName.length - 1);\n i--;\n }\n if (!validateTagName(tagName)) {\n let msg;\n if (tagName.trim().length === 0) {\n msg = \"Invalid space after '<'.\";\n } else {\n msg = \"Tag '\" + tagName + \"' is an invalid name.\";\n }\n return getErrorObject(\"InvalidTag\", msg, getLineNumberForPosition(xmlData, i));\n }\n const result = readAttributeStr(xmlData, i);\n if (result === false) {\n return getErrorObject(\"InvalidAttr\", \"Attributes for '\" + tagName + \"' have open quote.\", getLineNumberForPosition(xmlData, i));\n }\n let attrStr = result.value;\n i = result.index;\n if (attrStr[attrStr.length - 1] === \"/\") {\n const attrStrStart = i - attrStr.length;\n attrStr = attrStr.substring(0, attrStr.length - 1);\n const isValid = validateAttributeString(attrStr, options);\n if (isValid === true) {\n tagFound = true;\n } else {\n return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, attrStrStart + isValid.err.line));\n }\n } else if (closingTag) {\n if (!result.tagClosed) {\n return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' doesn't have proper closing.\", getLineNumberForPosition(xmlData, i));\n } else if (attrStr.trim().length > 0) {\n return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' can't have attributes or invalid starting.\", getLineNumberForPosition(xmlData, tagStartPos));\n } else if (tags.length === 0) {\n return getErrorObject(\"InvalidTag\", \"Closing tag '\" + tagName + \"' has not been opened.\", getLineNumberForPosition(xmlData, tagStartPos));\n } else {\n const otg = tags.pop();\n if (tagName !== otg.tagName) {\n let openPos = getLineNumberForPosition(xmlData, otg.tagStartPos);\n return getErrorObject(\n \"InvalidTag\",\n \"Expected closing tag '\" + otg.tagName + \"' (opened in line \" + openPos.line + \", col \" + openPos.col + \") instead of closing tag '\" + tagName + \"'.\",\n getLineNumberForPosition(xmlData, tagStartPos)\n );\n }\n if (tags.length == 0) {\n reachedRoot = true;\n }\n }\n } else {\n const isValid = validateAttributeString(attrStr, options);\n if (isValid !== true) {\n return getErrorObject(isValid.err.code, isValid.err.msg, getLineNumberForPosition(xmlData, i - attrStr.length + isValid.err.line));\n }\n if (reachedRoot === true) {\n return getErrorObject(\"InvalidXml\", \"Multiple possible root nodes found.\", getLineNumberForPosition(xmlData, i));\n } else if (options.unpairedTags.indexOf(tagName) !== -1)\n ;\n else {\n tags.push({ tagName, tagStartPos });\n }\n tagFound = true;\n }\n for (i++; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\") {\n if (xmlData[i + 1] === \"!\") {\n i++;\n i = readCommentAndCDATA(xmlData, i);\n continue;\n } else if (xmlData[i + 1] === \"?\") {\n i = readPI(xmlData, ++i);\n if (i.err)\n return i;\n } else {\n break;\n }\n } else if (xmlData[i] === \"&\") {\n const afterAmp = validateAmpersand(xmlData, i);\n if (afterAmp == -1)\n return getErrorObject(\"InvalidChar\", \"char '&' is not expected.\", getLineNumberForPosition(xmlData, i));\n i = afterAmp;\n } else {\n if (reachedRoot === true && !isWhiteSpace(xmlData[i])) {\n return getErrorObject(\"InvalidXml\", \"Extra text at the end\", getLineNumberForPosition(xmlData, i));\n }\n }\n }\n if (xmlData[i] === \"<\") {\n i--;\n }\n }\n } else {\n if (isWhiteSpace(xmlData[i])) {\n continue;\n }\n return getErrorObject(\"InvalidChar\", \"char '\" + xmlData[i] + \"' is not expected.\", getLineNumberForPosition(xmlData, i));\n }\n }\n if (!tagFound) {\n return getErrorObject(\"InvalidXml\", \"Start tag expected.\", 1);\n } else if (tags.length == 1) {\n return getErrorObject(\"InvalidTag\", \"Unclosed tag '\" + tags[0].tagName + \"'.\", getLineNumberForPosition(xmlData, tags[0].tagStartPos));\n } else if (tags.length > 0) {\n return getErrorObject(\"InvalidXml\", \"Invalid '\" + JSON.stringify(tags.map((t) => t.tagName), null, 4).replace(/\\r?\\n/g, \"\") + \"' found.\", { line: 1, col: 1 });\n }\n return true;\n};\nfunction isWhiteSpace(char) {\n return char === \" \" || char === \"\t\" || char === \"\\n\" || char === \"\\r\";\n}\nfunction readPI(xmlData, i) {\n const start = i;\n for (; i < xmlData.length; i++) {\n if (xmlData[i] == \"?\" || xmlData[i] == \" \") {\n const tagname = xmlData.substr(start, i - start);\n if (i > 5 && tagname === \"xml\") {\n return getErrorObject(\"InvalidXml\", \"XML declaration allowed only at the start of the document.\", getLineNumberForPosition(xmlData, i));\n } else if (xmlData[i] == \"?\" && xmlData[i + 1] == \">\") {\n i++;\n break;\n } else {\n continue;\n }\n }\n }\n return i;\n}\nfunction readCommentAndCDATA(xmlData, i) {\n if (xmlData.length > i + 5 && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \"-\") {\n for (i += 3; i < xmlData.length; i++) {\n if (xmlData[i] === \"-\" && xmlData[i + 1] === \"-\" && xmlData[i + 2] === \">\") {\n i += 2;\n break;\n }\n }\n } else if (xmlData.length > i + 8 && xmlData[i + 1] === \"D\" && xmlData[i + 2] === \"O\" && xmlData[i + 3] === \"C\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"Y\" && xmlData[i + 6] === \"P\" && xmlData[i + 7] === \"E\") {\n let angleBracketsCount = 1;\n for (i += 8; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\") {\n angleBracketsCount++;\n } else if (xmlData[i] === \">\") {\n angleBracketsCount--;\n if (angleBracketsCount === 0) {\n break;\n }\n }\n }\n } else if (xmlData.length > i + 9 && xmlData[i + 1] === \"[\" && xmlData[i + 2] === \"C\" && xmlData[i + 3] === \"D\" && xmlData[i + 4] === \"A\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"A\" && xmlData[i + 7] === \"[\") {\n for (i += 8; i < xmlData.length; i++) {\n if (xmlData[i] === \"]\" && xmlData[i + 1] === \"]\" && xmlData[i + 2] === \">\") {\n i += 2;\n break;\n }\n }\n }\n return i;\n}\nconst doubleQuote = '\"';\nconst singleQuote = \"'\";\nfunction readAttributeStr(xmlData, i) {\n let attrStr = \"\";\n let startChar = \"\";\n let tagClosed = false;\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === doubleQuote || xmlData[i] === singleQuote) {\n if (startChar === \"\") {\n startChar = xmlData[i];\n } else if (startChar !== xmlData[i])\n ;\n else {\n startChar = \"\";\n }\n } else if (xmlData[i] === \">\") {\n if (startChar === \"\") {\n tagClosed = true;\n break;\n }\n }\n attrStr += xmlData[i];\n }\n if (startChar !== \"\") {\n return false;\n }\n return {\n value: attrStr,\n index: i,\n tagClosed\n };\n}\nconst validAttrStrRegxp = new RegExp(`(\\\\s*)([^\\\\s=]+)(\\\\s*=)?(\\\\s*(['\"])(([\\\\s\\\\S])*?)\\\\5)?`, \"g\");\nfunction validateAttributeString(attrStr, options) {\n const matches = util$2.getAllMatches(attrStr, validAttrStrRegxp);\n const attrNames = {};\n for (let i = 0; i < matches.length; i++) {\n if (matches[i][1].length === 0) {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' has no space in starting.\", getPositionFromMatch(matches[i]));\n } else if (matches[i][3] !== void 0 && matches[i][4] === void 0) {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + matches[i][2] + \"' is without value.\", getPositionFromMatch(matches[i]));\n } else if (matches[i][3] === void 0 && !options.allowBooleanAttributes) {\n return getErrorObject(\"InvalidAttr\", \"boolean attribute '\" + matches[i][2] + \"' is not allowed.\", getPositionFromMatch(matches[i]));\n }\n const attrName = matches[i][2];\n if (!validateAttrName(attrName)) {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is an invalid name.\", getPositionFromMatch(matches[i]));\n }\n if (!attrNames.hasOwnProperty(attrName)) {\n attrNames[attrName] = 1;\n } else {\n return getErrorObject(\"InvalidAttr\", \"Attribute '\" + attrName + \"' is repeated.\", getPositionFromMatch(matches[i]));\n }\n }\n return true;\n}\nfunction validateNumberAmpersand(xmlData, i) {\n let re = /\\d/;\n if (xmlData[i] === \"x\") {\n i++;\n re = /[\\da-fA-F]/;\n }\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === \";\")\n return i;\n if (!xmlData[i].match(re))\n break;\n }\n return -1;\n}\nfunction validateAmpersand(xmlData, i) {\n i++;\n if (xmlData[i] === \";\")\n return -1;\n if (xmlData[i] === \"#\") {\n i++;\n return validateNumberAmpersand(xmlData, i);\n }\n let count = 0;\n for (; i < xmlData.length; i++, count++) {\n if (xmlData[i].match(/\\w/) && count < 20)\n continue;\n if (xmlData[i] === \";\")\n break;\n return -1;\n }\n return i;\n}\nfunction getErrorObject(code, message, lineNumber) {\n return {\n err: {\n code,\n msg: message,\n line: lineNumber.line || lineNumber,\n col: lineNumber.col\n }\n };\n}\nfunction validateAttrName(attrName) {\n return util$2.isName(attrName);\n}\nfunction validateTagName(tagname) {\n return util$2.isName(tagname);\n}\nfunction getLineNumberForPosition(xmlData, index) {\n const lines = xmlData.substring(0, index).split(/\\r?\\n/);\n return {\n line: lines.length,\n // column number is last line's length + 1, because column numbering starts at 1:\n col: lines[lines.length - 1].length + 1\n };\n}\nfunction getPositionFromMatch(match) {\n return match.startIndex + match[1].length;\n}\nvar OptionsBuilder = {};\nconst defaultOptions$1 = {\n preserveOrder: false,\n attributeNamePrefix: \"@_\",\n attributesGroupName: false,\n textNodeName: \"#text\",\n ignoreAttributes: true,\n removeNSPrefix: false,\n // remove NS from tag name or attribute name if true\n allowBooleanAttributes: false,\n //a tag can have attributes without any value\n //ignoreRootElement : false,\n parseTagValue: true,\n parseAttributeValue: false,\n trimValues: true,\n //Trim string values of tag and attributes\n cdataPropName: false,\n numberParseOptions: {\n hex: true,\n leadingZeros: true,\n eNotation: true\n },\n tagValueProcessor: function(tagName, val2) {\n return val2;\n },\n attributeValueProcessor: function(attrName, val2) {\n return val2;\n },\n stopNodes: [],\n //nested tags will not be parsed even for errors\n alwaysCreateTextNode: false,\n isArray: () => false,\n commentPropName: false,\n unpairedTags: [],\n processEntities: true,\n htmlEntities: false,\n ignoreDeclaration: false,\n ignorePiTags: false,\n transformTagName: false,\n transformAttributeName: false,\n updateTag: function(tagName, jPath, attrs) {\n return tagName;\n }\n // skipEmptyListItem: false\n};\nconst buildOptions$1 = function(options) {\n return Object.assign({}, defaultOptions$1, options);\n};\nOptionsBuilder.buildOptions = buildOptions$1;\nOptionsBuilder.defaultOptions = defaultOptions$1;\nclass XmlNode {\n constructor(tagname) {\n this.tagname = tagname;\n this.child = [];\n this[\":@\"] = {};\n }\n add(key, val2) {\n if (key === \"__proto__\")\n key = \"#__proto__\";\n this.child.push({ [key]: val2 });\n }\n addChild(node) {\n if (node.tagname === \"__proto__\")\n node.tagname = \"#__proto__\";\n if (node[\":@\"] && Object.keys(node[\":@\"]).length > 0) {\n this.child.push({ [node.tagname]: node.child, [\":@\"]: node[\":@\"] });\n } else {\n this.child.push({ [node.tagname]: node.child });\n }\n }\n}\nvar xmlNode$1 = XmlNode;\nconst util$1 = util$3;\nfunction readDocType$1(xmlData, i) {\n const entities = {};\n if (xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"C\" && xmlData[i + 5] === \"T\" && xmlData[i + 6] === \"Y\" && xmlData[i + 7] === \"P\" && xmlData[i + 8] === \"E\") {\n i = i + 9;\n let angleBracketsCount = 1;\n let hasBody = false, comment = false;\n let exp = \"\";\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\" && !comment) {\n if (hasBody && isEntity(xmlData, i)) {\n i += 7;\n [entityName, val, i] = readEntityExp(xmlData, i + 1);\n if (val.indexOf(\"&\") === -1)\n entities[validateEntityName(entityName)] = {\n regx: RegExp(`&${entityName};`, \"g\"),\n val\n };\n } else if (hasBody && isElement(xmlData, i))\n i += 8;\n else if (hasBody && isAttlist(xmlData, i))\n i += 8;\n else if (hasBody && isNotation(xmlData, i))\n i += 9;\n else if (isComment)\n comment = true;\n else\n throw new Error(\"Invalid DOCTYPE\");\n angleBracketsCount++;\n exp = \"\";\n } else if (xmlData[i] === \">\") {\n if (comment) {\n if (xmlData[i - 1] === \"-\" && xmlData[i - 2] === \"-\") {\n comment = false;\n angleBracketsCount--;\n }\n } else {\n angleBracketsCount--;\n }\n if (angleBracketsCount === 0) {\n break;\n }\n } else if (xmlData[i] === \"[\") {\n hasBody = true;\n } else {\n exp += xmlData[i];\n }\n }\n if (angleBracketsCount !== 0) {\n throw new Error(`Unclosed DOCTYPE`);\n }\n } else {\n throw new Error(`Invalid Tag instead of DOCTYPE`);\n }\n return { entities, i };\n}\nfunction readEntityExp(xmlData, i) {\n let entityName2 = \"\";\n for (; i < xmlData.length && (xmlData[i] !== \"'\" && xmlData[i] !== '\"'); i++) {\n entityName2 += xmlData[i];\n }\n entityName2 = entityName2.trim();\n if (entityName2.indexOf(\" \") !== -1)\n throw new Error(\"External entites are not supported\");\n const startChar = xmlData[i++];\n let val2 = \"\";\n for (; i < xmlData.length && xmlData[i] !== startChar; i++) {\n val2 += xmlData[i];\n }\n return [entityName2, val2, i];\n}\nfunction isComment(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"-\" && xmlData[i + 3] === \"-\")\n return true;\n return false;\n}\nfunction isEntity(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"N\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"I\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"Y\")\n return true;\n return false;\n}\nfunction isElement(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"E\" && xmlData[i + 3] === \"L\" && xmlData[i + 4] === \"E\" && xmlData[i + 5] === \"M\" && xmlData[i + 6] === \"E\" && xmlData[i + 7] === \"N\" && xmlData[i + 8] === \"T\")\n return true;\n return false;\n}\nfunction isAttlist(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"A\" && xmlData[i + 3] === \"T\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"L\" && xmlData[i + 6] === \"I\" && xmlData[i + 7] === \"S\" && xmlData[i + 8] === \"T\")\n return true;\n return false;\n}\nfunction isNotation(xmlData, i) {\n if (xmlData[i + 1] === \"!\" && xmlData[i + 2] === \"N\" && xmlData[i + 3] === \"O\" && xmlData[i + 4] === \"T\" && xmlData[i + 5] === \"A\" && xmlData[i + 6] === \"T\" && xmlData[i + 7] === \"I\" && xmlData[i + 8] === \"O\" && xmlData[i + 9] === \"N\")\n return true;\n return false;\n}\nfunction validateEntityName(name) {\n if (util$1.isName(name))\n return name;\n else\n throw new Error(`Invalid entity name ${name}`);\n}\nvar DocTypeReader = readDocType$1;\nconst hexRegex = /^[-+]?0x[a-fA-F0-9]+$/;\nconst numRegex = /^([\\-\\+])?(0*)(\\.[0-9]+([eE]\\-?[0-9]+)?|[0-9]+(\\.[0-9]+([eE]\\-?[0-9]+)?)?)$/;\nif (!Number.parseInt && window.parseInt) {\n Number.parseInt = window.parseInt;\n}\nif (!Number.parseFloat && window.parseFloat) {\n Number.parseFloat = window.parseFloat;\n}\nconst consider = {\n hex: true,\n leadingZeros: true,\n decimalPoint: \".\",\n eNotation: true\n //skipLike: /regex/\n};\nfunction toNumber$1(str, options = {}) {\n options = Object.assign({}, consider, options);\n if (!str || typeof str !== \"string\")\n return str;\n let trimmedStr = str.trim();\n if (options.skipLike !== void 0 && options.skipLike.test(trimmedStr))\n return str;\n else if (options.hex && hexRegex.test(trimmedStr)) {\n return Number.parseInt(trimmedStr, 16);\n } else {\n const match = numRegex.exec(trimmedStr);\n if (match) {\n const sign = match[1];\n const leadingZeros = match[2];\n let numTrimmedByZeros = trimZeros(match[3]);\n const eNotation = match[4] || match[6];\n if (!options.leadingZeros && leadingZeros.length > 0 && sign && trimmedStr[2] !== \".\")\n return str;\n else if (!options.leadingZeros && leadingZeros.length > 0 && !sign && trimmedStr[1] !== \".\")\n return str;\n else {\n const num = Number(trimmedStr);\n const numStr = \"\" + num;\n if (numStr.search(/[eE]/) !== -1) {\n if (options.eNotation)\n return num;\n else\n return str;\n } else if (eNotation) {\n if (options.eNotation)\n return num;\n else\n return str;\n } else if (trimmedStr.indexOf(\".\") !== -1) {\n if (numStr === \"0\" && numTrimmedByZeros === \"\")\n return num;\n else if (numStr === numTrimmedByZeros)\n return num;\n else if (sign && numStr === \"-\" + numTrimmedByZeros)\n return num;\n else\n return str;\n }\n if (leadingZeros) {\n if (numTrimmedByZeros === numStr)\n return num;\n else if (sign + numTrimmedByZeros === numStr)\n return num;\n else\n return str;\n }\n if (trimmedStr === numStr)\n return num;\n else if (trimmedStr === sign + numStr)\n return num;\n return str;\n }\n } else {\n return str;\n }\n }\n}\nfunction trimZeros(numStr) {\n if (numStr && numStr.indexOf(\".\") !== -1) {\n numStr = numStr.replace(/0+$/, \"\");\n if (numStr === \".\")\n numStr = \"0\";\n else if (numStr[0] === \".\")\n numStr = \"0\" + numStr;\n else if (numStr[numStr.length - 1] === \".\")\n numStr = numStr.substr(0, numStr.length - 1);\n return numStr;\n }\n return numStr;\n}\nvar strnum = toNumber$1;\nconst util = util$3;\nconst xmlNode = xmlNode$1;\nconst readDocType = DocTypeReader;\nconst toNumber = strnum;\nlet OrderedObjParser$1 = class OrderedObjParser {\n constructor(options) {\n this.options = options;\n this.currentNode = null;\n this.tagsNodeStack = [];\n this.docTypeEntities = {};\n 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 };\n this.ampEntity = { regex: /&(amp|#38|#x26);/g, val: \"&\" };\n 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 \"num_dec\": { regex: /&#([0-9]{1,7});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 10)) },\n \"num_hex\": { regex: /&#x([0-9a-fA-F]{1,6});/g, val: (_, str) => String.fromCharCode(Number.parseInt(str, 16)) }\n };\n this.addExternalEntities = addExternalEntities;\n this.parseXml = parseXml;\n this.parseTextData = parseTextData;\n this.resolveNameSpace = resolveNameSpace;\n this.buildAttributesMap = buildAttributesMap;\n this.isItStopNode = isItStopNode;\n this.replaceEntitiesValue = replaceEntitiesValue$1;\n this.readStopNodeData = readStopNodeData;\n this.saveTextToParentTag = saveTextToParentTag;\n this.addChild = addChild;\n }\n};\nfunction addExternalEntities(externalEntities) {\n const entKeys = Object.keys(externalEntities);\n for (let i = 0; i < entKeys.length; i++) {\n const ent = entKeys[i];\n this.lastEntities[ent] = {\n regex: new RegExp(\"&\" + ent + \";\", \"g\"),\n val: externalEntities[ent]\n };\n }\n}\nfunction parseTextData(val2, tagName, jPath, dontTrim, hasAttributes, isLeafNode, escapeEntities) {\n if (val2 !== void 0) {\n if (this.options.trimValues && !dontTrim) {\n val2 = val2.trim();\n }\n if (val2.length > 0) {\n if (!escapeEntities)\n val2 = this.replaceEntitiesValue(val2);\n const newval = this.options.tagValueProcessor(tagName, val2, jPath, hasAttributes, isLeafNode);\n if (newval === null || newval === void 0) {\n return val2;\n } else if (typeof newval !== typeof val2 || newval !== val2) {\n return newval;\n } else if (this.options.trimValues) {\n return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n } else {\n const trimmedVal = val2.trim();\n if (trimmedVal === val2) {\n return parseValue(val2, this.options.parseTagValue, this.options.numberParseOptions);\n } else {\n return val2;\n }\n }\n }\n }\n}\nfunction resolveNameSpace(tagname) {\n if (this.options.removeNSPrefix) {\n const tags = tagname.split(\":\");\n const prefix = tagname.charAt(0) === \"/\" ? \"/\" : \"\";\n if (tags[0] === \"xmlns\") {\n return \"\";\n }\n if (tags.length === 2) {\n tagname = prefix + tags[1];\n }\n }\n return tagname;\n}\nconst attrsRegx = new RegExp(`([^\\\\s=]+)\\\\s*(=\\\\s*(['\"])([\\\\s\\\\S]*?)\\\\3)?`, \"gm\");\nfunction buildAttributesMap(attrStr, jPath, tagName) {\n if (!this.options.ignoreAttributes && typeof attrStr === \"string\") {\n const matches = util.getAllMatches(attrStr, attrsRegx);\n const len = matches.length;\n const attrs = {};\n for (let i = 0; i < len; i++) {\n const attrName = this.resolveNameSpace(matches[i][1]);\n let oldVal = matches[i][4];\n let aName = this.options.attributeNamePrefix + attrName;\n if (attrName.length) {\n if (this.options.transformAttributeName) {\n aName = this.options.transformAttributeName(aName);\n }\n if (aName === \"__proto__\")\n aName = \"#__proto__\";\n if (oldVal !== void 0) {\n if (this.options.trimValues) {\n oldVal = oldVal.trim();\n }\n oldVal = this.replaceEntitiesValue(oldVal);\n const newVal = this.options.attributeValueProcessor(attrName, oldVal, jPath);\n if (newVal === null || newVal === void 0) {\n attrs[aName] = oldVal;\n } else if (typeof newVal !== typeof oldVal || newVal !== oldVal) {\n attrs[aName] = newVal;\n } else {\n attrs[aName] = parseValue(\n oldVal,\n this.options.parseAttributeValue,\n this.options.numberParseOptions\n );\n }\n } else if (this.options.allowBooleanAttributes) {\n attrs[aName] = true;\n }\n }\n }\n if (!Object.keys(attrs).length) {\n return;\n }\n if (this.options.attributesGroupName) {\n const attrCollection = {};\n attrCollection[this.options.attributesGroupName] = attrs;\n return attrCollection;\n }\n return attrs;\n }\n}\nconst parseXml = function(xmlData) {\n xmlData = xmlData.replace(/\\r\\n?/g, \"\\n\");\n const xmlObj = new xmlNode(\"!xml\");\n let currentNode = xmlObj;\n let textData = \"\";\n let jPath = \"\";\n for (let i = 0; i < xmlData.length; i++) {\n const ch = xmlData[i];\n if (ch === \"<\") {\n if (xmlData[i + 1] === \"/\") {\n const closeIndex = findClosingIndex(xmlData, \">\", i, \"Closing Tag is not closed.\");\n let tagName = xmlData.substring(i + 2, closeIndex).trim();\n if (this.options.removeNSPrefix) {\n const colonIndex = tagName.indexOf(\":\");\n if (colonIndex !== -1) {\n tagName = tagName.substr(colonIndex + 1);\n }\n }\n if (this.options.transformTagName) {\n tagName = this.options.transformTagName(tagName);\n }\n if (currentNode) {\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n }\n const lastTagName = jPath.substring(jPath.lastIndexOf(\".\") + 1);\n if (tagName && this.options.unpairedTags.indexOf(tagName) !== -1) {\n throw new Error(`Unpaired tag can not be used as closing tag: `);\n }\n let propIndex = 0;\n if (lastTagName && this.options.unpairedTags.indexOf(lastTagName) !== -1) {\n propIndex = jPath.lastIndexOf(\".\", jPath.lastIndexOf(\".\") - 1);\n this.tagsNodeStack.pop();\n } else {\n propIndex = jPath.lastIndexOf(\".\");\n }\n jPath = jPath.substring(0, propIndex);\n currentNode = this.tagsNodeStack.pop();\n textData = \"\";\n i = closeIndex;\n } else if (xmlData[i + 1] === \"?\") {\n let tagData = readTagExp(xmlData, i, false, \"?>\");\n if (!tagData)\n throw new Error(\"Pi Tag is not closed.\");\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n if (this.options.ignoreDeclaration && tagData.tagName === \"?xml\" || this.options.ignorePiTags)\n ;\n else {\n const childNode = new xmlNode(tagData.tagName);\n childNode.add(this.options.textNodeName, \"\");\n if (tagData.tagName !== tagData.tagExp && tagData.attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagData.tagExp, jPath, tagData.tagName);\n }\n this.addChild(currentNode, childNode, jPath);\n }\n i = tagData.closeIndex + 1;\n } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n const endIndex = findClosingIndex(xmlData, \"-->\", i + 4, \"Comment is not closed.\");\n if (this.options.commentPropName) {\n const comment = xmlData.substring(i + 4, endIndex - 2);\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n currentNode.add(this.options.commentPropName, [{ [this.options.textNodeName]: comment }]);\n }\n i = endIndex;\n } else if (xmlData.substr(i + 1, 2) === \"!D\") {\n const result = readDocType(xmlData, i);\n this.docTypeEntities = result.entities;\n i = result.i;\n } else if (xmlData.substr(i + 1, 2) === \"![\") {\n const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"CDATA is not closed.\") - 2;\n const tagExp = xmlData.substring(i + 9, closeIndex);\n textData = this.saveTextToParentTag(textData, currentNode, jPath);\n let val2 = this.parseTextData(tagExp, currentNode.tagname, jPath, true, false, true, true);\n if (val2 == void 0)\n val2 = \"\";\n if (this.options.cdataPropName) {\n currentNode.add(this.options.cdataPropName, [{ [this.options.textNodeName]: tagExp }]);\n } else {\n currentNode.add(this.options.textNodeName, val2);\n }\n i = closeIndex + 2;\n } else {\n let result = readTagExp(xmlData, i, this.options.removeNSPrefix);\n let tagName = result.tagName;\n const rawTagName = result.rawTagName;\n let tagExp = result.tagExp;\n let attrExpPresent = result.attrExpPresent;\n let closeIndex = result.closeIndex;\n if (this.options.transformTagName) {\n tagName = this.options.transformTagName(tagName);\n }\n if (currentNode && textData) {\n if (currentNode.tagname !== \"!xml\") {\n textData = this.saveTextToParentTag(textData, currentNode, jPath, false);\n }\n }\n const lastTag = currentNode;\n if (lastTag && this.options.unpairedTags.indexOf(lastTag.tagname) !== -1) {\n currentNode = this.tagsNodeStack.pop();\n jPath = jPath.substring(0, jPath.lastIndexOf(\".\"));\n }\n if (tagName !== xmlObj.tagname) {\n jPath += jPath ? \".\" + tagName : tagName;\n }\n if (this.isItStopNode(this.options.stopNodes, jPath, tagName)) {\n let tagContent = \"\";\n if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n if (tagName[tagName.length - 1] === \"/\") {\n tagName = tagName.substr(0, tagName.length - 1);\n jPath = jPath.substr(0, jPath.length - 1);\n tagExp = tagName;\n } else {\n tagExp = tagExp.substr(0, tagExp.length - 1);\n }\n i = result.closeIndex;\n } else if (this.options.unpairedTags.indexOf(tagName) !== -1) {\n i = result.closeIndex;\n } else {\n const result2 = this.readStopNodeData(xmlData, rawTagName, closeIndex + 1);\n if (!result2)\n throw new Error(`Unexpected end of ${rawTagName}`);\n i = result2.i;\n tagContent = result2.tagContent;\n }\n const childNode = new xmlNode(tagName);\n if (tagName !== tagExp && attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n }\n if (tagContent) {\n tagContent = this.parseTextData(tagContent, tagName, jPath, true, attrExpPresent, true, true);\n }\n jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n childNode.add(this.options.textNodeName, tagContent);\n this.addChild(currentNode, childNode, jPath);\n } else {\n if (tagExp.length > 0 && tagExp.lastIndexOf(\"/\") === tagExp.length - 1) {\n if (tagName[tagName.length - 1] === \"/\") {\n tagName = tagName.substr(0, tagName.length - 1);\n jPath = jPath.substr(0, jPath.length - 1);\n tagExp = tagName;\n } else {\n tagExp = tagExp.substr(0, tagExp.length - 1);\n }\n if (this.options.transformTagName) {\n tagName = this.options.transformTagName(tagName);\n }\n const childNode = new xmlNode(tagName);\n if (tagName !== tagExp && attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n }\n this.addChild(currentNode, childNode, jPath);\n jPath = jPath.substr(0, jPath.lastIndexOf(\".\"));\n } else {\n const childNode = new xmlNode(tagName);\n this.tagsNodeStack.push(currentNode);\n if (tagName !== tagExp && attrExpPresent) {\n childNode[\":@\"] = this.buildAttributesMap(tagExp, jPath, tagName);\n }\n this.addChild(currentNode, childNode, jPath);\n currentNode = childNode;\n }\n textData = \"\";\n i = closeIndex;\n }\n }\n } else {\n textData += xmlData[i];\n }\n }\n return xmlObj.child;\n};\nfunction addChild(currentNode, childNode, jPath) {\n const result = this.options.updateTag(childNode.tagname, jPath, childNode[\":@\"]);\n if (result === false)\n ;\n else if (typeof result === \"string\") {\n childNode.tagname = result;\n currentNode.addChild(childNode);\n } else {\n currentNode.addChild(childNode);\n }\n}\nconst replaceEntitiesValue$1 = function(val2) {\n if (this.options.processEntities) {\n for (let entityName2 in this.docTypeEntities) {\n const entity = this.docTypeEntities[entityName2];\n val2 = val2.replace(entity.regx, entity.val);\n }\n for (let entityName2 in this.lastEntities) {\n const entity = this.lastEntities[entityName2];\n val2 = val2.replace(entity.regex, entity.val);\n }\n if (this.options.htmlEntities) {\n for (let entityName2 in this.htmlEntities) {\n const entity = this.htmlEntities[entityName2];\n val2 = val2.replace(entity.regex, entity.val);\n }\n }\n val2 = val2.replace(this.ampEntity.regex, this.ampEntity.val);\n }\n return val2;\n};\nfunction saveTextToParentTag(textData, currentNode, jPath, isLeafNode) {\n if (textData) {\n if (isLeafNode === void 0)\n isLeafNode = Object.keys(currentNode.child).length === 0;\n textData = this.parseTextData(\n textData,\n currentNode.tagname,\n jPath,\n false,\n currentNode[\":@\"] ? Object.keys(currentNode[\":@\"]).length !== 0 : false,\n isLeafNode\n );\n if (textData !== void 0 && textData !== \"\")\n currentNode.add(this.options.textNodeName, textData);\n textData = \"\";\n }\n return textData;\n}\nfunction isItStopNode(stopNodes, jPath, currentTagName) {\n const allNodesExp = \"*.\" + currentTagName;\n for (const stopNodePath in stopNodes) {\n const stopNodeExp = stopNodes[stopNodePath];\n if (allNodesExp === stopNodeExp || jPath === stopNodeExp)\n return true;\n }\n return false;\n}\nfunction tagExpWithClosingIndex(xmlData, i, closingChar = \">\") {\n let attrBoundary;\n let tagExp = \"\";\n for (let index = i; index < xmlData.length; index++) {\n let ch = xmlData[index];\n if (attrBoundary) {\n if (ch === attrBoundary)\n attrBoundary = \"\";\n } else if (ch === '\"' || ch === \"'\") {\n attrBoundary = ch;\n } else if (ch === closingChar[0]) {\n if (closingChar[1]) {\n if (xmlData[index + 1] === closingChar[1]) {\n return {\n data: tagExp,\n index\n };\n }\n } else {\n return {\n data: tagExp,\n index\n };\n }\n } else if (ch === \"\t\") {\n ch = \" \";\n }\n tagExp += ch;\n }\n}\nfunction findClosingIndex(xmlData, str, i, errMsg) {\n const closingIndex = xmlData.indexOf(str, i);\n if (closingIndex === -1) {\n throw new Error(errMsg);\n } else {\n return closingIndex + str.length - 1;\n }\n}\nfunction readTagExp(xmlData, i, removeNSPrefix, closingChar = \">\") {\n const result = tagExpWithClosingIndex(xmlData, i + 1, closingChar);\n if (!result)\n return;\n let tagExp = result.data;\n const closeIndex = result.index;\n const separatorIndex = tagExp.search(/\\s/);\n let tagName = tagExp;\n let attrExpPresent = true;\n if (separatorIndex !== -1) {\n tagName = tagExp.substring(0, separatorIndex);\n tagExp = tagExp.substring(separatorIndex + 1).trimStart();\n }\n const rawTagName = tagName;\n if (removeNSPrefix) {\n const colonIndex = tagName.indexOf(\":\");\n if (colonIndex !== -1) {\n tagName = tagName.substr(colonIndex + 1);\n attrExpPresent = tagName !== result.data.substr(colonIndex + 1);\n }\n }\n return {\n tagName,\n tagExp,\n closeIndex,\n attrExpPresent,\n rawTagName\n };\n}\nfunction readStopNodeData(xmlData, tagName, i) {\n const startIndex = i;\n let openTagCount = 1;\n for (; i < xmlData.length; i++) {\n if (xmlData[i] === \"<\") {\n if (xmlData[i + 1] === \"/\") {\n const closeIndex = findClosingIndex(xmlData, \">\", i, `${tagName} is not closed`);\n let closeTagName = xmlData.substring(i + 2, closeIndex).trim();\n if (closeTagName === tagName) {\n openTagCount--;\n if (openTagCount === 0) {\n return {\n tagContent: xmlData.substring(startIndex, i),\n i: closeIndex\n };\n }\n }\n i = closeIndex;\n } else if (xmlData[i + 1] === \"?\") {\n const closeIndex = findClosingIndex(xmlData, \"?>\", i + 1, \"StopNode is not closed.\");\n i = closeIndex;\n } else if (xmlData.substr(i + 1, 3) === \"!--\") {\n const closeIndex = findClosingIndex(xmlData, \"-->\", i + 3, \"StopNode is not closed.\");\n i = closeIndex;\n } else if (xmlData.substr(i + 1, 2) === \"![\") {\n const closeIndex = findClosingIndex(xmlData, \"]]>\", i, \"StopNode is not closed.\") - 2;\n i = closeIndex;\n } else {\n const tagData = readTagExp(xmlData, i, \">\");\n if (tagData) {\n const openTagName = tagData && tagData.tagName;\n if (openTagName === tagName && tagData.tagExp[tagData.tagExp.length - 1] !== \"/\") {\n openTagCount++;\n }\n i = tagData.closeIndex;\n }\n }\n }\n }\n}\nfunction parseValue(val2, shouldParse, options) {\n if (shouldParse && typeof val2 === \"string\") {\n const newval = val2.trim();\n if (newval === \"true\")\n return true;\n else if (newval === \"false\")\n return false;\n else\n return toNumber(val2, options);\n } else {\n if (util.isExist(val2)) {\n return val2;\n } else {\n return \"\";\n }\n }\n}\nvar OrderedObjParser_1 = OrderedObjParser$1;\nvar node2json = {};\nfunction prettify$1(node, options) {\n return compress(node, options);\n}\nfunction compress(arr, options, jPath) {\n let text;\n const compressedObj = {};\n for (let i = 0; i < arr.length; i++) {\n const tagObj = arr[i];\n const property = propName$1(tagObj);\n let newJpath = \"\";\n if (jPath === void 0)\n newJpath = property;\n else\n newJpath = jPath + \".\" + property;\n if (property === options.textNodeName) {\n if (text === void 0)\n text = tagObj[property];\n else\n text += \"\" + tagObj[property];\n } else if (property === void 0) {\n continue;\n } else if (tagObj[property]) {\n let val2 = compress(tagObj[property], options, newJpath);\n const isLeaf = isLeafTag(val2, options);\n if (tagObj[\":@\"]) {\n assignAttributes(val2, tagObj[\":@\"], newJpath, options);\n } else if (Object.keys(val2).length === 1 && val2[options.textNodeName] !== void 0 && !options.alwaysCreateTextNode) {\n val2 = val2[options.textNodeName];\n } else if (Object.keys(val2).length === 0) {\n if (options.alwaysCreateTextNode)\n val2[options.textNodeName] = \"\";\n else\n val2 = \"\";\n }\n if (compressedObj[property] !== void 0 && compressedObj.hasOwnProperty(property)) {\n if (!Array.isArray(compressedObj[property])) {\n compressedObj[property] = [compressedObj[property]];\n }\n compressedObj[property].push(val2);\n } else {\n if (options.isArray(property, newJpath, isLeaf)) {\n compressedObj[property] = [val2];\n } else {\n compressedObj[property] = val2;\n }\n }\n }\n }\n if (typeof text === \"string\") {\n if (text.length > 0)\n compressedObj[options.textNodeName] = text;\n } else if (text !== void 0)\n compressedObj[options.textNodeName] = text;\n return compressedObj;\n}\nfunction propName$1(obj) {\n const keys = Object.keys(obj);\n for (let i = 0; i < keys.length; i++) {\n const key = keys[i];\n if (key !== \":@\")\n return key;\n }\n}\nfunction assignAttributes(obj, attrMap, jpath, options) {\n if (attrMap) {\n const keys = Object.keys(attrMap);\n const len = keys.length;\n for (let i = 0; i < len; i++) {\n const atrrName = keys[i];\n if (options.isArray(atrrName, jpath + \".\" + atrrName, true, true)) {\n obj[atrrName] = [attrMap[atrrName]];\n } else {\n obj[atrrName] = attrMap[atrrName];\n }\n }\n }\n}\nfunction isLeafTag(obj, options) {\n const { textNodeName } = options;\n const propCount = Object.keys(obj).length;\n if (propCount === 0) {\n return true;\n }\n if (propCount === 1 && (obj[textNodeName] || typeof obj[textNodeName] === \"boolean\" || obj[textNodeName] === 0)) {\n return true;\n }\n return false;\n}\nnode2json.prettify = prettify$1;\nconst { buildOptions } = OptionsBuilder;\nconst OrderedObjParser2 = OrderedObjParser_1;\nconst { prettify } = node2json;\nconst validator$1 = validator$2;\nlet XMLParser$1 = class XMLParser {\n constructor(options) {\n this.externalEntities = {};\n this.options = buildOptions(options);\n }\n /**\n * Parse XML dats to JS object \n * @param {string|Buffer} xmlData \n * @param {boolean|Object} validationOption \n */\n parse(xmlData, validationOption) {\n if (typeof xmlData === \"string\")\n ;\n else if (xmlData.toString) {\n xmlData = xmlData.toString();\n } else {\n throw new Error(\"XML data is accepted in String or Bytes[] form.\");\n }\n if (validationOption) {\n if (validationOption === true)\n validationOption = {};\n const result = validator$1.validate(xmlData, validationOption);\n if (result !== true) {\n throw Error(`${result.err.msg}:${result.err.line}:${result.err.col}`);\n }\n }\n const orderedObjParser = new OrderedObjParser2(this.options);\n orderedObjParser.addExternalEntities(this.externalEntities);\n const orderedResult = orderedObjParser.parseXml(xmlData);\n if (this.options.preserveOrder || orderedResult === void 0)\n return orderedResult;\n else\n return prettify(orderedResult, 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(key, value) {\n if (value.indexOf(\"&\") !== -1) {\n throw new Error(\"Entity value can't have '&'\");\n } else if (key.indexOf(\"&\") !== -1 || key.indexOf(\";\") !== -1) {\n throw new Error(\"An entity must be set without '&' and ';'. Eg. use '#xD' for ' '\");\n } else if (value === \"&\") {\n throw new Error(\"An entity with value '&' is not permitted\");\n } else {\n this.externalEntities[key] = value;\n }\n }\n};\nvar XMLParser_1 = XMLParser$1;\nconst EOL = \"\\n\";\nfunction toXml(jArray, options) {\n let indentation = \"\";\n if (options.format && options.indentBy.length > 0) {\n indentation = EOL;\n }\n return arrToStr(jArray, options, \"\", indentation);\n}\nfunction arrToStr(arr, options, jPath, indentation) {\n let xmlStr = \"\";\n let isPreviousElementTag = false;\n for (let i = 0; i < arr.length; i++) {\n const tagObj = arr[i];\n const tagName = propName(tagObj);\n if (tagName === void 0)\n continue;\n let newJPath = \"\";\n if (jPath.length === 0)\n newJPath = tagName;\n else\n newJPath = `${jPath}.${tagName}`;\n if (tagName === options.textNodeName) {\n let tagText = tagObj[tagName];\n if (!isStopNode(newJPath, options)) {\n tagText = options.tagValueProcessor(tagName, tagText);\n tagText = replaceEntitiesValue(tagText, options);\n }\n if (isPreviousElementTag) {\n xmlStr += indentation;\n }\n xmlStr += tagText;\n isPreviousElementTag = false;\n continue;\n } else if (tagName === options.cdataPropName) {\n if (isPreviousElementTag) {\n xmlStr += indentation;\n }\n xmlStr += ``;\n isPreviousElementTag = false;\n continue;\n } else if (tagName === options.commentPropName) {\n xmlStr += indentation + ``;\n isPreviousElementTag = true;\n continue;\n } else if (tagName[0] === \"?\") {\n const attStr2 = attr_to_str(tagObj[\":@\"], options);\n const tempInd = tagName === \"?xml\" ? \"\" : indentation;\n let piTextNodeName = tagObj[tagName][0][options.textNodeName];\n piTextNodeName = piTextNodeName.length !== 0 ? \" \" + piTextNodeName : \"\";\n xmlStr += tempInd + `<${tagName}${piTextNodeName}${attStr2}?>`;\n isPreviousElementTag = true;\n continue;\n }\n let newIdentation = indentation;\n if (newIdentation !== \"\") {\n newIdentation += options.indentBy;\n }\n const attStr = attr_to_str(tagObj[\":@\"], options);\n const tagStart = indentation + `<${tagName}${attStr}`;\n const tagValue = arrToStr(tagObj[tagName], options, newJPath, newIdentation);\n if (options.unpairedTags.indexOf(tagName) !== -1) {\n if (options.suppressUnpairedNode)\n xmlStr += tagStart + \">\";\n else\n xmlStr += tagStart + \"/>\";\n } else if ((!tagValue || tagValue.length === 0) && options.suppressEmptyNode) {\n xmlStr += tagStart + \"/>\";\n } else if (tagValue && tagValue.endsWith(\">\")) {\n xmlStr += tagStart + `>${tagValue}${indentation}`;\n } else {\n xmlStr += tagStart + \">\";\n if (tagValue && indentation !== \"\" && (tagValue.includes(\"/>\") || tagValue.includes(\"`;\n }\n isPreviousElementTag = true;\n }\n return xmlStr;\n}\nfunction propName(obj) {\n const keys = Object.keys(obj);\n for (let i = 0; i < keys.length; i++) {\n const key = keys[i];\n if (!obj.hasOwnProperty(key))\n continue;\n if (key !== \":@\")\n return key;\n }\n}\nfunction attr_to_str(attrMap, options) {\n let attrStr = \"\";\n if (attrMap && !options.ignoreAttributes) {\n for (let attr in attrMap) {\n if (!attrMap.hasOwnProperty(attr))\n continue;\n let attrVal = options.attributeValueProcessor(attr, attrMap[attr]);\n attrVal = replaceEntitiesValue(attrVal, options);\n if (attrVal === true && options.suppressBooleanAttributes) {\n attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}`;\n } else {\n attrStr += ` ${attr.substr(options.attributeNamePrefix.length)}=\"${attrVal}\"`;\n }\n }\n }\n return attrStr;\n}\nfunction isStopNode(jPath, options) {\n jPath = jPath.substr(0, jPath.length - options.textNodeName.length - 1);\n let tagName = jPath.substr(jPath.lastIndexOf(\".\") + 1);\n for (let index in options.stopNodes) {\n if (options.stopNodes[index] === jPath || options.stopNodes[index] === \"*.\" + tagName)\n return true;\n }\n return false;\n}\nfunction replaceEntitiesValue(textValue, options) {\n if (textValue && textValue.length > 0 && options.processEntities) {\n for (let i = 0; i < options.entities.length; i++) {\n const entity = options.entities[i];\n textValue = textValue.replace(entity.regex, entity.val);\n }\n }\n return textValue;\n}\nvar orderedJs2Xml = toXml;\nconst buildFromOrderedJs = orderedJs2Xml;\nconst defaultOptions = {\n attributeNamePrefix: \"@_\",\n attributesGroupName: false,\n textNodeName: \"#text\",\n ignoreAttributes: true,\n cdataPropName: false,\n format: false,\n indentBy: \" \",\n suppressEmptyNode: false,\n suppressUnpairedNode: true,\n suppressBooleanAttributes: true,\n tagValueProcessor: function(key, a) {\n return a;\n },\n attributeValueProcessor: function(attrName, a) {\n return a;\n },\n preserveOrder: false,\n commentPropName: false,\n unpairedTags: [],\n entities: [\n { regex: new RegExp(\"&\", \"g\"), val: \"&\" },\n //it must be on top\n { regex: new RegExp(\">\", \"g\"), val: \">\" },\n { regex: new RegExp(\"<\", \"g\"), val: \"<\" },\n { regex: new RegExp(\"'\", \"g\"), val: \"'\" },\n { regex: new RegExp('\"', \"g\"), val: \""\" }\n ],\n processEntities: true,\n stopNodes: [],\n // transformTagName: false,\n // transformAttributeName: false,\n oneListGroup: false\n};\nfunction Builder(options) {\n this.options = Object.assign({}, defaultOptions, options);\n if (this.options.ignoreAttributes || this.options.attributesGroupName) {\n this.isAttribute = function() {\n return false;\n };\n } else {\n this.attrPrefixLen = this.options.attributeNamePrefix.length;\n this.isAttribute = isAttribute;\n }\n this.processTextOrObjNode = processTextOrObjNode;\n if (this.options.format) {\n this.indentate = indentate;\n this.tagEndChar = \">\\n\";\n this.newLine = \"\\n\";\n } else {\n this.indentate = function() {\n return \"\";\n };\n this.tagEndChar = \">\";\n this.newLine = \"\";\n }\n}\nBuilder.prototype.build = function(jObj) {\n if (this.options.preserveOrder) {\n return buildFromOrderedJs(jObj, this.options);\n } else {\n if (Array.isArray(jObj) && this.options.arrayNodeName && this.options.arrayNodeName.length > 1) {\n jObj = {\n [this.options.arrayNodeName]: jObj\n };\n }\n return this.j2x(jObj, 0).val;\n }\n};\nBuilder.prototype.j2x = function(jObj, level) {\n let attrStr = \"\";\n let val2 = \"\";\n for (let key in jObj) {\n if (!Object.prototype.hasOwnProperty.call(jObj, key))\n continue;\n if (typeof jObj[key] === \"undefined\") {\n if (this.isAttribute(key)) {\n val2 += \"\";\n }\n } else if (jObj[key] === null) {\n if (this.isAttribute(key)) {\n val2 += \"\";\n } else if (key[0] === \"?\") {\n val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n } else {\n val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n }\n } else if (jObj[key] instanceof Date) {\n val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n } else if (typeof jObj[key] !== \"object\") {\n const attr = this.isAttribute(key);\n if (attr) {\n attrStr += this.buildAttrPairStr(attr, \"\" + jObj[key]);\n } else {\n if (key === this.options.textNodeName) {\n let newval = this.options.tagValueProcessor(key, \"\" + jObj[key]);\n val2 += this.replaceEntitiesValue(newval);\n } else {\n val2 += this.buildTextValNode(jObj[key], key, \"\", level);\n }\n }\n } else if (Array.isArray(jObj[key])) {\n const arrLen = jObj[key].length;\n let listTagVal = \"\";\n for (let j = 0; j < arrLen; j++) {\n const item = jObj[key][j];\n if (typeof item === \"undefined\")\n ;\n else if (item === null) {\n if (key[0] === \"?\")\n val2 += this.indentate(level) + \"<\" + key + \"?\" + this.tagEndChar;\n else\n val2 += this.indentate(level) + \"<\" + key + \"/\" + this.tagEndChar;\n } else if (typeof item === \"object\") {\n if (this.options.oneListGroup) {\n listTagVal += this.j2x(item, level + 1).val;\n } else {\n listTagVal += this.processTextOrObjNode(item, key, level);\n }\n } else {\n listTagVal += this.buildTextValNode(item, key, \"\", level);\n }\n }\n if (this.options.oneListGroup) {\n listTagVal = this.buildObjectNode(listTagVal, key, \"\", level);\n }\n val2 += listTagVal;\n } else {\n if (this.options.attributesGroupName && key === this.options.attributesGroupName) {\n const Ks = Object.keys(jObj[key]);\n const L = Ks.length;\n for (let j = 0; j < L; j++) {\n attrStr += this.buildAttrPairStr(Ks[j], \"\" + jObj[key][Ks[j]]);\n }\n } else {\n val2 += this.processTextOrObjNode(jObj[key], key, level);\n }\n }\n }\n return { attrStr, val: val2 };\n};\nBuilder.prototype.buildAttrPairStr = function(attrName, val2) {\n val2 = this.options.attributeValueProcessor(attrName, \"\" + val2);\n val2 = this.replaceEntitiesValue(val2);\n if (this.options.suppressBooleanAttributes && val2 === \"true\") {\n return \" \" + attrName;\n } else\n return \" \" + attrName + '=\"' + val2 + '\"';\n};\nfunction processTextOrObjNode(object, key, level) {\n const result = this.j2x(object, level + 1);\n if (object[this.options.textNodeName] !== void 0 && Object.keys(object).length === 1) {\n return this.buildTextValNode(object[this.options.textNodeName], key, result.attrStr, level);\n } else {\n return this.buildObjectNode(result.val, key, result.attrStr, level);\n }\n}\nBuilder.prototype.buildObjectNode = function(val2, key, attrStr, level) {\n if (val2 === \"\") {\n if (key[0] === \"?\")\n return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n else {\n return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n }\n } else {\n let tagEndExp = \"\" + val2 + tagEndExp;\n } else if (this.options.commentPropName !== false && key === this.options.commentPropName && piClosingChar.length === 0) {\n return this.indentate(level) + `` + this.newLine;\n } else {\n return this.indentate(level) + \"<\" + key + attrStr + piClosingChar + this.tagEndChar + val2 + this.indentate(level) + tagEndExp;\n }\n }\n};\nBuilder.prototype.closeTag = function(key) {\n let closeTag = \"\";\n if (this.options.unpairedTags.indexOf(key) !== -1) {\n if (!this.options.suppressUnpairedNode)\n closeTag = \"/\";\n } else if (this.options.suppressEmptyNode) {\n closeTag = \"/\";\n } else {\n closeTag = `>` + this.newLine;\n } else if (this.options.commentPropName !== false && key === this.options.commentPropName) {\n return this.indentate(level) + `` + this.newLine;\n } else if (key[0] === \"?\") {\n return this.indentate(level) + \"<\" + key + attrStr + \"?\" + this.tagEndChar;\n } else {\n let textValue = this.options.tagValueProcessor(key, val2);\n textValue = this.replaceEntitiesValue(textValue);\n if (textValue === \"\") {\n return this.indentate(level) + \"<\" + key + attrStr + this.closeTag(key) + this.tagEndChar;\n } else {\n return this.indentate(level) + \"<\" + key + attrStr + \">\" + textValue + \" 0 && this.options.processEntities) {\n for (let i = 0; i < this.options.entities.length; i++) {\n const entity = this.options.entities[i];\n textValue = textValue.replace(entity.regex, entity.val);\n }\n }\n return textValue;\n};\nfunction indentate(level) {\n return this.options.indentBy.repeat(level);\n}\nfunction isAttribute(name) {\n if (name.startsWith(this.options.attributeNamePrefix) && name !== this.options.textNodeName) {\n return name.substr(this.attrPrefixLen);\n } else {\n return false;\n }\n}\nvar json2xml = Builder;\nconst validator = validator$2;\nconst XMLParser2 = XMLParser_1;\nconst XMLBuilder = json2xml;\nvar fxp = {\n XMLParser: XMLParser2,\n XMLValidator: validator,\n XMLBuilder\n};\nfunction isSvg(string) {\n if (typeof string !== \"string\") {\n throw new TypeError(`Expected a \\`string\\`, got \\`${typeof string}\\``);\n }\n string = string.trim();\n if (string.length === 0) {\n return false;\n }\n if (fxp.XMLValidator.validate(string) !== true) {\n return false;\n }\n let jsonObject;\n const parser = new fxp.XMLParser();\n try {\n jsonObject = parser.parse(string);\n } catch {\n return false;\n }\n if (!jsonObject) {\n return false;\n }\n if (!Object.keys(jsonObject).some((x) => x.toLowerCase() === \"svg\")) {\n return false;\n }\n return true;\n}\n/**\n * @copyright Copyright (c) 2022 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nclass View {\n _view;\n constructor(view) {\n isValidView(view);\n this._view = view;\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(icon) {\n this._view.icon = icon;\n }\n get order() {\n return this._view.order;\n }\n set order(order) {\n this._view.order = order;\n }\n get params() {\n return this._view.params;\n }\n set params(params) {\n this._view.params = params;\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(expanded) {\n this._view.expanded = expanded;\n }\n get defaultSortKey() {\n return this._view.defaultSortKey;\n }\n}\nconst isValidView = function(view) {\n if (!view.id || typeof view.id !== \"string\") {\n throw new Error(\"View id is required and must be a string\");\n }\n if (!view.name || typeof view.name !== \"string\") {\n throw new Error(\"View name is required and must be a string\");\n }\n if (view.columns && view.columns.length > 0 && (!view.caption || typeof view.caption !== \"string\")) {\n throw new Error(\"View caption is required for top-level views and must be a string\");\n }\n if (!view.getContents || typeof view.getContents !== \"function\") {\n throw new Error(\"View getContents is required and must be a function\");\n }\n if (!view.icon || typeof view.icon !== \"string\" || !isSvg(view.icon)) {\n throw new Error(\"View icon is required and must be a valid svg string\");\n }\n if (!(\"order\" in view) || typeof view.order !== \"number\") {\n throw new Error(\"View order is required and must be a number\");\n }\n if (view.columns) {\n view.columns.forEach((column) => {\n if (!(column instanceof Column)) {\n throw new Error(\"View columns must be an array of Column. Invalid column found\");\n }\n });\n }\n if (view.emptyView && typeof view.emptyView !== \"function\") {\n throw new Error(\"View emptyView must be a function\");\n }\n if (view.parent && typeof view.parent !== \"string\") {\n throw new Error(\"View parent must be a string\");\n }\n if (\"sticky\" in view && typeof view.sticky !== \"boolean\") {\n throw new Error(\"View sticky must be a boolean\");\n }\n if (\"expanded\" in view && typeof view.expanded !== \"boolean\") {\n throw new Error(\"View expanded must be a boolean\");\n }\n if (view.defaultSortKey && typeof view.defaultSortKey !== \"string\") {\n throw new Error(\"View defaultSortKey must be a string\");\n }\n return true;\n};\n/**\n * @copyright 2019 Christoph Wurst \n *\n * @author Christoph Wurst \n * @author John Molakvoæ \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 .\n *\n */\nconst addNewFileMenuEntry = function(entry) {\n const newFileMenu = getNewFileMenu();\n return newFileMenu.registerEntry(entry);\n};\nconst removeNewFileMenuEntry = function(entry) {\n const newFileMenu = getNewFileMenu();\n return newFileMenu.unregisterEntry(entry);\n};\nconst getNewFileMenuEntries = function(context) {\n const newFileMenu = getNewFileMenu();\n return newFileMenu.getEntries(context).sort((a, b) => {\n if (a.order !== void 0 && b.order !== void 0 && a.order !== b.order) {\n return a.order - b.order;\n }\n return a.displayName.localeCompare(b.displayName, void 0, { numeric: true, sensitivity: \"base\" });\n });\n};\nexport {\n Column,\n DefaultType,\n File,\n FileAction,\n FileType,\n FilesSortingMode,\n Folder,\n Header,\n Navigation,\n NewMenuEntryCategory,\n Node,\n NodeStatus,\n Permission,\n View,\n addNewFileMenuEntry,\n davGetClient,\n davGetDefaultPropfind,\n davGetFavoritesReport,\n davGetRecentSearch,\n davParsePermissions,\n davRemoteURL,\n davResultToNode,\n davRootPath,\n defaultDavNamespaces,\n defaultDavProperties,\n formatFileSize,\n getDavNameSpaces,\n getDavProperties,\n getFavoriteNodes,\n getFileActions,\n getFileListHeaders,\n getNavigation,\n getNewFileMenuEntries,\n isFilenameValid,\n orderBy,\n parseFileSize,\n registerDavProperty,\n registerFileAction,\n registerFileListHeaders,\n removeNewFileMenuEntry,\n sortNodes\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 \n *\n * @author Christoph Wurst \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 .\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 \n *\n * @author Ferdinand Thiessen \n * @author John Molakvoæ \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 .\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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Ali , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: enolp , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: Rashad Aliyev , 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 , 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 , 2022\nToni Hermoso Pulido , 2022\n` }, msgstr: [`Last-Translator: Toni Hermoso Pulido , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Pavel Borecki , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Michal Šmahel , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Martin Bonde , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Mario Siegmann , 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 , 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æ , 2023\nAndi Chandler , 2023\n` }, msgstr: [`Last-Translator: Andi Chandler , 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æ , 2023\nFranciscoFJ , 2023\nNext Cloud , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Unai Tolosa Pontesta , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Jiri Grönroos , 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 , 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æ , 2023\nNacho , 2023\nMiguel Anxo Bouzada , 2023\n` }, msgstr: [`Last-Translator: Miguel Anxo Bouzada , 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ó , 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 , 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æ , 2023\nEmpty Slot Filler, 2023\nLinerly , 2023\n` }, msgstr: [`Last-Translator: Linerly , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: Sveinn í Felli , 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æ , 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æ , 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\": \"Сашко Тодоров , 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Сашко Тодоров , 2022\n` }, msgstr: [`Last-Translator: Сашко Тодоров , 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æ , 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 , 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 , 2023\n` }, msgstr: [`Last-Translator: Rico , 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æ , 2023\nM H , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Leonardo Colman Lopes , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Manuela Silva , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Mădălin Vasiliu , 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æ , 2023\nMax Smith , 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æ , 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 , 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 , 2022\n` }, msgstr: [`Last-Translator: Phongpanot Phairat , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: Kaya Zeren , 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 , 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 , 2024\n` }, msgstr: [`Last-Translator: O St , 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æ , 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æ , 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æ , 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\": \"黃柏諺 , 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黃柏諺 , 2024\n` }, msgstr: [`Last-Translator: 黃柏諺 , 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=\" + {\"1110\":\"2909496e7e35d6258214\",\"5929\":\"2e5e3b59f8a28f14168b\",\"6075\":\"f8e1d39004c19c13e598\",\"8902\":\"bb2f9be8a039f8db7e58\"}[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 = 1171;","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\t1171: 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__(40586)))\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","getLoggerBuilder","setApp","detectUser","build","canUnshareOnly","nodes","every","node","attributes","canDisconnectOnly","queue","PQueue","concurrency","action","FileAction","id","displayName","view","t","hasSharedItems","some","hasDeleteItems","isMixedUnshareAndDelete","type","FileType","File","isAllFiles","Folder","isAllFolders","iconSvgInline","enabled","map","permissions","permission","Permission","DELETE","exec","dir","axios","delete","encodedSource","error","logger","source","execBatch","promises","Promise","resolve","add","async","result","all","order","triggerDownload","url","hiddenElement","document","createElement","download","href","click","downloadNodes","secret","Math","random","toString","substring","generateUrl","files","JSON","stringify","basename","isDownloadable","READ","_node$attributes$shar","_shareAttributes$find","shareAttributes","parse","downloadAttribute","find","attribute","scope","key","_node$root","root","startsWith","fill","UPDATE","path","link","generateOcsUrl","_getCurrentUser","post","uid","getCurrentUser","window","location","host","encodePath","data","ocs","token","showError","openLocalClient","shouldFavorite","favorite","favoriteNode","willFavorite","tags","OC","TAG_FAVORITE","dirname","Vue","StarSvg","_node$root$startsWith","NONE","options","styleTagTransform","setAttributes","insert","domAPI","insertStyleElement","locals","MoveCopyAction","canMove","reduce","min","ALL","canCopy","_node$attributes","canDownload","rootPath","defaultRootUrl","generateRemoteUrl","getClient","rootUrl","client","createClient","setHeaders","requesttoken","onRequestTokenUpdate","getRequestToken","getPatcher","patch","headers","method","fetch","hashCode","str","hash","charCodeAt","resultToNode","userId","Error","props","davParsePermissions","owner","String","filename","nodeData","fileid","mtime","Date","lastmod","mime","size","hasPreview","failed","getContents","controller","AbortController","propfindPayload","davGetDefaultPropfind","CancelablePromise","reject","onCancel","abort","contentsResponse","getDirectoryContents","details","includeSelf","signal","contents","folder","filter","Boolean","getActionForNodes","MOVE_OR_COPY","MOVE","COPY","handleCopyMoveNodeTo","destination","overwrite","NodeStatus","LOADING","copySuffix","index","davGetClient","currentPath","join","davRootPath","destinationPath","target","otherNodes","getUniqueName","n","suffix","ignoreFileExtension","copyFile","stat","davResultToNode","hasConflict","selected","renamed","openConflictPicker","deleteFile","moveFile","AxiosError","_error$response","_error$response2","_error$response3","response","status","message","debug","openFilePickerForAction","fileIDs","filePicker","getFilePickerBuilder","allowDirectories","setFilter","CREATE","includes","setMimeTypeFilter","setMultiSelect","startAt","setButtonFactory","_selection","buttons","dirnames","paths","label","escape","sanitize","icon","CopyIconSvg","callback","FolderMoveSvg","pick","catch","FilePickerClosed","e","FolderSvg","isDavRessource","OCP","Files","Router","goToRoute","default","DefaultType","HIDDEN","openfile","InformationSvg","_window","_ref","_nodes$0$root","OCA","Sidebar","open","query","defineComponent","components","NcButton","NcDialog","NcTextField","defaultName","otherNames","emits","close","localDefaultName","computed","errorMessage","isUniqueName","uniqueName","watch","$nextTick","focusInput","mounted","methods","_this$$refs$input","_this$$refs$input$foc","$refs","input","focus","onCreate","$emit","onClose","state","_vm","_c","_self","_setupProxy","attrs","scopedSlots","_u","_v","_s","proxy","$event","preventDefault","ref","newNodeName","folderContent","labels","contentNames","spawnDialog","NewNodeDialog","folderName","entry","handler","content","_getCurrentUser2","_context$attributes","_context$attributes2","_context$attributes3","encodeURIComponent","Overwrite","parseInt","createNewFolder","showSuccess","templatesPath","loadState","directory","templatePath","copySystemTemplates","info","templates_path","initTemplatesFolder","removeNewFileMenuEntry","TemplatePickerVue","defineAsyncComponent","TemplatePicker","getTemplatePicker","mountingPoint","body","appendChild","render","h","parent","picker","el","_rootResponse","reportPayload","davGetFavoritesReport","rootResponse","generateFavoriteFolderView","View","generateIdFromPath","params","columns","activePinia","setActivePinia","pinia","piniaSymbol","Symbol","isPlainObject","o","toJSON","MutationType","IS_CLIENT","USE_DEVTOOLS","__VUE_PROD_DEVTOOLS__","_global","self","global","globalThis","HTMLElement","opts","xhr","XMLHttpRequest","responseType","onload","saveAs","onerror","console","send","corsEnabled","dispatchEvent","MouseEvent","createEvent","initMouseEvent","_navigator","navigator","userAgent","isMacOSWebView","test","HTMLAnchorElement","blob","a","rel","origin","URL","createObjectURL","setTimeout","revokeObjectURL","msSaveOrOpenBlob","autoBom","Blob","fromCharCode","bom","popup","title","innerText","force","isSafari","isChromeIOS","FileReader","reader","onloadend","replace","assign","readAsDataURL","toastMessage","piniaMessage","__VUE_DEVTOOLS_TOAST__","warn","log","isPinia","checkClipboardAccess","checkNotFocusedError","toLowerCase","fileInput","loadStoresState","storeState","value","formatDisplay","display","_custom","PINIA_ROOT_LABEL","PINIA_ROOT_ID","formatStoreForInspectorTree","store","$id","formatEventData","isArray","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","treeFilterPlaceholder","actions","clipboard","writeText","actionGlobalCopyState","tooltip","readText","actionGlobalPasteState","sendInspectorTree","sendInspectorState","actionGlobalSaveState","accept","onchange","file","item","text","oncancel","actionGlobalOpenStateFile","nodeActions","nodeId","get","$reset","inspectComponent","payload","ctx","componentInstance","_pStores","piniaStores","values","forEach","instanceData","editable","_isOptionsAPI","$state","_getters","getters","getInspectorTree","inspectorId","stores","from","rootNodes","getInspectorState","inspectedStore","storeNames","storeMap","storeId","getterName","_customProperties","customProperties","formatStoreForInspectorState","editInspectorState","unshift","set","editComponentState","activeAction","runningActionId","patchActionForGrouping","actionNames","wrapWithProxy","storeActions","actionName","_actionId","trackedStore","Proxy","Reflect","retValue","devtoolsPlugin","originalHotUpdate","_hotUpdate","newStore","_hmrPayload","settings","logStoreChanges","defaultValue","bind","$onAction","after","onError","groupId","addTimelineEvent","layerId","time","subtitle","logType","notifyComponentUpdate","deep","$subscribe","eventData","detached","flush","hotUpdate","$dispose","getSettings","addStoreToDevtools","noop","addSubscription","subscriptions","onCleanup","removeSubscription","idx","indexOf","splice","triggerSubscriptions","fallbackRunWithContext","mergeReactiveObjects","patchToApply","Map","Set","subPatch","targetValue","skipHydrateSymbol","skipHydrateMap","WeakMap","createSetupStore","setup","hot","isOptionsStore","optionsForPlugin","$subscribeOptions","isListening","isSyncListening","debuggerEvents","actionSubscriptions","initialState","hotState","activeListener","$patch","partialStateOrMutator","subscriptionMutation","myListenerId","then","newState","wrapAction","afterCallbackList","onErrorCallbackList","ret","partialStore","_p","stopWatcher","run","stop","_r","setupStore","_a","runWithContext","_e","prop","effect","obj","actionValue","defineProperty","nonEnumerable","writable","configurable","enumerable","p","extender","extensions","hydrate","userConfig","show_hidden","crop_image_previews","sort_favorites_first","sort_folders_first","grid_view","toBeInstalled","install","provide","config","globalProperties","$pinia","plugin","use","createPinia","lastTwoWeeksTimestamp","round","registerFileAction","deleteAction","downloadAction","editLocallyAction","favoriteAction","moveOrCopyAction","openFolderAction","openInFilesAction","renameAction","sidebarAction","viewInFolderAction","addNewFileMenuEntry","newFolderEntry","newTemplatesFolder","provider","iconClass","templatePicker","extension","favoriteFolders","favoriteFoldersViews","Navigation","getNavigation","register","caption","emptyTitle","emptyCaption","subscribe","addToFavorites","_node$root2","removePathFromFavorites","updateAndSortViews","sort","b","localeCompare","getLanguage","ignorePunctuation","newFavoriteFolder","findIndex","remove","registerFavoritesView","defaultSortKey","userConfigStore","idOrOptions","setupOptions","isSetupStore","useStore","hasContext","localState","computedGetters","createOptionsStore","defineStore","onUpdate","update","put","_initialized","useUserConfigStore","davGetRecentSearch","davRemoteURL","r","split","addEventListener","noRewrite","registration","serviceWorker","registerDavProperty","nc","newName","ext","extname","base","encodeFilePath","pathSections","relativePath","section","___CSS_LOADER_URL_IMPORT_0___","___CSS_LOADER_URL_IMPORT_1___","___CSS_LOADER_EXPORT___","___CSS_LOADER_URL_REPLACEMENT_0___","___CSS_LOADER_URL_REPLACEMENT_1___","def","x","d","RC","max","autostart","ignoreSameProgress","rate","lastTimestamp","lastProgress","historyTimeConstant","previousOutput","dt","start","report","progress","timestamp","deltaTimestamp","currentRate","reset","estimate","Infinity","estimatedTime","user","setUid","NewFileMenu","_entries","registerEntry","validateEntry","category","unregisterEntry","entryIndex","getEntryIndex","entries","getEntries","getNewFileMenu","_nc_newfilemenu","DefaultType2","_action","constructor","validateAction","inline","renderInline","_nc_fileactions","search","Permission2","defaultDavProperties","defaultDavNamespaces","oc","namespace","_nc_dav_properties","_nc_dav_namespaces","namespaces","getDavProperties","getDavNameSpaces","ns","lastModified","permString","SHARE","FileType2","davService","match","validateData","crtime","service","NodeStatus2","Node","_data","_attributes","_knownDavService","readonlyAttributes","getOwnPropertyDescriptors","updateMtime","deleteProperty","receiver","pop","firstMatch","pathname","move","rename","basename2","super","remoteURL","headers2","getFavoriteNodes","davClient","davRoot","filesRoot","isPublic","querySelector","Number","getcontentlength","_oc_config","blacklist_files_regex","RegExp","humanList","humanListBinary","formatFileSize","skipSmallSizes","binaryPrefixes","base1000","floor","readableFormat","relativeSize","pow","toFixed","parseFloat","toLocaleString","_views","_currentView","views","setActive","active","_nc_navigation","Column","_column","column","isValidColumn","summary","validator$2","util$3","nameStartChar","nameRegexp","regexName","isExist","v","isEmptyObject","merge","arrayMode","getValue","isName","string","getAllMatches","regex","matches","allmatches","startIndex","lastIndex","util$2","defaultOptions$2","allowBooleanAttributes","unpairedTags","isWhiteSpace","char","readPI","xmlData","tagname","substr","getErrorObject","getLineNumberForPosition","readCommentAndCDATA","angleBracketsCount","validate","tagFound","reachedRoot","err","tagStartPos","closingTag","tagName","trim","msg","readAttributeStr","attrStr","attrStrStart","isValid","validateAttributeString","code","line","tagClosed","otg","openPos","col","afterAmp","validateAmpersand","doubleQuote","singleQuote","startChar","validAttrStrRegxp","attrNames","getPositionFromMatch","attrName","validateAttrName","re","validateNumberAmpersand","count","lineNumber","lines","OptionsBuilder","defaultOptions$1","preserveOrder","attributeNamePrefix","attributesGroupName","textNodeName","ignoreAttributes","removeNSPrefix","parseTagValue","parseAttributeValue","trimValues","cdataPropName","numberParseOptions","hex","leadingZeros","eNotation","tagValueProcessor","val2","attributeValueProcessor","stopNodes","alwaysCreateTextNode","commentPropName","processEntities","htmlEntities","ignoreDeclaration","ignorePiTags","transformTagName","transformAttributeName","updateTag","jPath","buildOptions","defaultOptions","util$1","readEntityExp","entityName2","isComment","isEntity","isElement","isAttlist","isNotation","validateEntityName","hexRegex","numRegex","consider","decimalPoint","util","xmlNode","child","addChild","readDocType","entities","hasBody","comment","exp","entityName","val","regx","toNumber","trimmedStr","skipLike","sign","numTrimmedByZeros","numStr","num","addExternalEntities","externalEntities","entKeys","ent","lastEntities","parseTextData","dontTrim","hasAttributes","isLeafNode","escapeEntities","replaceEntitiesValue","newval","parseValue","resolveNameSpace","charAt","attrsRegx","buildAttributesMap","oldVal","aName","newVal","attrCollection","parseXml","xmlObj","currentNode","textData","closeIndex","findClosingIndex","colonIndex","saveTextToParentTag","lastTagName","lastIndexOf","propIndex","tagsNodeStack","tagData","readTagExp","childNode","tagExp","attrExpPresent","endIndex","docTypeEntities","rawTagName","lastTag","isItStopNode","tagContent","result2","readStopNodeData","replaceEntitiesValue$1","entity","ampEntity","currentTagName","allNodesExp","stopNodePath","stopNodeExp","errMsg","closingIndex","closingChar","attrBoundary","ch","tagExpWithClosingIndex","separatorIndex","trimStart","openTagCount","shouldParse","node2json","compress","arr","compressedObj","tagObj","property","propName$1","newJpath","isLeaf","isLeafTag","assignAttributes","attrMap","jpath","atrrName","propCount","prettify","OrderedObjParser2","_","validator$1","arrToStr","indentation","xmlStr","isPreviousElementTag","propName","newJPath","tagText","isStopNode","attStr2","attr_to_str","tempInd","piTextNodeName","newIdentation","indentBy","tagStart","tagValue","suppressUnpairedNode","suppressEmptyNode","endsWith","attr","attrVal","suppressBooleanAttributes","textValue","buildFromOrderedJs","jArray","format","oneListGroup","Builder","isAttribute","attrPrefixLen","processTextOrObjNode","indentate","tagEndChar","newLine","object","level","j2x","buildTextValNode","buildObjectNode","repeat","jObj","arrayNodeName","buildAttrPairStr","arrLen","listTagVal","Ks","L","closeTag","tagEndExp","piClosingChar","fxp","XMLParser","validationOption","orderedObjParser","orderedResult","addEntity","XMLValidator","XMLBuilder","_view","isValidView","emptyView","sticky","expanded","jsonObject","parser","isSvg","getNewFileMenuEntries","numeric","sensitivity","CancelError","reason","isCanceled","promiseState","freeze","pending","canceled","resolved","rejected","PCancelable","userFunction","arguments_","executor","description","defineProperties","shouldReject","boolean","onFulfilled","onRejected","onFinally","finally","cancel","setPrototypeOf","TimeoutError","AbortError","getDOMException","DOMException","getAbortedReason","PriorityQueue","enqueue","element","priority","array","comparator","first","step","trunc","it","lowerBound","dequeue","shift","timeout","carryoverConcurrencyCount","intervalCap","POSITIVE_INFINITY","interval","autoStart","queueClass","isFinite","throwOnTimeout","delay","clearInterval","canInitializeInterval","job","setInterval","newConcurrency","_resolve","function_","throwIfAborted","promise","milliseconds","fallback","customTimers","clearTimeout","timer","cancelablePromise","aborted","timeoutError","clear","pTimeout","race","addAll","functions","pause","onEmpty","onSizeLessThan","limit","onIdle","sizeBy","isPaused","A","s","Destination","request","onUploadProgress","B","appConfig","max_chunk_size","ceil","c","INITIALIZED","UPLOADING","ASSEMBLING","FINISHED","CANCELLED","FAILED","_source","_file","_isChunked","_chunks","_size","_uploaded","_startTime","_status","_controller","_response","isChunked","chunks","startTime","uploaded","getTime","g","I","IDLE","PAUSED","N","_destinationFolder","_isPublic","_uploadQueue","_jobQueue","_queueSize","_queueProgress","_queueStatus","_notifiers","maxChunksSize","updateStats","addNotifier","upload","f","T","U","m","bytes","ts","w","D","W","O","y","staticRenderFns","_compiled","functional","_scopeId","$vnode","ssrContext","__VUE_SSR_CONTEXT__","_registeredComponents","_ssrRegister","$root","$options","shadowRoot","_injectStyles","S","beforeCreate","ms","fillColor","_b","staticClass","role","$attrs","width","height","viewBox","fs","xs","R","detectLocale","locale","json","charset","Language","translations","msgid","comments","translator","msgstr","Add","paused","msgid_plural","extracted","Cancel","Continue","New","addTranslation","C","Gs","ngettext","u","gettext","Ls","extend","NcActionButton","NcActions","NcIconSvgWrapper","NcProgressBar","Plus","Upload","disabled","multiple","forbiddenCharacters","addLabel","cancelLabel","uploadLabel","progressLabel","progressTimeId","eta","timeLeft","newFileMenuEntries","uploadManager","M","totalQueueSize","uploadedQueueSize","hasFailure","isUploading","isAssembling","buttonName","setDestination","updateStatus","beforeMount","onUploadCompletion","onClick","onPick","Us","ys","form","setSeconds","toISOString","seconds","class","decorative","_l","svg","directives","rawName","expression","change","k","conflicts","submit","$destroy","$el","parentNode","removeChild","$mount","baseURL","modRewriteWorking","protocol","_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","__esModule","definition","chunkId","Function","done","script","needAttach","scripts","getElementsByTagName","getAttribute","setAttribute","src","onScriptComplete","prev","doneFns","head","toStringTag","nmd","children","scriptUrl","importScripts","currentScript","baseURI","installedChunks","installedChunkData","errorType","realSrc","webpackJsonpCallback","parentChunkLoadingFunction","moreModules","runtime","chunkLoadingGlobal","__webpack_exports__"],"sourceRoot":""} \ No newline at end of file diff --git a/dist/files-main.js b/dist/files-main.js index 601d7cb9973ee..5e1b5286fa95f 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{"use strict";var i={};s.r(i),s.d(i,{exclude:()=>St,extract:()=>Ct,parse:()=>_t,parseUrl:()=>Tt,pick:()=>Et,stringify:()=>xt,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,h=(()=>"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 g(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 w(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 A="object"==typeof navigator?navigator:{userAgent:""},y=(()=>/Macintosh/.test(A.userAgent)&&/AppleWebKit/.test(A.userAgent)&&!/Safari/.test(A.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)?g(t,e,n):(s.target="_blank",w(s)):w(s)):(s.href=URL.createObjectURL(t),setTimeout((function(){URL.revokeObjectURL(s.href)}),4e4),setTimeout((function(){w(s)}),0))}:"msSaveOrOpenBlob"in A?function(t,e="download",n){if("string"==typeof t)if(v(t))g(t,e,n);else{const e=document.createElement("a");e.href=t,e.target="_blank",setTimeout((function(){w(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 g(t,e,n);const i="application/octet-stream"===t.type,r=/constructor/i.test(String(h.HTMLElement))||"safari"in h,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 _(t){return"_a"in t&&"install"in t}function x(){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 P(t){return _(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 F(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,R=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(!x())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(!x())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:R(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:R(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(P)}})),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(_(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;_(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 z,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)=>(z=i,Reflect.get(...t)),set:(...t)=>(z=i,Reflect.set(...t))}):t;z=i;const o=s[e].apply(r,arguments);return z=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(R(e.$id))||O.push(R(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=>{z=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=>{z=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:z}})}),{deep:!0})})),e.$subscribe((({events:s,type:i},r)=>{if(t.notifyComponentUpdate(),t.sendInspectorState(U),!B)return;const o={time:n(),title:F(i),data:j({store:S(e.$id)},I(s)),groupId:z};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,h,g,v=[],w=[];const A=s.state.value[t];o||A||(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=h=!1,"function"==typeof e?(e(s.state.value[t]),n={type:m.patchFunction,storeId:t,events:g}):(K(s.state.value[t],e),n={type:m.patchObject,payload:e,storeId:t,events:g});const i=b=Symbol();(0,r.dY)().then((()=>{b===i&&(p=!0)})),h=!0,G(v,n,s.state.value[t])}const _=o?function(){const{state:t}=n,e=t?t():{};this.$patch((t=>{J(t,e)}))}:H;function x(e,n){return function(){c(s);const i=Array.from(arguments),r=[],o=[];let a;G(w,{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,w),$patch:C,$reset:_,$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?h:p)&&e({storeId:t,type:m.direct,events:g},s)}),J({},d,n))));return i},$dispose:function(){a.stop(),v=[],w=[],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||(!A||(L=n,r.LE?X.has(L):u(L)&&L.hasOwnProperty(Q))||((0,r.i9)(n)?n.value=A[e]:K(n,A[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=x(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}))))})),A&&o&&n.hydrate&&n.hydrate(E.$state,A),p=!0,h=!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(21777),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;nnull==t,ft=t=>encodeURIComponent(t).replace(/[!'()*]/g,(t=>`%${t.charCodeAt(0).toString(16).toUpperCase()}`)),ht=Symbol("encodeFragmentIdentifier");function gt(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 wt(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 At(t){return Array.isArray(t)?t.sort():"object"==typeof t?At(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 _t(t,e){gt((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&&wt(n,t).includes(t.arrayFormatSeparator);n=r?wt(n,t):n;const o=i||r?n.split(t.arrayFormatSeparator).map((e=>wt(e,t))):null===n?n:wt(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?wt(n,t):n);const r=null===n?[]:n.split(t.arrayFormatSeparator).map((e=>wt(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:wt(o,e),n(wt(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)?At(n):n,t}),Object.create(null))}function xt(t,e){if(!t)return"";gt((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:_t(Ct(t),e),...e&&e.parseFragmentIdentifier&&s?{fragmentIdentifier:wt(s,e)}:{}}}function kt(t,e){e={encode:!0,strict:!0,[ht]:!0,...e};const n=yt(t.url).split("?")[0]||"";let s=xt({..._t(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[ht]?s.hash:`#${t.fragmentIdentifier}`}return`${n}${s}${i}`}function Et(t,e,n){n={parseFragmentIdentifier:!0,[ht]:!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 Pt(t,e){for(var n in e)t[n]=e[n];return t}var It=/[!'()*]/g,Ft=function(t){return"%"+t.charCodeAt(0).toString(16)},Bt=/%2C/g,Ot=function(t){return encodeURIComponent(t).replace(It,Ft).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 Rt(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 zt(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=zt(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||Rt)(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=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 ge,ve=function(){},we={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,h=o.redirectedFrom?zt(null,he(o.redirectedFrom),null,n):o;l[f]=Wt(s,h,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,h);var g=l[f]?this.ariaCurrentValue:null,v=function(t){Ae(t)&&(e.replace?n.replace(r,ve):n.push(r,ve))},w={click:Ae};Array.isArray(this.event)?this.event.forEach((function(t){w[t]=v})):w[this.event]=v;var A={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)A.on=w,A.attrs={href:a,"aria-current":g};else{var b=ye(this.$slots.default);if(b){b.isStatic=!1;var C=b.data=Pt({},b.data);for(var _ in C.on=C.on||{},C.on){var x=C.on[_];_ in w&&(C.on[_]=Array.isArray(x)?x:[x])}for(var T in w)T in C.on?C.on[T].push(w[T]):C.on[T]=v;var k=b.data.attrs=Pt({},b.data.attrs);k.href=a,k["aria-current"]=g}else A.on=w}return t(this.tag,A,this.$slots.default)}};function Ae(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-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-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=ge.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;n0)){var e=this.router,n=e.options.scrollBehavior,s=$e&&n;s&&this.listeners.push(Fe());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(Fe());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 hn=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),gn=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 hn(this,t.base)}},vn={currentRoute:{configurable:!0}};gn.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},vn.currentRoute.get=function(){return this.history&&this.history.current},gn.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}))}))}},gn.prototype.beforeEach=function(t){return An(this.beforeHooks,t)},gn.prototype.beforeResolve=function(t){return An(this.resolveHooks,t)},gn.prototype.afterEach=function(t){return An(this.afterHooks,t)},gn.prototype.onReady=function(t,e){this.history.onReady(t,e)},gn.prototype.onError=function(t){this.history.onError(t)},gn.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)},gn.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)},gn.prototype.go=function(t){this.history.go(t)},gn.prototype.back=function(){this.go(-1)},gn.prototype.forward=function(){this.go(1)},gn.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]}))}))):[]},gn.prototype.resolve=function(t,e,n){var s=he(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}},gn.prototype.getRoutes=function(){return this.matcher.getRoutes()},gn.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==$t&&this.history.transitionTo(this.history.getCurrentLocation())},gn.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==$t&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(gn.prototype,vn);var wn=gn;function An(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}gn.install=function t(e){if(!t.installed||ge!==e){t.installed=!0,ge=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",we);var i=e.config.optionMergeStrategies;i.beforeRouteEnter=i.beforeRouteLeave=i.beforeRouteUpdate=i.created}},gn.version="3.6.5",gn.isNavigationFailure=Xe,gn.NavigationFailureType=We,gn.START_LOCATION=$t,be&&window.Vue&&window.Vue.use(gn),st.Ay.use(wn);const yn=wn.prototype.push;wn.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 wn({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 _n=s(96763);var xn=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),Pn=s(52439),In=s(6695),Fn=s(38613),Bn=s(26287);const On=(0,Fn.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;rt?l?(m=Date.now(),o||(s=setTimeout(d?h:f,t))):f():!0!==o&&(s=setTimeout(d?h: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 Rn=s(85168);const Mn={name:"ChartPieIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},zn=(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:zn,NcAppNavigationItem:Pn.A,NcProgressBar:Vn.A},data:()=>({loadingStorageStats:!1,storageStats:(0,Fn.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,Rn.Qg)(t("files","Could not refresh storage stats"))}finally{this.loadingStorageStats=!1}}},showStorageFullWarning(){(0,Rn.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,Fn.C)("files","config",{show_hidden:!1,crop_image_previews:!0,sort_favorites_first:!0,sort_folders_first:!0,grid_view:!1}),hs=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},gs={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:hs()}),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,Fn.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,Rn.Te)(t("files","WebDAV URL copied to clipboard")),setTimeout((()=>{this.webdavUrlCopied=!1}),5e3)):(0,Rn.Qg)(t("files","Clipboard is not available"))},t:kn.Tl}},vs=gs;var ws=s(83331),As={};As.styleTagTransform=ns(),As.setAttributes=Jn(),As.insert=Qn().bind(null,"head"),As.domAPI=Yn(),As.insertStyleElement=ts(),Wn()(ws.A,As),ws.A&&ws.A.locals&&ws.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:Pn.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),_s={};_s.styleTagTransform=ns(),_s.setAttributes=Jn(),_s.insert=Qn().bind(null,"head"),_s.domAPI=Yn(),_s.insertStyleElement=ts(),Wn()(Cs.A,_s),Cs.A&&Cs.A.locals&&Cs.A.locals;const xs=(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 Ps={name:"FormatListBulletedSquareIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Is=(0,Sn.A)(Ps,(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 Fs=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}}},Rs=(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}}},zs=(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},{...window.OCP.Files.Router.query,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(...arguments),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,Rn.cf)((0,kn.Tl)("files","Conflicts resolution skipped")),Un.info("User skipped the conflict resolution"),[]):[...i,...r,...o]}catch(t){Zs.error(t),(0,Rn.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),hi=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)&&!t.some((t=>t.permissions===et.aX.NONE));var gi,vi=s(36117),wi=s(44719);const Ai="/files/".concat(null===(gi=(0,nt.HW)())||void 0===gi?void 0:gi.uid),yi=(0,rt.dC)("dav"+Ai),bi=function(t){return t.split("").reduce((function(t,e){return 0|(t<<5)-t+e.charCodeAt(0)}),0)},Ci=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:yi;const e=(0,wi.UU)(t),n=t=>{null==e||e.setHeaders({"X-Requested-With":"XMLHttpRequest",requesttoken:null!=t?t:""})};return(0,nt.zo)(n),n((0,nt.do)()),(0,wi.Gu)().patch("fetch",((t,e)=>{const n=e.headers;return null!=n&&n.method&&(e.method=n.method,delete n.method),fetch(t,e)})),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=String(s["owner-id"]||n),o=(0,rt.dC)("dav"+Ai+t.filename),a={id:(null==s?void 0:s.fileid)<0?bi(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:Ai,attributes:{...t,...s,"owner-id":r,"owner-display-name":String(s["owner-display-name"]),hasPreview:!(null==s||!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)},xi=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 Ci.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)}}))},Ti=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})},ki=t=>fi(t)?hi(t)?pi.MOVE_OR_COPY:pi.MOVE:pi.COPY,Ei=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 xi(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,Rn.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)}}))},Si=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,Rn.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 Rn.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(ki(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)||hi(t)),async exec(t,e,n){const s=ki([t]);let i;try{i=await Si(s,n,[t])}catch(t){return Un.error(t),!1}try{return await Ei(t,i.destination,i.action),!0}catch(t){return!!(t instanceof Error&&t.message)&&((0,Rn.Qg)(t.message),null)}},async execBatch(t,e,n){const s=ki(t),i=await Si(s,n,t),r=t.map((async t=>{try{return await Ei(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 Li=s(96763);const Ni=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,Rn.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,Rn.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},Pi=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,Rn.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{Li.debug("Processing directory",{relativePath:t}),await si(n),await r(o,t)}catch(t){(0,Rn.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,Rn.Qg)((0,kn.Tl)("files","Some files could not be uploaded")),[]):(Un.debug("Files uploaded successfully"),(0,Rn.Te)((0,kn.Tl)("files","Files uploaded successfully")),Promise.all(i))},Ii=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,Rn.cf)((0,kn.Tl)("files","No files to process"));for(const n of t)st.Ay.set(n,"status",et.zI.LOADING),i.push(Ei(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,Rn.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,Rn.Te)(s?(0,kn.Tl)("files","Files copied successfully"):(0,kn.Tl)("files","Files moved successfully"))},Fi=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",[])}}}),Bi=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()}}),Oi=(0,st.pM)({name:"BreadCrumbs",components:{NcBreadcrumbs:Xs.N,NcBreadcrumb:Qs.N,NcIconSvgWrapper:In.A},mixins:[Bi],props:{path:{type:String,default:"/"}},setup:()=>({draggingStore:Fi(),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:''},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 Ni(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,Rn.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 Pi(a,c,l.contents);const m=r.map((t=>this.filesStore.getNode(t)));await Ii(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 Di=s(86334),Ui={};Ui.styleTagTransform=ns(),Ui.setAttributes=Jn(),Ui.insert=Qn().bind(null,"head"),Ui.domAPI=Yn(),Ui.insertStyleElement=ts(),Wn()(Di.A,Ui),Di.A&&Di.A.locals&&Di.A.locals;const ji=(0,Sn.A)(Oi,(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 Ri=s(51651);const Mi=tt("actionsmenu",{state:()=>({opened:null})}),zi=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 Vi=s(55042);const $i={name:"FileMultipleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},qi=(0,Sn.A)($i,(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,Hi={name:"FolderIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Wi=(0,Sn.A)(Hi,(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,Gi=st.Ay.extend({name:"DragAndDropPreview",components:{FileMultipleIcon:qi,FolderIcon:Wi},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 Ti(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)}))}}}),Yi=Gi;var Ki=s(52608),Qi={};Qi.styleTagTransform=ns(),Qi.setAttributes=Jn(),Qi.insert=Qn().bind(null,"head"),Qi.domAPI=Yn(),Qi.insertStyleElement=ts(),Wn()(Ki.A,Qi),Ki.A&&Ki.A.locals&&Ki.A.locals;const Xi=(0,Sn.A)(Yi,(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,Ji=st.Ay.extend(Xi);let Zi;st.Ay.directive("onClickOutside",Vi.z0);const tr=(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 bi(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(){return String(this.fileid)===String(this.currentFileId)},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){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 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")}else{var n;const e=null===(n=this.$el)||void 0===n?void 0:n.closest("main.app-content"),s=e.getBoundingClientRect();e.style.setProperty("--mouse-pos-x",Math.max(0,t.clientX-s.left-200)+"px"),e.style.setProperty("--mouse-pos-y",Math.max(0,t.clientY-s.top)+"px")}const s=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&s?"global":this.uniqueId.toString(),t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey||1===t.button)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=>{Zi||(Zi=(new Ji).$mount(),document.body.appendChild(Zi.$el)),Zi.update(t),Zi.$on("loaded",(()=>{e(Zi.$el),Zi.$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 Ni(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,Rn.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 Pi(o,l,a.contents);const d=i.map((t=>this.filesStore.getNode(t)));await Ii(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 er=s(4604);const nr={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()}}},sr=(0,Sn.A)(nr,(function(){return(0,this._self._c)("span")}),[],!1,null,null,null).exports,ir={name:"ArrowLeftIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},rr=(0,Sn.A)(ir,(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 or=s(63420),ar=s(24764),lr=s(10501);const cr=(0,et.qK)(),dr=(0,st.pM)({name:"FileEntryActions",components:{ArrowLeftIcon:rr,CustomElementRender:sr,NcActionButton:or.A,NcActions:ar.A,NcActionSeparator:lr.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?[]:cr.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,Rn.Te)((0,kn.Tl)("files",'"{displayName}" action executed successfully',{displayName:n}));(0,Rn.Qg)((0,kn.Tl)("files",'"{displayName}" action failed',{displayName:n}))}catch(e){Un.error("Error while executing action",{action:t,e}),(0,Rn.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}}),ur=dr;var mr=s(81194),pr={};pr.styleTagTransform=ns(),pr.setAttributes=Jn(),pr.insert=Qn().bind(null,"head"),pr.domAPI=Yn(),pr.insertStyleElement=ts(),Wn()(mr.A,pr),mr.A&&mr.A.locals&&mr.A.locals;var fr=s(34570),hr={};hr.styleTagTransform=ns(),hr.setAttributes=Jn(),hr.insert=Qn().bind(null,"head"),hr.domAPI=Yn(),hr.insertStyleElement=ts(),Wn()(fr.A,hr),fr.A&&fr.A.locals&&fr.A.locals;var gr=(0,Sn.A)(ur,(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,"7e961138",null);const vr=gr.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}}),Ar=(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 yr=s(82182);const br=(0,Fn.C)("files","forbiddenCharacters",""),Cr=st.Ay.extend({name:"FileEntryName",components:{NcTextField:yr.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:zi()}),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!==br.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,Rn.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,Rn.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,Rn.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,Rn.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,Rn.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,Rn.Qg)((0,kn.Tl)("files","Name cannot be empty"))},t:kn.Tl}}),_r=(0,Sn.A)(Cr,(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":""}},"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 xr=s(72755);const Tr={name:"FileIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},kr=(0,Sn.A)(Tr,(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,Er={name:"FolderOpenIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Sr=(0,Sn.A)(Er,(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,Lr={name:"KeyIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Nr=(0,Sn.A)(Lr,(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,Pr={name:"NetworkIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ir=(0,Sn.A)(Pr,(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,Fr={name:"TagIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Br=(0,Sn.A)(Fr,(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,Or={name:"PlayCircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Dr=(0,Sn.A)(Or,(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,Ur={name:"CollectivesIcon",props:{title:{type:String,default:""},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},jr=(0,Sn.A)(Ur,(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,Rr=(0,st.pM)({name:"FavoriteIcon",components:{NcIconSvgWrapper:In.A},data:()=>({StarSvg:''}),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 Mr=s(55559),zr={};zr.styleTagTransform=ns(),zr.setAttributes=Jn(),zr.insert=Qn().bind(null,"head"),zr.domAPI=Yn(),zr.insertStyleElement=ts(),Wn()(Mr.A,zr),Mr.A&&Mr.A.locals&&Mr.A.locals;const Vr=(0,Sn.A)(Rr,(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,$r=st.Ay.extend({name:"FileEntryPreview",components:{AccountGroupIcon:xr.A,AccountPlusIcon:Rs,CollectivesIcon:jr,FavoriteIcon:Vr,FileIcon:kr,FolderIcon:Wi,FolderOpenIcon:Sr,KeyIcon:Nr,LinkIcon:Ns.A,NetworkIcon:Ir,TagIcon:Br},props:{source:{type:Object,required:!0},dragover:{type:Boolean,default:!1},gridMode:{type:Boolean,default:!1}},setup:()=>({userConfigStore:hs()}),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"]?Dr: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 Nr;if(null!==(e=this.source)&&void 0!==e&&null!==(e=e.attributes)&&void 0!==e&&e["is-tag"])return Br;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 Rs;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 Ir;case"group":return xr.A;case"collective":return jr}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}}),qr=(0,Sn.A)($r,(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,Hr=(0,st.pM)({name:"FileEntry",components:{CustomElementRender:sr,FileEntryActions:vr,FileEntryCheckbox:Ar,FileEntryName:_r,FileEntryPreview:qr,NcDateTime:er.A},mixins:[tr],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},compact:{type:Boolean,default:!1}},setup:()=>({actionsMenuStore:Mi(),draggingStore:Fi(),filesStore:qs(),renamingStore:zi(),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);return"number"!=typeof t||isNaN(t)||t<0?this.t("files","Pending"):(0,et.v7)(t,!0)},sizeOpacity(){const t=parseInt(this.source.size,10);if(!t||isNaN(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,Ri.A)(this.source.mtime).format("LLL"):""}},methods:{formatFileSize:et.v7}}),Wr=(0,Sn.A)(Hr,(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:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},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},nativeOn:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},click:function(e){return t.execDefaultAction.apply(null,arguments)}}})],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}},[t.source.mtime?e("NcDateTime",{attrs:{timestamp:t.source.mtime,"ignore-seconds":!0}}):t._e()],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,Gr=(0,st.pM)({name:"FileEntryGrid",components:{FileEntryActions:vr,FileEntryCheckbox:Ar,FileEntryName:_r,FileEntryPreview:qr},mixins:[tr],inheritAttrs:!1,setup:()=>({actionsMenuStore:Mi(),draggingStore:Fi(),filesStore:qs(),renamingStore:zi(),selectionStore:Ws()}),data:()=>({gridMode:!0})}),Yr=(0,Sn.A)(Gr,(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:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},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},nativeOn:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},click:function(e){return t.execDefaultAction.apply(null,arguments)}}})],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 Kr=s(96763);const Qr={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(){Kr.debug("Mounted",this.header.id),this.header.render(this.$refs.mount,this.currentFolder,this.currentView)}},Xr=(0,Sn.A)(Qr,(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,Jr=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 Zr=s(31840),to={};to.styleTagTransform=ns(),to.setAttributes=Jn(),to.insert=Qn().bind(null,"head"),to.domAPI=Yn(),to.insertStyleElement=ts(),Wn()(Zr.A,to),Zr.A&&Zr.A.locals&&Zr.A.locals;const eo=(0,Sn.A)(Jr,(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 no=s(1795),so=s(33017);const io=st.Ay.extend({computed:{...(oo=Dn,ao=["getConfig","setSortingBy","toggleSortingDirection"],Array.isArray(ao)?ao.reduce(((t,e)=>(t[e]=function(){return oo(this.$pinia)[e]},t)),{}):Object.keys(ao).reduce(((t,e)=>(t[e]=function(){const t=oo(this.$pinia),n=ao[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)}}}),ro=(0,st.pM)({name:"FilesListTableHeaderButton",components:{MenuDown:no.A,MenuUp:so.A,NcButton:Bs.A},mixins:[io],props:{name:{type:String,required:!0},mode:{type:String,required:!0}},methods:{t:kn.Tl}});var oo,ao,lo=s(75290),co={};co.styleTagTransform=ns(),co.setAttributes=Jn(),co.insert=Qn().bind(null,"head"),co.domAPI=Yn(),co.insertStyleElement=ts(),Wn()(lo.A,co),lo.A&&lo.A.locals&&lo.A.locals;const uo=(0,Sn.A)(ro,(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,mo=(0,st.pM)({name:"FilesListTableHeader",components:{FilesListTableHeaderButton:uo,NcCheckboxRadioSwitch:ls.A},mixins:[io],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 po=s(60799),fo={};fo.styleTagTransform=ns(),fo.setAttributes=Jn(),fo.insert=Qn().bind(null,"head"),fo.domAPI=Yn(),fo.insertStyleElement=ts(),Wn()(po.A,fo),po.A&&po.A.locals&&po.A.locals;const ho=(0,Sn.A)(mo,(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 go=s(17334),vo=s.n(go),wo=s(96763);const Ao=st.Ay.extend({name:"VirtualList",mixins:[Bi],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}}))},totalRowCount(){return Math.floor(this.dataSources.length/this.columnCount)},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"),minHeight:"".concat(this.totalRowCount*this.itemHeight+this.beforeHeight,"px")}}},watch:{scrollToIndex(t){this.scrollTo(t)},totalRowCount(){this.scrollToIndex&&this.$nextTick((()=>this.scrollTo(this.scrollToIndex)))},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,go.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._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")})))}}}),yo=(0,Sn.A)(Ao,(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,bo=(0,et.qK)(),Co=(0,st.pM)({name:"FilesListTableHeaderActions",components:{NcActions:ar.A,NcActionButton:or.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Ds.A},mixins:[Bi],props:{currentView:{type:Object,required:!0},selectedNodes:{type:Array,default:()=>[]}},setup:()=>({actionsMenuStore:Mi(),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 bo.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,Rn.Qg)(this.t("files",'"{displayName}" failed on some elements ',{displayName:e}))}(0,Rn.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,Rn.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=Co;var xo=s(58017),To={};To.styleTagTransform=ns(),To.setAttributes=Jn(),To.insert=Qn().bind(null,"head"),To.domAPI=Yn(),To.insertStyleElement=ts(),Wn()(xo.A,To),xo.A&&xo.A.locals&&xo.A.locals;var ko=(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 Eo=ko.exports,So=(0,st.pM)({name:"FilesListVirtual",components:{FilesListHeader:Xr,FilesListTableFooter:eo,FilesListTableHeader:ho,VirtualList:yo,FilesListTableHeaderActions:Eo},mixins:[Bi],props:{currentView:{type:et.Ss,required:!0},currentFolder:{type:et.vd,required:!0},nodes:{type:Array,required:!0}},setup:()=>({userConfigStore:hs(),selectionStore:Ws()}),data:()=>({FileEntry:Wr,FileEntryGrid:Yr,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 Ti(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.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,Fn.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,Rn.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));if(void 0===e||e.type===et.pt.Folder)return;Un.debug("Opening file "+e.path,{node:e}),this.openFileId=t;const n=(0,et.qK)().filter((t=>!(null==t||!t.default))).filter((t=>!t.enabled||t.enabled([e],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0))).at(0);null==n||n.exec(e,this.currentView,this.currentFolder.path)},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.clientYs-50&&(this.$refs.table.$el.scrollTop=this.$refs.table.$el.scrollTop+25)},t:kn.Tl}});var Lo=s(79655),No={};No.styleTagTransform=ns(),No.setAttributes=Jn(),No.insert=Qn().bind(null,"head"),No.domAPI=Yn(),No.insertStyleElement=ts(),Wn()(Lo.A,No),Lo.A&&Lo.A.locals&&Lo.A.locals;var Po=s(8591),Io={};Io.styleTagTransform=ns(),Io.setAttributes=Jn(),Io.insert=Qn().bind(null,"head"),Io.domAPI=Yn(),Io.insertStyleElement=ts(),Wn()(Po.A,Io),Po.A&&Po.A.locals&&Po.A.locals;const Fo=(0,Sn.A)(So,(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("span",{staticClass:"files-list__selected"},[t._v(t._s(t.t("files","{count} selected",{count:t.selectedNodes.length})))]),t._v(" "),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,"2e1b1dc8",null).exports,Bo={name:"TrayArrowDownIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Oo=(0,Sn.A)(Bo,(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,Do=(0,st.pM)({name:"DragAndDropNotice",components:{TrayArrowDownIcon:Oo},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,Rn.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 Ni(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,Rn.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 Pi(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 Uo=s(82915),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 Ro=(0,Sn.A)(Do,(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 Mo,zo=s(96763);const Vo=void 0!==(null===(Mo=(0,Ts.F)())||void 0===Mo?void 0:Mo.files_sharing),$o=(0,st.pM)({name:"FilesList",components:{BreadCrumbs:ji,DragAndDropNotice:Ro,FilesListVirtual:Fo,LinkIcon:Ns.A,ListViewIcon:Is,NcAppContent:Fs.A,NcButton:Bs.A,NcEmptyContent:Os.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Ds.A,PlusIcon:Us.A,AccountPlusIcon:Rs,UploadPicker:Ls.U,ViewGridIcon:zs},mixins:[Bi,io],setup(){var t;return{filesStore:qs(),pathsStore:Hs(),selectionStore:Ws(),uploaderStore:Ys(),userConfigStore:hs(),viewConfigStore:Dn(),enableGridView:null===(t=(0,Fn.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")},fileId(){var t,e;const n=Number.parseInt(null!==(t=null===(e=this.$route)||void 0===e?void 0:e.params.fileid)&&void 0!==t?t:"");return Number.isNaN(n)?null:n},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.basename.toLowerCase().includes(this.filterText.toLowerCase()))),zo.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 Vo&&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:deleted",this.onNodeDeleted),(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:deleted",this.onNodeDeleted),(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)},onNodeDeleted(t){var e,n,s;t.fileid&&t.fileid===this.fileId&&(t.fileid===(null===(e=this.currentFolder)||void 0===e?void 0:e.fileid)?window.OCP.Files.Router.goToRoute(null,{view:this.$route.params.view},{dir:null!==(n=null===(s=this.currentFolder)||void 0===s?void 0:s.dirname)&&void 0!==n?n:"/"}):window.OCP.Files.Router.goToRoute(null,{...this.$route.params,fileid:void 0},{...this.$route.query,openfile:void 0}))},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,Rn.Qg)(this.t("files","Error during upload: {message}",{message:n}))}catch(t){Un.error("Error while parsing",{error:t})}0===n?(0,Rn.Qg)(this.t("files","Unknown error during upload")):(0,Rn.Qg)(this.t("files","Error during upload, status code {status}",{status:n}))}else(0,Rn.Qg)(this.t("files","Operation is blocked by access control"));else(0,Rn.Qg)(this.t("files","Target folder does not exist any more"));else(0,Rn.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:vo()((function(t){zo.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 qo=s(40838),Ho={};Ho.styleTagTransform=ns(),Ho.setAttributes=Jn(),Ho.insert=Qn().bind(null,"head"),Ho.domAPI=Yn(),Ho.insertStyleElement=ts(),Wn()(qo.A,Ho),qo.A&&qo.A.locals&&qo.A.locals;const Wo=(0,Sn.A)($o,(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,"5dfd5219",null).exports,Go=(0,st.pM)({name:"FilesApp",components:{NcContent:xn.A,FilesList:Wo,Navigation:xs}}),Yo=(0,Sn.A)(Go,(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 Ko,Qo;s.nc=btoa((0,nt.do)()),window.OCA.Files=null!==(Ko=window.OCA.Files)&&void 0!==Ko?Ko:{},window.OCP.Files=null!==(Qo=window.OCP.Files)&&void 0!==Qo?Qo:{};const Xo=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:Xo}),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 Jo=st.Ay.observable((0,et.bh)());st.Ay.prototype.$navigation=Jo;const Zo=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=[],_n.debug("OCA.Files.Settings initialized")}register(t){return this._settings.filter((e=>e.name===t.name)).length>0?(_n.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:Zo}),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(Yo))({router:bn,pinia:it}).$mount("#content")},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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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},81194:(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},34570:(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-7e961138] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-7e961138] .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},79655:(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-2e1b1dc8]{--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-2e1b1dc8] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2e1b1dc8] tbody tr{contain:strict}.files-list[data-v-2e1b1dc8] tbody tr:hover,.files-list[data-v-2e1b1dc8] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2e1b1dc8] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2e1b1dc8] .files-list__selected{padding-right:12px;white-space:nowrap}.files-list[data-v-2e1b1dc8] .files-list__table{display:block}.files-list[data-v-2e1b1dc8] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__thead,.files-list[data-v-2e1b1dc8] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2e1b1dc8] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2e1b1dc8] .files-list__tfoot{min-height:300px}.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td,.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td span,.files-list[data-v-2e1b1dc8] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2e1b1dc8] .files-list__row:hover,.files-list[data-v-2e1b1dc8] .files-list__row:focus,.files-list[data-v-2e1b1dc8] .files-list__row:active,.files-list[data-v-2e1b1dc8] .files-list__row--active,.files-list[data-v-2e1b1dc8] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2e1b1dc8] .files-list__row:hover>*,.files-list[data-v-2e1b1dc8] .files-list__row:focus>*,.files-list[data-v-2e1b1dc8] .files-list__row:active>*,.files-list[data-v-2e1b1dc8] .files-list__row--active>*,.files-list[data-v-2e1b1dc8] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2e1b1dc8] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2e1b1dc8] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon>span.folder-icon,.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2e1b1dc8] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2e1b1dc8] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2e1b1dc8] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2e1b1dc8] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2e1b1dc8] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2e1b1dc8] .files-list__row-actions{width:auto}.files-list[data-v-2e1b1dc8] .files-list__row-actions~td,.files-list[data-v-2e1b1dc8] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2e1b1dc8] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2e1b1dc8] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2e1b1dc8] .files-list__row-mtime,.files-list[data-v-2e1b1dc8] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2e1b1dc8] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2e1b1dc8] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2e1b1dc8] .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,oDACC,kBAAA,CACA,kBAAA,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__selected {\n\t\t\tpadding-right: 12px;\n\t\t\twhite-space: nowrap;\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},8591:(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},40838:(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-5dfd5219]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-5dfd5219]{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-5dfd5219]{flex:0 0}.files-list__header-share-button[data-v-5dfd5219]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-5dfd5219]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-5dfd5219]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-5dfd5219]{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},37007:(t,e,n)=>{"use strict";var s,i=n(96763),r="object"==typeof Reflect?Reflect:null,o=r&&"function"==typeof r.apply?r.apply:function(t,e,n){return Function.prototype.apply.call(t,e,n)};s=r&&"function"==typeof r.ownKeys?r.ownKeys:Object.getOwnPropertySymbols?function(t){return Object.getOwnPropertyNames(t).concat(Object.getOwnPropertySymbols(t))}:function(t){return Object.getOwnPropertyNames(t)};var a=Number.isNaN||function(t){return t!=t};function l(){l.init.call(this)}t.exports=l,t.exports.once=function(t,e){return new Promise((function(n,s){function i(n){t.removeListener(e,r),s(n)}function r(){"function"==typeof t.removeListener&&t.removeListener("error",i),n([].slice.call(arguments))}w(t,e,r,{once:!0}),"error"!==e&&function(t,e,n){"function"==typeof t.on&&w(t,"error",e,{once:!0})}(t,i)}))},l.EventEmitter=l,l.prototype._events=void 0,l.prototype._eventsCount=0,l.prototype._maxListeners=void 0;var c=10;function d(t){if("function"!=typeof t)throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof t)}function u(t){return void 0===t._maxListeners?l.defaultMaxListeners:t._maxListeners}function m(t,e,n,s){var r,o,a,l;if(d(n),void 0===(o=t._events)?(o=t._events=Object.create(null),t._eventsCount=0):(void 0!==o.newListener&&(t.emit("newListener",e,n.listener?n.listener:n),o=t._events),a=o[e]),void 0===a)a=o[e]=n,++t._eventsCount;else if("function"==typeof a?a=o[e]=s?[n,a]:[a,n]:s?a.unshift(n):a.push(n),(r=u(t))>0&&a.length>r&&!a.warned){a.warned=!0;var c=new Error("Possible EventEmitter memory leak detected. "+a.length+" "+String(e)+" listeners added. Use emitter.setMaxListeners() to increase limit");c.name="MaxListenersExceededWarning",c.emitter=t,c.type=e,c.count=a.length,l=c,i&&i.warn&&i.warn(l)}return t}function p(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,0===arguments.length?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function f(t,e,n){var s={fired:!1,wrapFn:void 0,target:t,type:e,listener:n},i=p.bind(s);return i.listener=n,s.wrapFn=i,i}function h(t,e,n){var s=t._events;if(void 0===s)return[];var i=s[e];return void 0===i?[]:"function"==typeof i?n?[i.listener||i]:[i]:n?function(t){for(var e=new Array(t.length),n=0;n0&&(r=e[0]),r instanceof Error)throw r;var a=new Error("Unhandled error."+(r?" ("+r.message+")":""));throw a.context=r,a}var l=i[t];if(void 0===l)return!1;if("function"==typeof l)o(l,this,e);else{var c=l.length,d=v(l,c);for(n=0;n=0;r--)if(n[r]===e||n[r].listener===e){o=n[r].listener,i=r;break}if(i<0)return this;0===i?n.shift():function(t,e){for(;e+1=0;s--)this.removeListener(t,e[s]);return this},l.prototype.listeners=function(t){return h(this,t,!0)},l.prototype.rawListeners=function(t){return h(this,t,!1)},l.listenerCount=function(t,e){return"function"==typeof t.listenerCount?t.listenerCount(e):g.call(t,e)},l.prototype.listenerCount=g,l.prototype.eventNames=function(){return this._eventsCount>0?s(this._events):[]}},92861:(t,e,n)=>{var s=n(48287),i=s.Buffer;function r(t,e){for(var n in t)e[n]=t[n]}function o(t,e,n){return i(t,e,n)}i.from&&i.alloc&&i.allocUnsafe&&i.allocUnsafeSlow?t.exports=s:(r(s,e),e.Buffer=o),o.prototype=Object.create(i.prototype),r(i,o),o.from=function(t,e,n){if("number"==typeof t)throw new TypeError("Argument must not be a number");return i(t,e,n)},o.alloc=function(t,e,n){if("number"!=typeof t)throw new TypeError("Argument must be a number");var s=i(t);return void 0!==e?"string"==typeof n?s.fill(e,n):s.fill(e):s.fill(0),s},o.allocUnsafe=function(t){if("number"!=typeof t)throw new TypeError("Argument must be a number");return i(t)},o.allocUnsafeSlow=function(t){if("number"!=typeof t)throw new TypeError("Argument must be a number");return s.SlowBuffer(t)}},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"===r?(S(n,"onsgmldeclaration",n.sgmlDecl),n.sgmlDecl="",n.state=T.TEXT):w(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:w(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:w(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?(F(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)||F(n,"Invalid character in tag name"),n.state=T.ATTRIB));continue;case T.OPEN_TAG_SLASH:">"===r?(U(n,!0),j(n)):(F(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):F(n,"Invalid attribute name");continue;case T.ATTRIB_NAME:"="===r?n.state=T.ATTRIB_VALUE:">"===r?(F(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:F(n,"Invalid attribute name");continue;case T.ATTRIB_NAME_SAW_WHITE:if("="===r)n.state=T.ATTRIB_VALUE;else{if(v(r))continue;F(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):(F(n,"Invalid attribute name"),n.state=T.ATTRIB)}continue;case T.ATTRIB_VALUE:if(v(r))continue;w(r)?(n.q=r,n.state=T.ATTRIB_VALUE_QUOTED):(F(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)?(F(n,"No whitespace between attributes"),n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):F(n,"Invalid attribute name");continue;case T.ATTRIB_VALUE_UNQUOTED:if(!A(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+=""===r?j(n):F(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=R(n);n.entity="",n.state=d,n.write(m)}else n[u]+=R(n),n.entity="",n.state=d;else y(n.entity.length?g:h,r)?n.entity+=r:(F(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;rn)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:P(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-]/,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]/,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\u00B7\u0300-\u036F\u203F-\u2040.\d-]/;function v(t){return" "===t||"\n"===t||"\r"===t||"\t"===t}function w(t){return'"'===t||"'"===t}function A(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 P(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&&F(t,"Unclosed root tag"),t.state!==T.BEGIN&&t.state!==T.BEGIN_WHITESPACE&&t.state!==T.TEXT&&P(t,"Unexpected end"),L(t),t.c="",t.closed=!0,E(t,"onend"),r.call(t,t.strict,t.opt),t}function F(t,e){if("object"!=typeof t||!(t instanceof r))throw new Error("bad call to strictFail");t.strict&&P(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)F(t,"xml: prefix must be bound to "+d+"\nActual: "+t.attribValue);else if("xmlns"===s&&t.attribValue!==u)F(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&&(F(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",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;)F(t,"Unexpected close tag");if(e<0)return F(t,"Unmatched closing tag: "+t.tagName),t.textNode+="",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 R(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?(F(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)||(F(t,"Non-whitespace before first tag."),t.textNode=e,t.state=T.TEXT)}function z(t,e){var n="";return e1114111||_(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:x,configurable:!0,writable:!0}):String.fromCodePoint=x)}(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{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}}}},88310:(t,e,n)=>{t.exports=i;var s=n(37007).EventEmitter;function i(){s.call(this)}n(56698)(i,s),i.Readable=n(46891),i.Writable=n(81999),i.Duplex=n(88101),i.Transform=n(59083),i.PassThrough=n(3681),i.finished=n(14257),i.pipeline=n(5267),i.Stream=i,i.prototype.pipe=function(t,e){var n=this;function i(e){t.writable&&!1===t.write(e)&&n.pause&&n.pause()}function r(){n.readable&&n.resume&&n.resume()}n.on("data",i),t.on("drain",r),t._isStdio||e&&!1===e.end||(n.on("end",a),n.on("close",l));var o=!1;function a(){o||(o=!0,t.end())}function l(){o||(o=!0,"function"==typeof t.destroy&&t.destroy())}function c(t){if(d(),0===s.listenerCount(this,"error"))throw t}function d(){n.removeListener("data",i),t.removeListener("drain",r),n.removeListener("end",a),n.removeListener("close",l),n.removeListener("error",c),t.removeListener("error",c),n.removeListener("end",d),n.removeListener("close",d),t.removeListener("close",d)}return n.on("error",c),t.on("error",c),n.on("end",d),n.on("close",d),t.on("close",d),t.emit("pipe",n),t}},12463:t=>{"use strict";var e={};function n(t,n,s){s||(s=Error);var i=function(t){var e,s;function i(e,s,i){return t.call(this,function(t,e,s){return"string"==typeof n?n:n(t,e,s)}(e,s,i))||this}return s=t,(e=i).prototype=Object.create(s.prototype),e.prototype.constructor=e,e.__proto__=s,i}(s);i.prototype.name=s.name,i.prototype.code=t,e[t]=i}function s(t,e){if(Array.isArray(t)){var n=t.length;return t=t.map((function(t){return String(t)})),n>2?"one of ".concat(e," ").concat(t.slice(0,n-1).join(", "),", or ")+t[n-1]:2===n?"one of ".concat(e," ").concat(t[0]," or ").concat(t[1]):"of ".concat(e," ").concat(t[0])}return"of ".concat(e," ").concat(String(t))}n("ERR_INVALID_OPT_VALUE",(function(t,e){return'The value "'+e+'" is invalid for option "'+t+'"'}),TypeError),n("ERR_INVALID_ARG_TYPE",(function(t,e,n){var i,r,o,a,l;if("string"==typeof e&&(r="not ",e.substr(0,4)===r)?(i="must not be",e=e.replace(/^not /,"")):i="must be",function(t,e,n){return(void 0===n||n>t.length)&&(n=t.length),t.substring(n-9,n)===e}(t," argument"))o="The ".concat(t," ").concat(i," ").concat(s(e,"type"));else{var c=("number"!=typeof l&&(l=0),l+1>(a=t).length||-1===a.indexOf(".",l)?"argument":"property");o='The "'.concat(t,'" ').concat(c," ").concat(i," ").concat(s(e,"type"))}return o+". Received type ".concat(typeof n)}),TypeError),n("ERR_STREAM_PUSH_AFTER_EOF","stream.push() after EOF"),n("ERR_METHOD_NOT_IMPLEMENTED",(function(t){return"The "+t+" method is not implemented"})),n("ERR_STREAM_PREMATURE_CLOSE","Premature close"),n("ERR_STREAM_DESTROYED",(function(t){return"Cannot call "+t+" after a stream was destroyed"})),n("ERR_MULTIPLE_CALLBACK","Callback called multiple times"),n("ERR_STREAM_CANNOT_PIPE","Cannot pipe, not readable"),n("ERR_STREAM_WRITE_AFTER_END","write after end"),n("ERR_STREAM_NULL_VALUES","May not write null values to stream",TypeError),n("ERR_UNKNOWN_ENCODING",(function(t){return"Unknown encoding: "+t}),TypeError),n("ERR_STREAM_UNSHIFT_AFTER_END_EVENT","stream.unshift() after end event"),t.exports.F=e},88101:(t,e,n)=>{"use strict";var s=n(65606),i=Object.keys||function(t){var e=[];for(var n in t)e.push(n);return e};t.exports=d;var r=n(46891),o=n(81999);n(56698)(d,r);for(var a=i(o.prototype),l=0;l{"use strict";t.exports=i;var s=n(59083);function i(t){if(!(this instanceof i))return new i(t);s.call(this,t)}n(56698)(i,s),i.prototype._transform=function(t,e,n){n(null,t)}},46891:(t,e,n)=>{"use strict";var s,i=n(65606);t.exports=T,T.ReadableState=x,n(37007).EventEmitter;var r,o=function(t,e){return t.listeners(e).length},a=n(41396),l=n(48287).Buffer,c=(void 0!==n.g?n.g:"undefined"!=typeof window?window:"undefined"!=typeof self?self:{}).Uint8Array||function(){},d=n(99580);r=d&&d.debuglog?d.debuglog("stream"):function(){};var u,m,p,f=n(81766),h=n(54347),g=n(66644).getHighWaterMark,v=n(12463).F,w=v.ERR_INVALID_ARG_TYPE,A=v.ERR_STREAM_PUSH_AFTER_EOF,y=v.ERR_METHOD_NOT_IMPLEMENTED,b=v.ERR_STREAM_UNSHIFT_AFTER_END_EVENT;n(56698)(T,a);var C=h.errorOrDestroy,_=["error","close","destroy","pause","resume"];function x(t,e,i){s=s||n(88101),t=t||{},"boolean"!=typeof i&&(i=e instanceof s),this.objectMode=!!t.objectMode,i&&(this.objectMode=this.objectMode||!!t.readableObjectMode),this.highWaterMark=g(this,t,"readableHighWaterMark",i),this.buffer=new f,this.length=0,this.pipes=null,this.pipesCount=0,this.flowing=null,this.ended=!1,this.endEmitted=!1,this.reading=!1,this.sync=!0,this.needReadable=!1,this.emittedReadable=!1,this.readableListening=!1,this.resumeScheduled=!1,this.paused=!0,this.emitClose=!1!==t.emitClose,this.autoDestroy=!!t.autoDestroy,this.destroyed=!1,this.defaultEncoding=t.defaultEncoding||"utf8",this.awaitDrain=0,this.readingMore=!1,this.decoder=null,this.encoding=null,t.encoding&&(u||(u=n(83141).I),this.decoder=new u(t.encoding),this.encoding=t.encoding)}function T(t){if(s=s||n(88101),!(this instanceof T))return new T(t);var e=this instanceof s;this._readableState=new x(t,this,e),this.readable=!0,t&&("function"==typeof t.read&&(this._read=t.read),"function"==typeof t.destroy&&(this._destroy=t.destroy)),a.call(this)}function k(t,e,n,s,i){r("readableAddChunk",e);var o,a=t._readableState;if(null===e)a.reading=!1,function(t,e){if(r("onEofChunk"),!e.ended){if(e.decoder){var n=e.decoder.end();n&&n.length&&(e.buffer.push(n),e.length+=e.objectMode?1:n.length)}e.ended=!0,e.sync?N(t):(e.needReadable=!1,e.emittedReadable||(e.emittedReadable=!0,P(t)))}}(t,a);else if(i||(o=function(t,e){var n,s;return s=e,l.isBuffer(s)||s instanceof c||"string"==typeof e||void 0===e||t.objectMode||(n=new w("chunk",["string","Buffer","Uint8Array"],e)),n}(a,e)),o)C(t,o);else if(a.objectMode||e&&e.length>0)if("string"==typeof e||a.objectMode||Object.getPrototypeOf(e)===l.prototype||(e=function(t){return l.from(t)}(e)),s)a.endEmitted?C(t,new b):E(t,a,e,!0);else if(a.ended)C(t,new A);else{if(a.destroyed)return!1;a.reading=!1,a.decoder&&!n?(e=a.decoder.write(e),a.objectMode||0!==e.length?E(t,a,e,!1):I(t,a)):E(t,a,e,!1)}else s||(a.reading=!1,I(t,a));return!a.ended&&(a.lengthe.highWaterMark&&(e.highWaterMark=function(t){return t>=S?t=S:(t--,t|=t>>>1,t|=t>>>2,t|=t>>>4,t|=t>>>8,t|=t>>>16,t++),t}(t)),t<=e.length?t:e.ended?e.length:(e.needReadable=!0,0))}function N(t){var e=t._readableState;r("emitReadable",e.needReadable,e.emittedReadable),e.needReadable=!1,e.emittedReadable||(r("emitReadable",e.flowing),e.emittedReadable=!0,i.nextTick(P,t))}function P(t){var e=t._readableState;r("emitReadable_",e.destroyed,e.length,e.ended),e.destroyed||!e.length&&!e.ended||(t.emit("readable"),e.emittedReadable=!1),e.needReadable=!e.flowing&&!e.ended&&e.length<=e.highWaterMark,U(t)}function I(t,e){e.readingMore||(e.readingMore=!0,i.nextTick(F,t,e))}function F(t,e){for(;!e.reading&&!e.ended&&(e.length0,e.resumeScheduled&&!e.paused?e.flowing=!0:t.listenerCount("data")>0&&t.resume()}function O(t){r("readable nexttick read 0"),t.read(0)}function D(t,e){r("resume",e.reading),e.reading||t.read(0),e.resumeScheduled=!1,t.emit("resume"),U(t),e.flowing&&!e.reading&&t.read(0)}function U(t){var e=t._readableState;for(r("flow",e.flowing);e.flowing&&null!==t.read(););}function j(t,e){return 0===e.length?null:(e.objectMode?n=e.buffer.shift():!t||t>=e.length?(n=e.decoder?e.buffer.join(""):1===e.buffer.length?e.buffer.first():e.buffer.concat(e.length),e.buffer.clear()):n=e.buffer.consume(t,e.decoder),n);var n}function R(t){var e=t._readableState;r("endReadable",e.endEmitted),e.endEmitted||(e.ended=!0,i.nextTick(M,e,t))}function M(t,e){if(r("endReadableNT",t.endEmitted,t.length),!t.endEmitted&&0===t.length&&(t.endEmitted=!0,e.readable=!1,e.emit("end"),t.autoDestroy)){var n=e._writableState;(!n||n.autoDestroy&&n.finished)&&e.destroy()}}function z(t,e){for(var n=0,s=t.length;n=e.highWaterMark:e.length>0)||e.ended))return r("read: emitReadable",e.length,e.ended),0===e.length&&e.ended?R(this):N(this),null;if(0===(t=L(t,e))&&e.ended)return 0===e.length&&R(this),null;var s,i=e.needReadable;return r("need readable",i),(0===e.length||e.length-t0?j(t,e):null)?(e.needReadable=e.length<=e.highWaterMark,t=0):(e.length-=t,e.awaitDrain=0),0===e.length&&(e.ended||(e.needReadable=!0),n!==t&&e.ended&&R(this)),null!==s&&this.emit("data",s),s},T.prototype._read=function(t){C(this,new y("_read()"))},T.prototype.pipe=function(t,e){var n=this,s=this._readableState;switch(s.pipesCount){case 0:s.pipes=t;break;case 1:s.pipes=[s.pipes,t];break;default:s.pipes.push(t)}s.pipesCount+=1,r("pipe count=%d opts=%j",s.pipesCount,e);var a=e&&!1===e.end||t===i.stdout||t===i.stderr?h:l;function l(){r("onend"),t.end()}s.endEmitted?i.nextTick(a):n.once("end",a),t.on("unpipe",(function e(i,o){r("onunpipe"),i===n&&o&&!1===o.hasUnpiped&&(o.hasUnpiped=!0,r("cleanup"),t.removeListener("close",p),t.removeListener("finish",f),t.removeListener("drain",c),t.removeListener("error",m),t.removeListener("unpipe",e),n.removeListener("end",l),n.removeListener("end",h),n.removeListener("data",u),d=!0,!s.awaitDrain||t._writableState&&!t._writableState.needDrain||c())}));var c=function(t){return function(){var e=t._readableState;r("pipeOnDrain",e.awaitDrain),e.awaitDrain&&e.awaitDrain--,0===e.awaitDrain&&o(t,"data")&&(e.flowing=!0,U(t))}}(n);t.on("drain",c);var d=!1;function u(e){r("ondata");var i=t.write(e);r("dest.write",i),!1===i&&((1===s.pipesCount&&s.pipes===t||s.pipesCount>1&&-1!==z(s.pipes,t))&&!d&&(r("false write response, pause",s.awaitDrain),s.awaitDrain++),n.pause())}function m(e){r("onerror",e),h(),t.removeListener("error",m),0===o(t,"error")&&C(t,e)}function p(){t.removeListener("finish",f),h()}function f(){r("onfinish"),t.removeListener("close",p),h()}function h(){r("unpipe"),n.unpipe(t)}return n.on("data",u),function(t,e,n){if("function"==typeof t.prependListener)return t.prependListener(e,n);t._events&&t._events[e]?Array.isArray(t._events[e])?t._events[e].unshift(n):t._events[e]=[n,t._events[e]]:t.on(e,n)}(t,"error",m),t.once("close",p),t.once("finish",f),t.emit("pipe",n),s.flowing||(r("pipe resume"),n.resume()),t},T.prototype.unpipe=function(t){var e=this._readableState,n={hasUnpiped:!1};if(0===e.pipesCount)return this;if(1===e.pipesCount)return t&&t!==e.pipes||(t||(t=e.pipes),e.pipes=null,e.pipesCount=0,e.flowing=!1,t&&t.emit("unpipe",this,n)),this;if(!t){var s=e.pipes,i=e.pipesCount;e.pipes=null,e.pipesCount=0,e.flowing=!1;for(var r=0;r0,!1!==s.flowing&&this.resume()):"readable"===t&&(s.endEmitted||s.readableListening||(s.readableListening=s.needReadable=!0,s.flowing=!1,s.emittedReadable=!1,r("on readable",s.length,s.reading),s.length?N(this):s.reading||i.nextTick(O,this))),n},T.prototype.addListener=T.prototype.on,T.prototype.removeListener=function(t,e){var n=a.prototype.removeListener.call(this,t,e);return"readable"===t&&i.nextTick(B,this),n},T.prototype.removeAllListeners=function(t){var e=a.prototype.removeAllListeners.apply(this,arguments);return"readable"!==t&&void 0!==t||i.nextTick(B,this),e},T.prototype.resume=function(){var t=this._readableState;return t.flowing||(r("resume"),t.flowing=!t.readableListening,function(t,e){e.resumeScheduled||(e.resumeScheduled=!0,i.nextTick(D,t,e))}(this,t)),t.paused=!1,this},T.prototype.pause=function(){return r("call pause flowing=%j",this._readableState.flowing),!1!==this._readableState.flowing&&(r("pause"),this._readableState.flowing=!1,this.emit("pause")),this._readableState.paused=!0,this},T.prototype.wrap=function(t){var e=this,n=this._readableState,s=!1;for(var i in t.on("end",(function(){if(r("wrapped end"),n.decoder&&!n.ended){var t=n.decoder.end();t&&t.length&&e.push(t)}e.push(null)})),t.on("data",(function(i){r("wrapped data"),n.decoder&&(i=n.decoder.write(i)),n.objectMode&&null==i||(n.objectMode||i&&i.length)&&(e.push(i)||(s=!0,t.pause()))})),t)void 0===this[i]&&"function"==typeof t[i]&&(this[i]=function(e){return function(){return t[e].apply(t,arguments)}}(i));for(var o=0;o<_.length;o++)t.on(_[o],this.emit.bind(this,_[o]));return this._read=function(e){r("wrapped _read",e),s&&(s=!1,t.resume())},this},"function"==typeof Symbol&&(T.prototype[Symbol.asyncIterator]=function(){return void 0===m&&(m=n(65034)),m(this)}),Object.defineProperty(T.prototype,"readableHighWaterMark",{enumerable:!1,get:function(){return this._readableState.highWaterMark}}),Object.defineProperty(T.prototype,"readableBuffer",{enumerable:!1,get:function(){return this._readableState&&this._readableState.buffer}}),Object.defineProperty(T.prototype,"readableFlowing",{enumerable:!1,get:function(){return this._readableState.flowing},set:function(t){this._readableState&&(this._readableState.flowing=t)}}),T._fromList=j,Object.defineProperty(T.prototype,"readableLength",{enumerable:!1,get:function(){return this._readableState.length}}),"function"==typeof Symbol&&(T.from=function(t,e){return void 0===p&&(p=n(90968)),p(T,t,e)})},59083:(t,e,n)=>{"use strict";t.exports=d;var s=n(12463).F,i=s.ERR_METHOD_NOT_IMPLEMENTED,r=s.ERR_MULTIPLE_CALLBACK,o=s.ERR_TRANSFORM_ALREADY_TRANSFORMING,a=s.ERR_TRANSFORM_WITH_LENGTH_0,l=n(88101);function c(t,e){var n=this._transformState;n.transforming=!1;var s=n.writecb;if(null===s)return this.emit("error",new r);n.writechunk=null,n.writecb=null,null!=e&&this.push(e),s(t);var i=this._readableState;i.reading=!1,(i.needReadable||i.length{"use strict";var s,i=n(65606);function r(t){var e=this;this.next=null,this.entry=null,this.finish=function(){!function(t,e,n){var s=t.entry;for(t.entry=null;s;){var i=s.callback;e.pendingcb--,i(undefined),s=s.next}e.corkedRequestsFree.next=t}(e,t)}}t.exports=T,T.WritableState=x;var o,a={deprecate:n(94643)},l=n(41396),c=n(48287).Buffer,d=(void 0!==n.g?n.g:"undefined"!=typeof window?window:"undefined"!=typeof self?self:{}).Uint8Array||function(){},u=n(54347),m=n(66644).getHighWaterMark,p=n(12463).F,f=p.ERR_INVALID_ARG_TYPE,h=p.ERR_METHOD_NOT_IMPLEMENTED,g=p.ERR_MULTIPLE_CALLBACK,v=p.ERR_STREAM_CANNOT_PIPE,w=p.ERR_STREAM_DESTROYED,A=p.ERR_STREAM_NULL_VALUES,y=p.ERR_STREAM_WRITE_AFTER_END,b=p.ERR_UNKNOWN_ENCODING,C=u.errorOrDestroy;function _(){}function x(t,e,o){s=s||n(88101),t=t||{},"boolean"!=typeof o&&(o=e instanceof s),this.objectMode=!!t.objectMode,o&&(this.objectMode=this.objectMode||!!t.writableObjectMode),this.highWaterMark=m(this,t,"writableHighWaterMark",o),this.finalCalled=!1,this.needDrain=!1,this.ending=!1,this.ended=!1,this.finished=!1,this.destroyed=!1;var a=!1===t.decodeStrings;this.decodeStrings=!a,this.defaultEncoding=t.defaultEncoding||"utf8",this.length=0,this.writing=!1,this.corked=0,this.sync=!0,this.bufferProcessing=!1,this.onwrite=function(t){!function(t,e){var n=t._writableState,s=n.sync,r=n.writecb;if("function"!=typeof r)throw new g;if(function(t){t.writing=!1,t.writecb=null,t.length-=t.writelen,t.writelen=0}(n),e)!function(t,e,n,s,r){--e.pendingcb,n?(i.nextTick(r,s),i.nextTick(P,t,e),t._writableState.errorEmitted=!0,C(t,s)):(r(s),t._writableState.errorEmitted=!0,C(t,s),P(t,e))}(t,n,s,e,r);else{var o=L(n)||t.destroyed;o||n.corked||n.bufferProcessing||!n.bufferedRequest||S(t,n),s?i.nextTick(E,t,n,o,r):E(t,n,o,r)}}(e,t)},this.writecb=null,this.writelen=0,this.bufferedRequest=null,this.lastBufferedRequest=null,this.pendingcb=0,this.prefinished=!1,this.errorEmitted=!1,this.emitClose=!1!==t.emitClose,this.autoDestroy=!!t.autoDestroy,this.bufferedRequestCount=0,this.corkedRequestsFree=new r(this)}function T(t){var e=this instanceof(s=s||n(88101));if(!e&&!o.call(T,this))return new T(t);this._writableState=new x(t,this,e),this.writable=!0,t&&("function"==typeof t.write&&(this._write=t.write),"function"==typeof t.writev&&(this._writev=t.writev),"function"==typeof t.destroy&&(this._destroy=t.destroy),"function"==typeof t.final&&(this._final=t.final)),l.call(this)}function k(t,e,n,s,i,r,o){e.writelen=s,e.writecb=o,e.writing=!0,e.sync=!0,e.destroyed?e.onwrite(new w("write")):n?t._writev(i,e.onwrite):t._write(i,r,e.onwrite),e.sync=!1}function E(t,e,n,s){n||function(t,e){0===e.length&&e.needDrain&&(e.needDrain=!1,t.emit("drain"))}(t,e),e.pendingcb--,s(),P(t,e)}function S(t,e){e.bufferProcessing=!0;var n=e.bufferedRequest;if(t._writev&&n&&n.next){var s=e.bufferedRequestCount,i=new Array(s),o=e.corkedRequestsFree;o.entry=n;for(var a=0,l=!0;n;)i[a]=n,n.isBuf||(l=!1),n=n.next,a+=1;i.allBuffers=l,k(t,e,!0,e.length,i,"",o.finish),e.pendingcb++,e.lastBufferedRequest=null,o.next?(e.corkedRequestsFree=o.next,o.next=null):e.corkedRequestsFree=new r(e),e.bufferedRequestCount=0}else{for(;n;){var c=n.chunk,d=n.encoding,u=n.callback;if(k(t,e,!1,e.objectMode?1:c.length,c,d,u),n=n.next,e.bufferedRequestCount--,e.writing)break}null===n&&(e.lastBufferedRequest=null)}e.bufferedRequest=n,e.bufferProcessing=!1}function L(t){return t.ending&&0===t.length&&null===t.bufferedRequest&&!t.finished&&!t.writing}function N(t,e){t._final((function(n){e.pendingcb--,n&&C(t,n),e.prefinished=!0,t.emit("prefinish"),P(t,e)}))}function P(t,e){var n=L(e);if(n&&(function(t,e){e.prefinished||e.finalCalled||("function"!=typeof t._final||e.destroyed?(e.prefinished=!0,t.emit("prefinish")):(e.pendingcb++,e.finalCalled=!0,i.nextTick(N,t,e)))}(t,e),0===e.pendingcb&&(e.finished=!0,t.emit("finish"),e.autoDestroy))){var s=t._readableState;(!s||s.autoDestroy&&s.endEmitted)&&t.destroy()}return n}n(56698)(T,l),x.prototype.getBuffer=function(){for(var t=this.bufferedRequest,e=[];t;)e.push(t),t=t.next;return e},function(){try{Object.defineProperty(x.prototype,"buffer",{get:a.deprecate((function(){return this.getBuffer()}),"_writableState.buffer is deprecated. Use _writableState.getBuffer instead.","DEP0003")})}catch(t){}}(),"function"==typeof Symbol&&Symbol.hasInstance&&"function"==typeof Function.prototype[Symbol.hasInstance]?(o=Function.prototype[Symbol.hasInstance],Object.defineProperty(T,Symbol.hasInstance,{value:function(t){return!!o.call(this,t)||this===T&&t&&t._writableState instanceof x}})):o=function(t){return t instanceof this},T.prototype.pipe=function(){C(this,new v)},T.prototype.write=function(t,e,n){var s,r=this._writableState,o=!1,a=!r.objectMode&&(s=t,c.isBuffer(s)||s instanceof d);return a&&!c.isBuffer(t)&&(t=function(t){return c.from(t)}(t)),"function"==typeof e&&(n=e,e=null),a?e="buffer":e||(e=r.defaultEncoding),"function"!=typeof n&&(n=_),r.ending?function(t,e){var n=new y;C(t,n),i.nextTick(e,n)}(this,n):(a||function(t,e,n,s){var r;return null===n?r=new A:"string"==typeof n||e.objectMode||(r=new f("chunk",["string","Buffer"],n)),!r||(C(t,r),i.nextTick(s,r),!1)}(this,r,t,n))&&(r.pendingcb++,o=function(t,e,n,s,i,r){if(!n){var o=function(t,e,n){return t.objectMode||!1===t.decodeStrings||"string"!=typeof e||(e=c.from(e,n)),e}(e,s,i);s!==o&&(n=!0,i="buffer",s=o)}var a=e.objectMode?1:s.length;e.length+=a;var l=e.length-1))throw new b(t);return this._writableState.defaultEncoding=t,this},Object.defineProperty(T.prototype,"writableBuffer",{enumerable:!1,get:function(){return this._writableState&&this._writableState.getBuffer()}}),Object.defineProperty(T.prototype,"writableHighWaterMark",{enumerable:!1,get:function(){return this._writableState.highWaterMark}}),T.prototype._write=function(t,e,n){n(new h("_write()"))},T.prototype._writev=null,T.prototype.end=function(t,e,n){var s=this._writableState;return"function"==typeof t?(n=t,t=null,e=null):"function"==typeof e&&(n=e,e=null),null!=t&&this.write(t,e),s.corked&&(s.corked=1,this.uncork()),s.ending||function(t,e,n){e.ending=!0,P(t,e),n&&(e.finished?i.nextTick(n):t.once("finish",n)),e.ended=!0,t.writable=!1}(this,s,n),this},Object.defineProperty(T.prototype,"writableLength",{enumerable:!1,get:function(){return this._writableState.length}}),Object.defineProperty(T.prototype,"destroyed",{enumerable:!1,get:function(){return void 0!==this._writableState&&this._writableState.destroyed},set:function(t){this._writableState&&(this._writableState.destroyed=t)}}),T.prototype.destroy=u.destroy,T.prototype._undestroy=u.undestroy,T.prototype._destroy=function(t,e){e(t)}},65034:(t,e,n)=>{"use strict";var s,i=n(65606);function r(t,e,n){return(e=function(t){var e=function(t,e){if("object"!=typeof t||null===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:String(e)}(e))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}var o=n(14257),a=Symbol("lastResolve"),l=Symbol("lastReject"),c=Symbol("error"),d=Symbol("ended"),u=Symbol("lastPromise"),m=Symbol("handlePromise"),p=Symbol("stream");function f(t,e){return{value:t,done:e}}function h(t){var e=t[a];if(null!==e){var n=t[p].read();null!==n&&(t[u]=null,t[a]=null,t[l]=null,e(f(n,!1)))}}function g(t){i.nextTick(h,t)}var v=Object.getPrototypeOf((function(){})),w=Object.setPrototypeOf((r(s={get stream(){return this[p]},next:function(){var t=this,e=this[c];if(null!==e)return Promise.reject(e);if(this[d])return Promise.resolve(f(void 0,!0));if(this[p].destroyed)return new Promise((function(e,n){i.nextTick((function(){t[c]?n(t[c]):e(f(void 0,!0))}))}));var n,s=this[u];if(s)n=new Promise(function(t,e){return function(n,s){t.then((function(){e[d]?n(f(void 0,!0)):e[m](n,s)}),s)}}(s,this));else{var r=this[p].read();if(null!==r)return Promise.resolve(f(r,!1));n=new Promise(this[m])}return this[u]=n,n}},Symbol.asyncIterator,(function(){return this})),r(s,"return",(function(){var t=this;return new Promise((function(e,n){t[p].destroy(null,(function(t){t?n(t):e(f(void 0,!0))}))}))})),s),v);t.exports=function(t){var e,n=Object.create(w,(r(e={},p,{value:t,writable:!0}),r(e,a,{value:null,writable:!0}),r(e,l,{value:null,writable:!0}),r(e,c,{value:null,writable:!0}),r(e,d,{value:t._readableState.endEmitted,writable:!0}),r(e,m,{value:function(t,e){var s=n[p].read();s?(n[u]=null,n[a]=null,n[l]=null,t(f(s,!1))):(n[a]=t,n[l]=e)},writable:!0}),e));return n[u]=null,o(t,(function(t){if(t&&"ERR_STREAM_PREMATURE_CLOSE"!==t.code){var e=n[l];return null!==e&&(n[u]=null,n[a]=null,n[l]=null,e(t)),void(n[c]=t)}var s=n[a];null!==s&&(n[u]=null,n[a]=null,n[l]=null,s(f(void 0,!0))),n[d]=!0})),t.on("readable",g.bind(null,n)),n}},81766:(t,e,n)=>{"use strict";function s(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var s=Object.getOwnPropertySymbols(t);e&&(s=s.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,s)}return n}function i(t){for(var e=1;e0?this.tail.next=e:this.head=e,this.tail=e,++this.length}},{key:"unshift",value:function(t){var e={data:t,next:this.head};0===this.length&&(this.tail=e),this.head=e,++this.length}},{key:"shift",value:function(){if(0!==this.length){var t=this.head.data;return 1===this.length?this.head=this.tail=null:this.head=this.head.next,--this.length,t}}},{key:"clear",value:function(){this.head=this.tail=null,this.length=0}},{key:"join",value:function(t){if(0===this.length)return"";for(var e=this.head,n=""+e.data;e=e.next;)n+=t+e.data;return n}},{key:"concat",value:function(t){if(0===this.length)return l.alloc(0);for(var e,n,s,i=l.allocUnsafe(t>>>0),r=this.head,o=0;r;)e=r.data,n=i,s=o,l.prototype.copy.call(e,n,s),o+=r.data.length,r=r.next;return i}},{key:"consume",value:function(t,e){var n;return ti.length?i.length:t;if(r===i.length?s+=i:s+=i.slice(0,t),0==(t-=r)){r===i.length?(++n,e.next?this.head=e.next:this.head=this.tail=null):(this.head=e,e.data=i.slice(r));break}++n}return this.length-=n,s}},{key:"_getBuffer",value:function(t){var e=l.allocUnsafe(t),n=this.head,s=1;for(n.data.copy(e),t-=n.data.length;n=n.next;){var i=n.data,r=t>i.length?i.length:t;if(i.copy(e,e.length-t,0,r),0==(t-=r)){r===i.length?(++s,n.next?this.head=n.next:this.head=this.tail=null):(this.head=n,n.data=i.slice(r));break}++s}return this.length-=s,e}},{key:d,value:function(t,e){return c(this,i(i({},e),{},{depth:0,customInspect:!1}))}}])&&o(e.prototype,n),Object.defineProperty(e,"prototype",{writable:!1}),t}()},54347:(t,e,n)=>{"use strict";var s=n(65606);function i(t,e){o(t,e),r(t)}function r(t){t._writableState&&!t._writableState.emitClose||t._readableState&&!t._readableState.emitClose||t.emit("close")}function o(t,e){t.emit("error",e)}t.exports={destroy:function(t,e){var n=this,a=this._readableState&&this._readableState.destroyed,l=this._writableState&&this._writableState.destroyed;return a||l?(e?e(t):t&&(this._writableState?this._writableState.errorEmitted||(this._writableState.errorEmitted=!0,s.nextTick(o,this,t)):s.nextTick(o,this,t)),this):(this._readableState&&(this._readableState.destroyed=!0),this._writableState&&(this._writableState.destroyed=!0),this._destroy(t||null,(function(t){!e&&t?n._writableState?n._writableState.errorEmitted?s.nextTick(r,n):(n._writableState.errorEmitted=!0,s.nextTick(i,n,t)):s.nextTick(i,n,t):e?(s.nextTick(r,n),e(t)):s.nextTick(r,n)})),this)},undestroy:function(){this._readableState&&(this._readableState.destroyed=!1,this._readableState.reading=!1,this._readableState.ended=!1,this._readableState.endEmitted=!1),this._writableState&&(this._writableState.destroyed=!1,this._writableState.ended=!1,this._writableState.ending=!1,this._writableState.finalCalled=!1,this._writableState.prefinished=!1,this._writableState.finished=!1,this._writableState.errorEmitted=!1)},errorOrDestroy:function(t,e){var n=t._readableState,s=t._writableState;n&&n.autoDestroy||s&&s.autoDestroy?t.destroy(e):t.emit("error",e)}}},14257:(t,e,n)=>{"use strict";var s=n(12463).F.ERR_STREAM_PREMATURE_CLOSE;function i(){}t.exports=function t(e,n,r){if("function"==typeof n)return t(e,null,n);n||(n={}),r=function(t){var e=!1;return function(){if(!e){e=!0;for(var n=arguments.length,s=new Array(n),i=0;i{t.exports=function(){throw new Error("Readable.from is not available in the browser")}},5267:(t,e,n)=>{"use strict";var s,i=n(12463).F,r=i.ERR_MISSING_ARGS,o=i.ERR_STREAM_DESTROYED;function a(t){if(t)throw t}function l(t){t()}function c(t,e){return t.pipe(e)}t.exports=function(){for(var t=arguments.length,e=new Array(t),i=0;i0,(function(t){d||(d=t),t&&m.forEach(l),r||(m.forEach(l),u(d))}))}));return e.reduce(c)}},66644:(t,e,n)=>{"use strict";var s=n(12463).F.ERR_INVALID_OPT_VALUE;t.exports={getHighWaterMark:function(t,e,n,i){var r=function(t,e,n){return null!=t.highWaterMark?t.highWaterMark:e?t[n]:null}(e,i,n);if(null!=r){if(!isFinite(r)||Math.floor(r)!==r||r<0)throw new s(i?n:"highWaterMark",r);return Math.floor(r)}return t.objectMode?16:16384}}},41396:(t,e,n)=>{t.exports=n(37007).EventEmitter},83141:(t,e,n)=>{"use strict";var s=n(92861).Buffer,i=s.isEncoding||function(t){switch((t=""+t)&&t.toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":case"raw":return!0;default:return!1}};function r(t){var e;switch(this.encoding=function(t){var e=function(t){if(!t)return"utf8";for(var e;;)switch(t){case"utf8":case"utf-8":return"utf8";case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return"utf16le";case"latin1":case"binary":return"latin1";case"base64":case"ascii":case"hex":return t;default:if(e)return;t=(""+t).toLowerCase(),e=!0}}(t);if("string"!=typeof e&&(s.isEncoding===i||!i(t)))throw new Error("Unknown encoding: "+t);return e||t}(t),this.encoding){case"utf16le":this.text=l,this.end=c,e=4;break;case"utf8":this.fillLast=a,e=4;break;case"base64":this.text=d,this.end=u,e=3;break;default:return this.write=m,void(this.end=p)}this.lastNeed=0,this.lastTotal=0,this.lastChar=s.allocUnsafe(e)}function o(t){return t<=127?0:t>>5==6?2:t>>4==14?3:t>>3==30?4:t>>6==2?-1:-2}function a(t){var e=this.lastTotal-this.lastNeed,n=function(t,e,n){if(128!=(192&e[0]))return t.lastNeed=0,"�";if(t.lastNeed>1&&e.length>1){if(128!=(192&e[1]))return t.lastNeed=1,"�";if(t.lastNeed>2&&e.length>2&&128!=(192&e[2]))return t.lastNeed=2,"�"}}(this,t);return void 0!==n?n:this.lastNeed<=t.length?(t.copy(this.lastChar,e,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal)):(t.copy(this.lastChar,e,0,t.length),void(this.lastNeed-=t.length))}function l(t,e){if((t.length-e)%2==0){var n=t.toString("utf16le",e);if(n){var s=n.charCodeAt(n.length-1);if(s>=55296&&s<=56319)return this.lastNeed=2,this.lastTotal=4,this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1],n.slice(0,-1)}return n}return this.lastNeed=1,this.lastTotal=2,this.lastChar[0]=t[t.length-1],t.toString("utf16le",e,t.length-1)}function c(t){var e=t&&t.length?this.write(t):"";if(this.lastNeed){var n=this.lastTotal-this.lastNeed;return e+this.lastChar.toString("utf16le",0,n)}return e}function d(t,e){var n=(t.length-e)%3;return 0===n?t.toString("base64",e):(this.lastNeed=3-n,this.lastTotal=3,1===n?this.lastChar[0]=t[t.length-1]:(this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1]),t.toString("base64",e,t.length-n))}function u(t){var e=t&&t.length?this.write(t):"";return this.lastNeed?e+this.lastChar.toString("base64",0,3-this.lastNeed):e}function m(t){return t.toString(this.encoding)}function p(t){return t&&t.length?this.write(t):""}e.I=r,r.prototype.write=function(t){if(0===t.length)return"";var e,n;if(this.lastNeed){if(void 0===(e=this.fillLast(t)))return"";n=this.lastNeed,this.lastNeed=0}else n=0;return n=0?(i>0&&(t.lastNeed=i-1),i):--s=0?(i>0&&(t.lastNeed=i-2),i):--s=0?(i>0&&(2===i?i=0:t.lastNeed=i-3),i):0}(this,t,e);if(!this.lastNeed)return t.toString("utf8",e);this.lastTotal=n;var s=t.length-(n-this.lastNeed);return t.copy(this.lastChar,0,s),t.toString("utf8",e,s)},r.prototype.fillLast=function(t){if(this.lastNeed<=t.length)return t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal);t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,t.length),this.lastNeed-=t.length}},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},94643:(t,e,n)=>{var s=n(96763);function i(t){try{if(!n.g.localStorage)return!1}catch(t){return!1}var e=n.g.localStorage[t];return null!=e&&"true"===String(e).toLowerCase()}t.exports=function(t,e){if(i("noDeprecation"))return t;var n=!1;return function(){if(!n){if(i("throwDeprecation"))throw new Error(e);i("traceDeprecation")?s.trace(e):s.warn(e),n=!0}return t.apply(this,arguments)}}},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""},i=function(t){return t.replace("]]>","]]]]>")},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;s0&&(c[t.options.childkey]=u),u=c;return s.length>0?t.assignOrPush(h,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":"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=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)+""),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)+""+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=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,h,g,v,w,A={}.hasOwnProperty;w=n(49241),v=w.isObject,g=w.isFunction,h=w.isEmpty,f=w.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":(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;nn},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;s0){for(this.stream.write(" ["),this.stream.write(this.endline(t,e,n)),e.state=s.InsideTag,r=0,o=(a=t.children).length;r"),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("")):(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")}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("");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","]]]]>"),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,"&").replace(//g,">").replace(/\r/g," "))},t.prototype.attEscape=function(t){var e;return this.options.noValidation?t:(e=this.options.noDoubleEncoding?/(?!&\S+;)&/g:/&/g,t.replace(e,"&").replace(/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)+""+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)+"",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+="0){for(a+=" [",a+=this.endline(t,e,n),e.state=s.InsideTag,r=0,o=(l=t.children).length;r",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,h,g,v,w,A;for(f in i||(i=0),h=!1,g="",this.openNode(t,n,i),n.state=s.OpenTag,g+=this.indent(t,n,i)+"<"+t.name,v=t.attribs)r.call(v,f)&&(o=v[f],g+=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?(g+=">",n.state=s.CloseTag,g+=""+this.endline(t,n,i)):(n.state=s.CloseTag,g+=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=(w=t.children).length;d"+this.endline(t,n,i),n.state=s.InsideTag,u=0,p=(A=t.children).length;u",h&&n.suppressPrettyCount--,g+=this.endline(t,n,i),n.state=s.None}else g+=">",n.state=s.InsideTag,n.suppressPrettyCount++,h=!0,g+=this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,h=!1,n.state=s.CloseTag,g+=""+this.endline(t,n,i);return this.closeNode(t,n,i),g},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)+"",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)+""+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)+""+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)+""+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)+""+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"},63779:()=>{},99580:()=>{},35810:(t,e,n)=>{"use strict";n.d(e,{Al:()=>U,By:()=>v,H4:()=>O,PY:()=>B,Q$:()=>D,R3:()=>x,Ss:()=>oe,VL:()=>_,ZH:()=>P,aX:()=>w,bP:()=>N,bh:()=>V,hY:()=>h,lJ:()=>F,m1:()=>le,m9:()=>f,pt:()=>k,qK:()=>g,v7:()=>M,vb:()=>T,vd:()=>I,zI:()=>L});var s=n(21777),i=n(84697),r=n(43627),o=n(71089),a=n(66656),l=n(44719),c=n(36117),d=n(2568);const u=null===(m=(0,s.HW)())?(0,i.YK)().setApp("files").build():(0,i.YK)().setApp("files").setUid(m.uid).build();var m;class p{_entries=[];registerEntry(t){this.validateEntry(t),t.category=t.category??1,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):u.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")}}var f=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(f||{});class h{_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(f).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 g=function(){return void 0===window._nc_fileactions&&(window._nc_fileactions=[],u.debug("FileActions initialized")),window._nc_fileactions},v=function(){return void 0===window._nc_filelistheader&&(window._nc_filelistheader=[],u.debug("FileListHeaders initialized")),window._nc_filelistheader};var w=(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))(w||{});const A=["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"],y={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},b=function(){return void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...A]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")},C=function(){return void 0===window._nc_dav_namespaces&&(window._nc_dav_namespaces={...y}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")},_=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${b()}\n\t\t\t\n\t\t`},x=function(t){return`\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${b()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${(0,s.HW)()?.uid}/\n\t\t\t\tinfinity\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\thttpd/unix-directory\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t0\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t${t}\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t100\n\t\t\t0\n\t\t\n\t\n`},T=function(t=""){let e=w.NONE;return t?((t.includes("C")||t.includes("K"))&&(e|=w.CREATE),t.includes("G")&&(e|=w.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=w.UPDATE),t.includes("D")&&(e|=w.DELETE),t.includes("R")&&(e|=w.SHARE),e):e};var k=(t=>(t.Folder="folder",t.File="file",t))(k||{});const E=function(t,e){return null!==t.match(e)},S=(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(t){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>=w.NONE&&t.permissions<=w.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&&E(t.source,e)){const n=t.source.match(e)[0];if(!t.source.includes((0,r.join)(n,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(L).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var L=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(L||{});class N{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;readonlyAttributes=Object.entries(Object.getOwnPropertyDescriptors(N.prototype)).filter((t=>"function"==typeof t[1].get&&"__proto__"!==t[0])).map((t=>t[0]));handler={set:(t,e,n)=>!this.readonlyAttributes.includes(e)&&(this.updateMtime(),Reflect.set(t,e,n)),deleteProperty:(t,e)=>!this.readonlyAttributes.includes(e)&&(this.updateMtime(),Reflect.deleteProperty(t,e)),get:(t,e,n)=>this.readonlyAttributes.includes(e)?(u.warn(`Accessing "Node.attributes.${e}" is deprecated, access it directly on the Node instance.`),Reflect.get(this,e)):Reflect.get(t,e,n)};constructor(t,e){S(t,e||this._knownDavService),this._data={...t,attributes:{}},this._attributes=new Proxy(this._data.attributes,this.handler),this.update(t.attributes??{}),this._data.mtime=t.mtime,e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,o.O0)(this.source.slice(t.length))}get basename(){return(0,r.basename)(this.source)}get extension(){return(0,r.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,r.dirname)(t.slice(e+n.length)||"/")}const t=new URL(this.source);return(0,r.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}set size(t){this.updateMtime(),this._data.size=t}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:w.NONE:w.READ}set permissions(t){this.updateMtime(),this._data.permissions=t}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return E(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,r.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}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){S({...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,r.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}update(t){for(const[e,n]of Object.entries(t))try{void 0===n?delete this.attributes[e]:this.attributes[e]=n}catch(t){if(t instanceof TypeError)continue;throw t}}}class P extends N{get type(){return k.File}}class I extends N{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return k.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const F=`/files/${(0,s.HW)()?.uid}`,B=(0,a.dC)("dav"),O=function(t=B,e={}){const n=(0,l.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,l.Gu)().patch("fetch",((t,e)=>{const n=e.headers;return n?.method&&(e.method=n.method,delete n.method),fetch(t,e)})),n},D=(t,e="/",n=F)=>{const s=new AbortController;return new c.CancelablePromise((async(i,r,o)=>{o((()=>s.abort()));try{i((await t.getDirectoryContents(`${n}${e}`,{signal:s.signal,details:!0,data:`\n\t\t\n\t\t\t\n\t\t\t\t${b()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`,headers:{method:"REPORT"},includeSelf:!0})).data.filter((t=>t.filename!==e)).map((t=>U(t,n))))}catch(t){r(t)}}))},U=function(t,e=F,n=B){let i=(0,s.HW)()?.uid;const r=document.querySelector("input#isPublic")?.value;if(r)i=i??document.querySelector("input#sharingUserId")?.value,i=i??"anonymous";else if(!i)throw new Error("No user id found");const o=t.props,a=T(o?.permissions),l=String(o?.["owner-id"]||i),c={id:o?.fileid||0,source:`${n}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime||"application/octet-stream",size:o?.size||Number.parseInt(o.getcontentlength||"0"),permissions:a,owner:l,root:e,attributes:{...t,...o,hasPreview:o?.["has-preview"]}};return delete c.attributes?.props,"file"===t.type?new P(c):new I(c)};window._oc_config,window._oc_config?.blacklist_files_regex&&new RegExp(window._oc_config.blacklist_files_regex);const j=["B","KB","MB","GB","TB","PB"],R=["B","KiB","MiB","GiB","TiB","PiB"];function M(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?R.length:j.length)-1,i);const r=n?R[i]:j[i];let o=(t/Math.pow(s?1e3:1024,i)).toFixed(1);return!0===e&&0===i?("0.0"!==o?"< 1 ":"0 ")+(n?R[1]:j[1]):(o=i<2?parseFloat(o).toFixed(0):parseFloat(o).toLocaleString((0,d.lO)()),o+" "+r)}class z{_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 V=function(){return void 0===window._nc_navigation&&(window._nc_navigation=new z,u.debug("Navigation service initialized")),window._nc_navigation};class ${_column;constructor(t){q(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 q=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 H={},W={};!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 void 0!==t},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;r5&&"xml"===s)return it("InvalidXml","XML declaration allowed only at the start of the document.",ot(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}}return e}function X(t,e){if(t.length>e+5&&"-"===t[e+1]&&"-"===t[e+2]){for(e+=3;e"===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[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[e+2]){e+=2;break}return e}H.validate=function(t,e){e=Object.assign({},Y,e);const n=[];let s=!1,i=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let o=0;o"!==t[o]&&" "!==t[o]&&"\t"!==t[o]&&"\n"!==t[o]&&"\r"!==t[o];o++)c+=t[o];if(c=c.trim(),"/"===c[c.length-1]&&(c=c.substring(0,c.length-1),o--),r=c,!G.isName(r)){let e;return e=0===c.trim().length?"Invalid space after '<'.":"Tag '"+c+"' is an invalid name.",it("InvalidTag",e,ot(t,o))}const d=tt(t,o);if(!1===d)return it("InvalidAttr","Attributes for '"+c+"' have open quote.",ot(t,o));let u=d.value;if(o=d.index,"/"===u[u.length-1]){const n=o-u.length;u=u.substring(0,u.length-1);const i=nt(u,e);if(!0!==i)return it(i.err.code,i.err.msg,ot(t,n+i.err.line));s=!0}else if(l){if(!d.tagClosed)return it("InvalidTag","Closing tag '"+c+"' doesn't have proper closing.",ot(t,o));if(u.trim().length>0)return it("InvalidTag","Closing tag '"+c+"' can't have attributes or invalid starting.",ot(t,a));if(0===n.length)return it("InvalidTag","Closing tag '"+c+"' has not been opened.",ot(t,a));{const e=n.pop();if(c!==e.tagName){let n=ot(t,e.tagStartPos);return it("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+n.line+", col "+n.col+") instead of closing tag '"+c+"'.",ot(t,a))}0==n.length&&(i=!0)}}else{const r=nt(u,e);if(!0!==r)return it(r.err.code,r.err.msg,ot(t,o-u.length+r.err.line));if(!0===i)return it("InvalidXml","Multiple possible root nodes found.",ot(t,o));-1!==e.unpairedTags.indexOf(c)||n.push({tagName:c,tagStartPos:a}),s=!0}for(o++;o0)||it("InvalidXml","Invalid '"+JSON.stringify(n.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):it("InvalidXml","Start tag expected.",1)};const J='"',Z="'";function tt(t,e){let n="",s="",i=!1;for(;e"===t[e]&&""===s){i=!0;break}n+=t[e]}return""===s&&{value:n,index:e,tagClosed:i}}const et=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function nt(t,e){const n=G.getAllMatches(t,et),s={};for(let t=0;t!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=W;function ut(t,e){let n="";for(;e0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},_t=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[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&&ht(t,e))e+=8;else if(i&>(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}},xt=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&&wt.test(n))return Number.parseInt(n,16);{const i=At.exec(n);if(i){const r=i[1],o=i[2];let a=(s=i[3])&&-1!==s.indexOf(".")?("."===(s=s.replace(/0+$/,""))?s="0":"."===s[0]?s="0"+s:"."===s[s.length-1]&&(s=s.substr(0,s.length-1)),s):s;const l=i[4]||i[6];if(!e.leadingZeros&&o.length>0&&r&&"."!==n[2])return t;if(!e.leadingZeros&&o.length>0&&!r&&"."!==n[1])return t;{const s=Number(n),i=""+s;return-1!==i.search(/[eE]/)||l?e.eNotation?s:t:-1!==n.indexOf(".")?"0"===i&&""===a||i===a||r&&i==="-"+a?s:t:o?a===i||r+a===i?s:t:n===i||n===r+i?s:t}}return t}var s};function Tt(t){const e=Object.keys(t);for(let n=0;n0)){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",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: `);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);else{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=_t(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)"/"===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),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 Pt(t,e,n){const s=this.options.updateTag(e.tagname,n,e[":@"]);!1===s||("string"==typeof s?(e.tagname=s,t.addChild(e)):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 Ft(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",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&&xt(t,n)}return bt.isExist(t)?t:""}var Rt={};function Mt(t,e,n){let s;const i={};for(let r=0;r0&&(i[e.textNodeName]=s):void 0!==s&&(i[e.textNodeName]=s),i}function zt(t){const e=Object.keys(t);for(let t=0;t"},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:"₹"},num_dec:{regex:/&#([0-9]{1,7});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,10))},num_hex:{regex:/&#x([0-9a-fA-F]{1,6});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,16))}},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=Ft,this.addChild=Pt}},{prettify:Wt}=Rt,Gt=H;function Yt(t,e,n,s){let i="",r=!1;for(let o=0;o`,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}`:(i+=u+">",m&&""!==s&&(m.includes("/>")||m.includes("`):i+=u+"/>",r=!0}return i}function Kt(t){const e=Object.keys(t);for(let n=0;n0&&e.processEntities)for(let n=0;n0&&(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:"&"},{regex:new RegExp(">","g"),val:">"},{regex:new RegExp("<","g"),val:"<"},{regex:new RegExp("'","g"),val:"'"},{regex:new RegExp('"',"g"),val:"""}],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(void 0===t[i])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"+t+i}},ee.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`>`+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+"0&&this.options.processEntities)for(let e=0;e0&&(!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)return!1;if(!0!==re.XMLValidator.validate(t))return!1;let e;const n=new re.XMLParser;try{e=n.parse(t)}catch{return!1}return!!e&&!!Object.keys(e).some((t=>"svg"===t.toLowerCase()))}(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 $))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(void 0===window._nc_newfilemenu&&(window._nc_newfilemenu=new p,u.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),h=n(30521),g={};g.styleTagTransform=f(),g.setAttributes=d(),g.insert=l().bind(null,"head"),g.domAPI=o(),g.insertStyleElement=m(),i()(h.A,g),h.A&&h.A.locals&&h.A.locals;var v=n(53110),w=n(71089),A=n(35810),y=n(88164),b=n(21777),C=n(26287);class _ extends Error{constructor(t){super(t||"Promise was canceled"),this.name="CancelError"}get isCanceled(){return!0}}const x=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=x.pending;#s;#i;constructor(t){this.#s=new Promise(((e,n)=>{this.#i=n;const s=t=>{if(this.#n!==x.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===x.canceled&&s.shouldReject||(e(t),this.#r(x.resolved))}),(t=>{this.#n===x.canceled&&s.shouldReject||(n(t),this.#r(x.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===x.pending){if(this.#r(x.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 _(t))}}get isCanceled(){return this.#n===x.canceled}#r(t){this.#n===x.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 P{#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;#h;#g=0;#v;#w;#A;timeout;constructor(t){if(super(),!("number"==typeof(t={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:P,...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.#h=t.queueClass,this.concurrency=t.concurrency,this.timeout=t.timeout,this.#A=!0===t.throwOnTimeout,this.#w=!1===t.autoStart}get#y(){return this.#l||this.#c{this.#x()}),e)),!0;this.#c=this.#a?this.#g:0}return!1}#_(){if(0===this.#o.size)return this.#p&&clearInterval(this.#p),this.#p=void 0,this.emit("empty"),0===this.#g&&this.emit("idle"),!1;if(!this.#w){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.#g&&this.#p&&(clearInterval(this.#p),this.#p=void 0),this.#c=this.#a?this.#g:0,this.#S()}#S(){for(;this.#_(););}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.#A,...e},new Promise(((n,s)=>{this.#o.enqueue((async()=>{this.#g++,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.#_()}))}async addAll(t,e){return Promise.all(t.map((async t=>this.add(t,e))))}start(){return this.#w?(this.#w=!1,this.#S(),this):this}pause(){this.#w=!0}clear(){this.#o=new this.#h}async onEmpty(){0!==this.#o.size&&await this.#N("empty")}async onSizeLessThan(t){this.#o.sizethis.#o.size{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.#g}get isPaused(){return this.#w}}var F=n(53529),B=n(85168),O=n(75270),D=n(85471),U=n(63420),j=n(24764),R=n(9518),M=n(6695),z=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,F.YK)().setApp("uploader").build():(0,F.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 A.vd({id:0,owner:t,permissions:A.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,w.O0)(s.slice(i.length));Y.debug(`Uploading ${e.name} to ${r}`);const o=H(e.size),a=0===o||e.size{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;tq(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 , 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 , 2024\n"},msgstr:["Last-Translator: Ali , 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 , 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 , 2023\n"},msgstr:["Last-Translator: enolp , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rashad Aliyev , 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 , 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 , 2022\nToni Hermoso Pulido , 2022\n"},msgstr:["Last-Translator: Toni Hermoso Pulido , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Pavel Borecki , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Michal Šmahel , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Martin Bonde , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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æ , 2023\nAndi Chandler , 2023\n"},msgstr:["Last-Translator: Andi Chandler , 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æ , 2023\nFranciscoFJ , 2023\nNext Cloud , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Unai Tolosa Pontesta , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Jiri Grönroos , 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 , 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æ , 2023\nNacho , 2023\nMiguel Anxo Bouzada , 2023\n"},msgstr:["Last-Translator: Miguel Anxo Bouzada , 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ó , 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 , 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æ , 2023\nEmpty Slot Filler, 2023\nLinerly , 2023\n"},msgstr:["Last-Translator: Linerly , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Sveinn í Felli , 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æ , 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æ , 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":"Сашко Тодоров , 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Сашко Тодоров , 2022\n"},msgstr:["Last-Translator: Сашко Тодоров , 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æ , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rico , 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æ , 2023\nM H , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Leonardo Colman Lopes , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Manuela Silva , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Mădălin Vasiliu , 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æ , 2023\nMax Smith , 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æ , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Phongpanot Phairat , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Kaya Zeren , 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 , 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 , 2024\n"},msgstr:["Last-Translator: O St , 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æ , 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æ , 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æ , 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":"黃柏諺 , 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黃柏諺 , 2024\n"},msgstr:["Last-Translator: 黃柏諺 , 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:R.A,NcIconSvgWrapper:M.A,NcProgressBar:z.A,Plus:tt,Upload:et},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:A.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,A.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:h,HttpStatusCode:g,formToJSON:v,getAdapter:w,mergeConfig:A}=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=i)&&Object.keys(o.O).every((t=>o.O[t](n[l])))?n.splice(l--,1):(a=!1,i0&&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="+{1110:"2909496e7e35d6258214",6075:"f8e1d39004c19c13e598",8902:"bb2f9be8a039f8db7e58"}[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{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);co(23317)));a=o.O(a)})(); -//# sourceMappingURL=files-main.js.map?v=81a78414ce5b0f853573 \ 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{"use strict";var i={};s.r(i),s.d(i,{exclude:()=>Lt,extract:()=>_t,parse:()=>xt,parseUrl:()=>kt,pick:()=>St,stringify:()=>Tt,stringifyUrl:()=>Et});var r={};s.r(r),s.d(r,{KU:()=>Ks,wA:()=>Gs});var o=s(19166),a=s(63757),l=s(96763);let c;const d=t=>c=t,u=Symbol();function m(t){return t&&"object"==typeof t&&"[object Object]"===Object.prototype.toString.call(t)&&"function"!=typeof t.toJSON}var p;!function(t){t.direct="direct",t.patchObject="patch object",t.patchFunction="patch function"}(p||(p={}));const f="undefined"!=typeof window,h="undefined"!=typeof __VUE_PROD_DEVTOOLS__&&__VUE_PROD_DEVTOOLS__&&f,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 v(t,e,n){const s=new XMLHttpRequest;s.open("GET",t),s.responseType="blob",s.onload=function(){C(s.response,e,n)},s.onerror=function(){l.error("could not download file")},s.send()}function w(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 y="object"==typeof navigator?navigator:{userAgent:""},b=(()=>/Macintosh/.test(y.userAgent)&&/AppleWebKit/.test(y.userAgent)&&!/Safari/.test(y.userAgent))(),C=f?"undefined"!=typeof HTMLAnchorElement&&"download"in HTMLAnchorElement.prototype&&!b?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?w(s.href)?v(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 y?function(t,e="download",n){if("string"==typeof t)if(w(t))v(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 v(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||b)&&"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 _(t,e){const n="🍍 "+t;"function"==typeof __VUE_DEVTOOLS_TOAST__?__VUE_DEVTOOLS_TOAST__(n,e):"error"===e?l.error(n):"warn"===e?l.warn(n):l.log(n)}function x(t){return"_a"in t&&"install"in t}function T(){if(!("clipboard"in navigator))return _("Your browser doesn't support the Clipboard API","error"),!0}function k(t){return!!(t instanceof Error&&t.message.toLowerCase().includes("document is not focused"))&&(_('You need to activate the "Emulate a focused page" setting in the "Rendering" panel of devtools.',"warn"),!0)}let E;function S(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 L(t){return{_custom:{display:t}}}const N="🍍 Pinia (root)",P="_root";function F(t){return x(t)?{id:P,label:N}:{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:L(t.type),key:L(t.key),oldValue:t.oldValue,newValue:t.newValue}:{}}function B(t){switch(t){case p.direct:return"mutation";case p.patchFunction:case p.patchObject:return"$patch";default:return"unknown"}}let O=!0;const D=[],U="pinia:mutations",j="pinia",{assign:R}=Object,M=t=>"🍍 "+t;function z(t,e){(0,a.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:D,app:t},(n=>{"function"!=typeof n.now&&_("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:U,label:"Pinia 🍍",color:15064968}),n.addInspector({id:j,label:"Pinia 🍍",icon:"storage",treeFilterPlaceholder:"Search stores",actions:[{icon:"content_copy",action:()=>{!async function(t){if(!T())try{await navigator.clipboard.writeText(JSON.stringify(t.state.value)),_("Global state copied to clipboard.")}catch(t){if(k(t))return;_("Failed to serialize the state. Check the console for more details.","error"),l.error(t)}}(e)},tooltip:"Serialize and copy the state"},{icon:"content_paste",action:async()=>{await async function(t){if(!T())try{S(t,JSON.parse(await navigator.clipboard.readText())),_("Global state pasted from clipboard.")}catch(t){if(k(t))return;_("Failed to deserialize the state from clipboard. Check the console for more details.","error"),l.error(t)}}(e),n.sendInspectorTree(j),n.sendInspectorState(j)},tooltip:"Replace the state with the content of your clipboard"},{icon:"save",action:()=>{!async function(t){try{C(new Blob([JSON.stringify(t.state.value)],{type:"text/plain;charset=utf-8"}),"pinia-state.json")}catch(t){_("Failed to export the state as JSON. Check the console for more details.","error"),l.error(t)}}(e)},tooltip:"Save the state as a JSON file"},{icon:"folder_open",action:async()=>{await async function(t){try{const e=(E||(E=document.createElement("input"),E.type="file",E.accept=".json"),function(){return new Promise(((t,e)=>{E.onchange=async()=>{const e=E.files;if(!e)return t(null);const n=e.item(0);return t(n?{text:await n.text(),file:n}:null)},E.oncancel=()=>t(null),E.onerror=e,E.click()}))}),n=await e();if(!n)return;const{text:s,file:i}=n;S(t,JSON.parse(s)),_(`Global state imported from "${i.name}".`)}catch(t){_("Failed to import the state from JSON. Check the console for more details.","error"),l.error(t)}}(e),n.sendInspectorTree(j),n.sendInspectorState(j)},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?_(`Cannot reset "${t}" store because it doesn't have a "$reset" method implemented.`,"warn"):(n.$reset(),_(`Store "${t}" reset.`)):_(`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:M(e.$id),key:"state",editable:!0,value:e._isOptionsAPI?{_custom:{value:(0,o.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:M(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===j){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()):N.toLowerCase().includes(n.filter.toLowerCase()))):t).map(F)}})),n.on.getInspectorState((n=>{if(n.app===t&&n.inspectorId===j){const t=n.nodeId===P?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===j){const t=n.nodeId===P?e:e._s.get(n.nodeId);if(!t)return _(`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"),O=!1,n.set(t,s,n.state.value),O=!0}})),n.on.editComponentState((t=>{if(t.type.startsWith("🍍")){const n=t.type.replace(/^🍍\s*/,""),s=e._s.get(n);if(!s)return _(`store "${n}" not found`,"error");const{path:i}=t;if("state"!==i[0])return _(`Invalid path for store "${n}":\n${i}\nOnly state can be modified.`);i[0]="$state",O=!1,t.set(s,i,t.state.value),O=!0}}))}))}let V,$=0;function q(t,e,n){const s=e.reduce(((e,n)=>(e[n]=(0,o.ux)(t)[n],e)),{});for(const e in s)t[e]=function(){const i=$,r=n?new Proxy(t,{get:(...t)=>(V=i,Reflect.get(...t)),set:(...t)=>(V=i,Reflect.set(...t))}):t;V=i;const o=s[e].apply(r,arguments);return V=void 0,o}}function H({app:t,store:e,options:n}){if(e.$id.startsWith("__hot:"))return;e._isOptionsAPI=!!n.state,q(e,Object.keys(n.actions),e._isOptionsAPI);const s=e._hotUpdate;(0,o.ux)(e)._hotUpdate=function(t){s.apply(this,arguments),q(e,Object.keys(t._hmrPayload.actions),!!e._isOptionsAPI)},function(t,e){D.includes(M(e.$id))||D.push(M(e.$id)),(0,a.$q)({id:"dev.esm.pinia",label:"Pinia 🍍",logo:"https://pinia.vuejs.org/logo.svg",packageName:"pinia",homepage:"https://pinia.vuejs.org",componentStateTypes:D,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=$++;t.addTimelineEvent({layerId:U,event:{time:n(),title:"🛫 "+r,subtitle:"start",data:{store:L(e.$id),action:L(r),args:o},groupId:a}}),s((s=>{V=void 0,t.addTimelineEvent({layerId:U,event:{time:n(),title:"🛬 "+r,subtitle:"end",data:{store:L(e.$id),action:L(r),args:o,result:s},groupId:a}})})),i((s=>{V=void 0,t.addTimelineEvent({layerId:U,event:{time:n(),logType:"error",title:"💥 "+r,subtitle:"end",data:{store:L(e.$id),action:L(r),args:o,error:s},groupId:a}})}))}),!0),e._customProperties.forEach((s=>{(0,o.wB)((()=>(0,o.R1)(e[s])),((e,i)=>{t.notifyComponentUpdate(),t.sendInspectorState(j),O&&t.addTimelineEvent({layerId:U,event:{time:n(),title:"Change",subtitle:s,data:{newValue:e,oldValue:i},groupId:V}})}),{deep:!0})})),e.$subscribe((({events:s,type:i},r)=>{if(t.notifyComponentUpdate(),t.sendInspectorState(j),!O)return;const o={time:n(),title:B(i),data:R({store:L(e.$id)},I(s)),groupId:V};i===p.patchFunction?o.subtitle="⤵️":i===p.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:U,event:o})}),{detached:!0,flush:"sync"});const s=e._hotUpdate;e._hotUpdate=(0,o.IG)((i=>{s(i),t.addTimelineEvent({layerId:U,event:{time:n(),title:"🔥 "+e.$id,subtitle:"HMR update",data:{store:L(e.$id),info:L("HMR update")}}}),t.notifyComponentUpdate(),t.sendInspectorTree(j),t.sendInspectorState(j)}));const{$dispose:i}=e;e.$dispose=()=>{i(),t.notifyComponentUpdate(),t.sendInspectorTree(j),t.sendInspectorState(j),t.getSettings().logStoreChanges&&_(`Disposed "${e.$id}" store 🗑`)},t.notifyComponentUpdate(),t.sendInspectorTree(j),t.sendInspectorState(j),t.getSettings().logStoreChanges&&_(`"${e.$id}" store installed 🆕`)}))}(t,e)}const W=()=>{};function G(t,e,n,s=W){t.push(e);const i=()=>{const n=t.indexOf(e);n>-1&&(t.splice(n,1),s())};return!n&&(0,o.o5)()&&(0,o.jr)(i),i}function Y(t,...e){t.slice().forEach((t=>{t(...e)}))}const K=t=>t();function Q(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];m(i)&&m(s)&&t.hasOwnProperty(n)&&!(0,o.i9)(s)&&!(0,o.g8)(s)?t[n]=Q(i,s):t[n]=s}return t}const X=Symbol(),J=new WeakMap,{assign:Z}=Object;function tt(t,e,n={},s,i,r){let a;const l=Z({actions:{}},n),c={deep:!0};let u,f,g,v=[],w=[];const A=s.state.value[t];r||A||(o.LE?(0,o.hZ)(s.state.value,t,{}):s.state.value[t]={});const y=(0,o.KR)({});let b;function C(e){let n;u=f=!1,"function"==typeof e?(e(s.state.value[t]),n={type:p.patchFunction,storeId:t,events:g}):(Q(s.state.value[t],e),n={type:p.patchObject,payload:e,storeId:t,events:g});const i=b=Symbol();(0,o.dY)().then((()=>{b===i&&(u=!0)})),f=!0,Y(v,n,s.state.value[t])}const _=r?function(){const{state:t}=n,e=t?t():{};this.$patch((t=>{Z(t,e)}))}:W;function x(e,n){return function(){d(s);const i=Array.from(arguments),r=[],o=[];let a;Y(w,{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 Y(o,t),t}return a instanceof Promise?a.then((t=>(Y(r,t),t))).catch((t=>(Y(o,t),Promise.reject(t)))):(Y(r,a),a)}}const T=(0,o.IG)({actions:{},getters:{},state:[],hotState:y}),k={_p:s,$id:t,$onAction:G.bind(null,w),$patch:C,$reset:_,$subscribe(e,n={}){const i=G(v,e,n.detached,(()=>r())),r=a.run((()=>(0,o.wB)((()=>s.state.value[t]),(s=>{("sync"===n.flush?f:u)&&e({storeId:t,type:p.direct,events:g},s)}),Z({},c,n))));return i},$dispose:function(){a.stop(),v=[],w=[],s._s.delete(t)}};o.LE&&(k._r=!1);const E=(0,o.Kh)(h?Z({_hmrPayload:T,_customProperties:(0,o.IG)(new Set)},k):k);s._s.set(t,E);const S=(s._a&&s._a.runWithContext||K)((()=>s._e.run((()=>(a=(0,o.uY)()).run(e)))));for(const e in S){const n=S[e];if((0,o.i9)(n)&&(N=n,!(0,o.i9)(N)||!N.effect)||(0,o.g8)(n))r||(!A||(L=n,o.LE?J.has(L):m(L)&&L.hasOwnProperty(X))||((0,o.i9)(n)?n.value=A[e]:Q(n,A[e])),o.LE?(0,o.hZ)(s.state.value[t],e,n):s.state.value[t][e]=n);else if("function"==typeof n){const t=x(e,n);o.LE?(0,o.hZ)(S,e,t):S[e]=t,l.actions[e]=n}}var L,N;if(o.LE?Object.keys(S).forEach((t=>{(0,o.hZ)(E,t,S[t])})):(Z(E,S),Z((0,o.ux)(E),S)),Object.defineProperty(E,"$state",{get:()=>s.state.value[t],set:t=>{C((e=>{Z(e,t)}))}}),h){const t={writable:!0,configurable:!0,enumerable:!1};["_p","_hmrPayload","_getters","_customProperties"].forEach((e=>{Object.defineProperty(E,e,Z({value:E[e]},t))}))}return o.LE&&(E._r=!0),s._p.forEach((t=>{if(h){const e=a.run((()=>t({store:E,app:s._a,pinia:s,options:l})));Object.keys(e||{}).forEach((t=>E._customProperties.add(t))),Z(E,e)}else Z(E,a.run((()=>t({store:E,app:s._a,pinia:s,options:l}))))})),A&&r&&n.hydrate&&n.hydrate(E.$state,A),u=!0,f=!0,E}function et(t,e,n){let s,i;const r="function"==typeof e;function a(t,n){const a=(0,o.PS)();return(t=t||(a?(0,o.WQ)(u,null):null))&&d(t),(t=c)._s.has(s)||(r?tt(s,e,i,t):function(t,e,n,s){const{state:i,actions:r,getters:a}=e,l=n.state.value[t];let c;c=tt(t,(function(){l||(o.LE?(0,o.hZ)(n.state.value,t,i?i():{}):n.state.value[t]=i?i():{});const e=(0,o.QW)(n.state.value[t]);return Z(e,r,Object.keys(a||{}).reduce(((e,s)=>(e[s]=(0,o.IG)((0,o.EW)((()=>{d(n);const e=n._s.get(t);if(!o.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=r?n:e):(i=t,s=t.id),a.$id=s,a}var nt=s(35810),st=s(21777),it=s(85471);const rt=function(){const t=(0,o.uY)(!0),e=t.run((()=>(0,o.KR)({})));let n=[],s=[];const i=(0,o.IG)({install(t){d(i),o.LE||(i._a=t,t.provide(u,i),t.config.globalProperties.$pinia=i,h&&z(t,i),s.forEach((t=>n.push(t))),s=[])},use(t){return this._a||o.LE?n.push(t):s.push(t),this},_p:n,_a:null,_e:t,_s:new Map,state:e});return h&&"undefined"!=typeof Proxy&&i.use(H),i}();var ot=s(99498);const at="%[a-f0-9]{2}",lt=new RegExp("("+at+")|([^%]+?)","gi"),ct=new RegExp("("+at+")+","gi");function dt(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([],dt(n),dt(s))}function ut(t){try{return decodeURIComponent(t)}catch{let e=t.match(lt)||[];for(let n=1;nnull==t,ht=t=>encodeURIComponent(t).replace(/[!'()*]/g,(t=>`%${t.charCodeAt(0).toString(16).toUpperCase()}`)),gt=Symbol("encodeFragmentIdentifier");function vt(t){if("string"!=typeof t||1!==t.length)throw new TypeError("arrayFormatSeparator must be single character string")}function wt(t,e){return e.encode?e.strict?ht(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=ct.exec(t);for(;n;){try{e[n[0]]=decodeURIComponent(n[0])}catch{const t=ut(n[0]);t!==n[0]&&(e[n[0]]=t)}n=ct.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 yt(t){return Array.isArray(t)?t.sort():"object"==typeof t?yt(Object.keys(t)).sort(((t,e)=>Number(t)-Number(e))).map((e=>t[e])):t}function bt(t){const e=t.indexOf("#");return-1!==e&&(t=t.slice(0,e)),t}function Ct(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 _t(t){const e=(t=bt(t)).indexOf("?");return-1===e?"":t.slice(e+1)}function xt(t,e){vt((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]=mt(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]=Ct(s,e);else s[t]=Ct(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)?yt(n):n,t}),Object.create(null))}function Tt(t,e){if(!t)return"";vt((e={encode:!0,strict:!0,arrayFormat:"none",arrayFormatSeparator:",",...e}).arrayFormatSeparator);const n=n=>e.skipNull&&ft(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,[wt(e,t),"[",i,"]"].join("")]:[...n,[wt(e,t),"[",wt(i,t),"]=",wt(s,t)].join("")]};case"bracket":return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,[wt(e,t),"[]"].join("")]:[...n,[wt(e,t),"[]=",wt(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,[wt(e,t),":list="].join("")]:[...n,[wt(e,t),":list=",wt(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?[[wt(n,t),e,wt(i,t)].join("")]:[[s,wt(i,t)].join(t.arrayFormatSeparator)])}default:return e=>(n,s)=>void 0===s||t.skipNull&&null===s||t.skipEmptyString&&""===s?n:null===s?[...n,wt(e,t)]:[...n,[wt(e,t),"=",wt(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?wt(n,e):Array.isArray(i)?0===i.length&&"bracket-separator"===e.arrayFormat?wt(n,e)+"[]":i.reduce(s(n),[]).join("&"):wt(n,e)+"="+wt(i,e)})).filter((t=>t.length>0)).join("&")}function kt(t,e){e={decode:!0,...e};let[n,s]=mt(t,"#");return void 0===n&&(n=t),{url:n?.split("?")?.[0]??"",query:xt(_t(t),e),...e&&e.parseFragmentIdentifier&&s?{fragmentIdentifier:At(s,e)}:{}}}function Et(t,e){e={encode:!0,strict:!0,[gt]:!0,...e};const n=bt(t.url).split("?")[0]||"";let s=Tt({...xt(_t(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 St(t,e,n){n={parseFragmentIdentifier:!0,[gt]:!1,...n};const{url:s,query:i,fragmentIdentifier:r}=kt(t,n);return Et({url:s,query:pt(i,e),fragmentIdentifier:r},n)}function Lt(t,e,n){return St(t,Array.isArray(e)?t=>!e.includes(t):(t,n)=>!e(t,n),n)}const Nt=i;var Pt=s(96763);function Ft(t,e){for(var n in e)t[n]=e[n];return t}var It=/[!'()*]/g,Bt=function(t){return"%"+t.charCodeAt(0).toString(16)},Ot=/%2C/g,Dt=function(t){return encodeURIComponent(t).replace(It,Bt).replace(Ot,",")};function Ut(t){try{return decodeURIComponent(t)}catch(t){}return t}var jt=function(t){return null==t||"object"==typeof t?t:String(t)};function Rt(t){var e={};return(t=t.trim().replace(/^(\?|#|&)/,""))?(t.split("&").forEach((function(t){var n=t.replace(/\+/g," ").split("="),s=Ut(n.shift()),i=n.length>0?Ut(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 Mt(t){var e=t?Object.keys(t).map((function(e){var n=t[e];if(void 0===n)return"";if(null===n)return Dt(e);if(Array.isArray(n)){var s=[];return n.forEach((function(t){void 0!==t&&(null===t?s.push(Dt(e)):s.push(Dt(e)+"="+Dt(t)))})),s.join("&")}return Dt(e)+"="+Dt(n)})).filter((function(t){return t.length>0})).join("&"):null;return e?"?"+e:""}var zt=/\/?$/;function Vt(t,e,n,s){var i=s&&s.options.stringifyQuery,r=e.query||{};try{r=$t(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:Wt(e,i),matched:t?Ht(t):[]};return n&&(o.redirectedFrom=Wt(n,i)),Object.freeze(o)}function $t(t){if(Array.isArray(t))return t.map($t);if(t&&"object"==typeof t){var e={};for(var n in t)e[n]=$t(t[n]);return e}return t}var qt=Vt(null,{path:"/"});function Ht(t){for(var e=[];t;)e.unshift(t),t=t.parent;return e}function Wt(t,e){var n=t.path,s=t.query;void 0===s&&(s={});var i=t.hash;return void 0===i&&(i=""),(n||"/")+(e||Mt)(s)+i}function Gt(t,e,n){return e===qt?t===e:!!e&&(t.path&&e.path?t.path.replace(zt,"")===e.path.replace(zt,"")&&(n||t.hash===e.hash&&Yt(t.query,e.query)):!(!t.name||!e.name)&&t.name===e.name&&(n||t.hash===e.hash&&Yt(t.query,e.query)&&Yt(t.params,e.params)))}function Yt(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?Yt(r,o):String(r)===String(o)}))}function Kt(t){for(var e=0;e=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?Jt(l.path,c,n||i.append):c,u=function(t,e,n){void 0===e&&(e={});var s,i=n||Rt;try{s=i(t||"")}catch(t){s={}}for(var r in e){var o=e[r];s[r]=Array.isArray(o)?o.map(jt):jt(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 ve,we=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,h=o.redirectedFrom?Vt(null,ge(o.redirectedFrom),null,n):o;l[f]=Gt(s,h,this.exactPath),l[p]=this.exact||this.exactPath?l[f]:function(t,e){return 0===t.path.replace(zt,"/").indexOf(e.path.replace(zt,"/"))&&(!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,h);var g=l[f]?this.ariaCurrentValue:null,v=function(t){ye(t)&&(e.replace?n.replace(r,we):n.push(r,we))},w={click:ye};Array.isArray(this.event)?this.event.forEach((function(t){w[t]=v})):w[this.event]=v;var A={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)A.on=w,A.attrs={href:a,"aria-current":g};else{var b=be(this.$slots.default);if(b){b.isStatic=!1;var C=b.data=Ft({},b.data);for(var _ in C.on=C.on||{},C.on){var x=C.on[_];_ in w&&(C.on[_]=Array.isArray(x)?x:[x])}for(var T in w)T in C.on?C.on[T].push(w[T]):C.on[T]=v;var k=b.data.attrs=Ft({},b.data.attrs);k.href=a,k["aria-current"]=g}else A.on=w}return t(this.tag,A,this.$slots.default)}};function ye(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 be(t){if(t)for(var e,n=0;n-1&&(l.params[m]=n.params[m]);return l.path=he(d.path,l.params),a(d,l,o)}if(l.path){l.params={};for(var p=0;p-1}function Je(t,e){return Xe(t)&&t._isRouter&&(null==e||t.type===e)}function Ze(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 tn(t,e){return en(t.map((function(t){return Object.keys(t.components).map((function(n){return e(t.components[n],t.instances[n],t,n)}))})))}function en(t){return Array.prototype.concat.apply([],t)}var nn="function"==typeof Symbol&&"symbol"==typeof Symbol.toStringTag;function sn(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 rn=function(t,e){this.router=t,this.base=function(t){if(!t)if(Ce){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=qt,this.pending=null,this.ready=!1,this.readyCbs=[],this.readyErrorCbs=[],this.errorCbs=[],this.listeners=[]};function on(t,e,n,s){var i=tn(t,(function(t,s,i,r){var o=function(t,e){return"function"!=typeof t&&(t=ve.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 en(s?i.reverse():i)}function an(t,e){if(e)return function(){return t.apply(e,arguments)}}rn.prototype.listen=function(t){this.cb=t},rn.prototype.onReady=function(t,e){this.ready?t():(this.readyCbs.push(t),e&&this.readyErrorCbs.push(e))},rn.prototype.onError=function(t){this.errorCbs.push(t)},rn.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&&(Je(t,Ge.redirected)&&r===qt||(i.ready=!0,i.readyErrorCbs.forEach((function(e){e(t)}))))}))},rn.prototype.confirmTransition=function(t,e,n){var s=this,i=this.current;this.pending=t;var r,o,a=function(t){!Je(t)&&Xe(t)&&(s.errorCbs.length?s.errorCbs.forEach((function(e){e(t)})):Pt.error(t)),n&&n(t)},l=t.matched.length-1,c=i.matched.length-1;if(Gt(t,i)&&l===c&&t.matched[l]===i.matched[c])return this.ensureURL(),t.hash&&Oe(this.router,i,t,!1),a(((o=Ke(r=i,t,Ge.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;n0)){var e=this.router,n=e.options.scrollBehavior,s=qe&&n;s&&this.listeners.push(Be());var i=function(){var n=t.current,i=cn(t.base);t.current===qt&&i===t._startLocation||t.transitionTo(i,(function(t){s&&Oe(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){He(Zt(s.base+t.fullPath)),Oe(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){We(Zt(s.base+t.fullPath)),Oe(s.router,t,i,!1),e&&e(t)}),n)},e.prototype.ensureURL=function(t){if(cn(this.base)!==this.current.fullPath){var e=Zt(this.base+this.current.fullPath);t?He(e):We(e)}},e.prototype.getCurrentLocation=function(){return cn(this.base)},e}(rn);function cn(t){var e=window.location.pathname,n=e.toLowerCase(),s=t.toLowerCase();return!t||n!==s&&0!==n.indexOf(Zt(s+"/"))||(e=e.slice(t.length)),(e||"/")+window.location.search+window.location.hash}var dn=function(t){function e(e,n,s){t.call(this,e,n),s&&function(t){var e=cn(t);if(!/^\/#/.test(e))return window.location.replace(Zt(t+"/#"+e)),!0}(this.base)||un()}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=qe&&e;n&&this.listeners.push(Be());var s=function(){var e=t.current;un()&&t.transitionTo(mn(),(function(s){n&&Oe(t.router,s,e,!0),qe||hn(s.fullPath)}))},i=qe?"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){fn(t.fullPath),Oe(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){hn(t.fullPath),Oe(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;mn()!==e&&(t?fn(e):hn(e))},e.prototype.getCurrentLocation=function(){return mn()},e}(rn);function un(){var t=mn();return"/"===t.charAt(0)||(hn("/"+t),!1)}function mn(){var t=window.location.href,e=t.indexOf("#");return e<0?"":t=t.slice(e+1)}function pn(t){var e=window.location.href,n=e.indexOf("#");return(n>=0?e.slice(0,n):e)+"#"+t}function fn(t){qe?He(pn(t)):window.location.hash=t}function hn(t){qe?We(pn(t)):window.location.replace(pn(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){Je(t,Ge.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}(rn),vn=function(t){void 0===t&&(t={}),this.app=null,this.apps=[],this.options=t,this.beforeHooks=[],this.resolveHooks=[],this.afterHooks=[],this.matcher=ke(t.routes||[],this);var e=t.mode||"hash";switch(this.fallback="history"===e&&!qe&&!1!==t.fallback,this.fallback&&(e="hash"),Ce||(e="abstract"),this.mode=e,e){case"history":this.history=new ln(this,t.base);break;case"hash":this.history=new dn(this,t.base,this.fallback);break;case"abstract":this.history=new gn(this,t.base)}},wn={currentRoute:{configurable:!0}};vn.prototype.match=function(t,e,n){return this.matcher.match(t,e,n)},wn.currentRoute.get=function(){return this.history&&this.history.current},vn.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 ln||n instanceof dn){var s=function(t){n.setupListeners(),function(t){var s=n.current,i=e.options.scrollBehavior;qe&&i&&"fullPath"in t&&Oe(e,t,s,!1)}(t)};n.transitionTo(n.getCurrentLocation(),s,s)}n.listen((function(t){e.apps.forEach((function(e){e._route=t}))}))}},vn.prototype.beforeEach=function(t){return yn(this.beforeHooks,t)},vn.prototype.beforeResolve=function(t){return yn(this.resolveHooks,t)},vn.prototype.afterEach=function(t){return yn(this.afterHooks,t)},vn.prototype.onReady=function(t,e){this.history.onReady(t,e)},vn.prototype.onError=function(t){this.history.onError(t)},vn.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)},vn.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)},vn.prototype.go=function(t){this.history.go(t)},vn.prototype.back=function(){this.go(-1)},vn.prototype.forward=function(){this.go(1)},vn.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]}))}))):[]},vn.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?Zt(t+"/"+s):s}(this.history.base,r,this.mode);return{location:s,route:i,href:o,normalizedTo:s,resolved:i}},vn.prototype.getRoutes=function(){return this.matcher.getRoutes()},vn.prototype.addRoute=function(t,e){this.matcher.addRoute(t,e),this.history.current!==qt&&this.history.transitionTo(this.history.getCurrentLocation())},vn.prototype.addRoutes=function(t){this.matcher.addRoutes(t),this.history.current!==qt&&this.history.transitionTo(this.history.getCurrentLocation())},Object.defineProperties(vn.prototype,wn);var An=vn;function yn(t,e){return t.push(e),function(){var n=t.indexOf(e);n>-1&&t.splice(n,1)}}vn.install=function t(e){if(!t.installed||ve!==e){t.installed=!0,ve=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",Qt),e.component("RouterLink",Ae);var i=e.config.optionMergeStrategies;i.beforeRouteEnter=i.beforeRouteLeave=i.beforeRouteUpdate=i.created}},vn.version="3.6.5",vn.isNavigationFailure=Je,vn.NavigationFailureType=Ge,vn.START_LOCATION=qt,Ce&&window.Vue&&window.Vue.use(vn),it.Ay.use(An);const bn=An.prototype.push;An.prototype.push=function(t,e,n){return e||n?bn.call(this,t,e,n):bn.call(this,t).catch((t=>t))};const Cn=new An({mode:"history",base:(0,ot.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=Nt.stringify(t).replace(/%2F/gim,"/");return e?"?"+e:""}});function _n(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 Tn=s(22378),kn=s(61338),En=s(53334);const Sn={name:"CogIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}};var Ln=s(14486);const Nn=(0,Ln.A)(Sn,(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 Pn=s(42530),Fn=s(52439),In=s(6695),Bn=s(38613),On=s(26287);const Dn=(0,Bn.C)("files","viewConfigs",{}),Un=function(){const t=et("viewconfig",{state:()=>({viewConfig:Dn}),getters:{getConfig:t=>e=>t.viewConfig[e]||{}},actions:{onUpdate(t,e,n){this.viewConfig[t]||it.Ay.set(this.viewConfig,t,{}),it.Ay.set(this.viewConfig[t],e,n)},async update(t,e,n){On.A.put((0,ot.Jv)("/apps/files/api/v1/views/".concat(t,"/").concat(e)),{value:n}),(0,kn.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,kn.B1)("files:viewconfig:updated",(function(t){let{view:n,key:s,value:i}=t;e.onUpdate(n,s,i)})),e._initialized=!0),e},jn=(0,s(53529).YK)().setApp("files").detectUser().build();function Rn(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;rt?l?(m=Date.now(),o||(s=setTimeout(d?h:f,t))):f():!0!==o&&(s=setTimeout(d?h: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 Mn=s(85168);const zn={name:"ChartPieIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Vn=(0,Ln.A)(zn,(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 $n=s(95101);const qn={name:"NavigationQuota",components:{ChartPie:Vn,NcAppNavigationItem:Fn.A,NcProgressBar:$n.A},data:()=>({loadingStorageStats:!1,storageStats:(0,Bn.C)("files","storageStats",null)}),computed:{storageStatsTitle(){var t,e,n;const s=(0,nt.v7)(null===(t=this.storageStats)||void 0===t?void 0:t.used,!1,!1),i=(0,nt.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,kn.B1)("files:node:created",this.throttleUpdateStorageStats),(0,kn.B1)("files:node:deleted",this.throttleUpdateStorageStats),(0,kn.B1)("files:node:moved",this.throttleUpdateStorageStats),(0,kn.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:(Hn={}.atBegin,Rn(200,(function(t){this.updateStorageStats(t)}),{debounceMode:!1!==(void 0!==Hn&&Hn)})),throttleUpdateStorageStats:Rn(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 On.A.get((0,ot.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){jn.error("Could not refresh storage stats",{error:n}),e&&(0,Mn.Qg)(t("files","Could not refresh storage stats"))}finally{this.loadingStorageStats=!1}}},showStorageFullWarning(){(0,Mn.Qg)(this.t("files","Your storage is full, files can not be updated or synced anymore!"))},t:En.Tl}};var Hn,Wn=s(85072),Gn=s.n(Wn),Yn=s(97825),Kn=s.n(Yn),Qn=s(77659),Xn=s.n(Qn),Jn=s(55056),Zn=s.n(Jn),ts=s(10540),es=s.n(ts),ns=s(41113),ss=s.n(ns),is=s(33149),rs={};rs.styleTagTransform=ss(),rs.setAttributes=Zn(),rs.insert=Xn().bind(null,"head"),rs.domAPI=Kn(),rs.insertStyleElement=es(),Gn()(is.A,rs),is.A&&is.A.locals&&is.A.locals;const os=(0,Ln.A)(qn,(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 as=s(89902),ls=s(947),cs=s(32073);const ds={name:"ClipboardIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},us=(0,Ln.A)(ds,(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 ms=s(44492);const ps={name:"Setting",props:{el:{type:Function,required:!0}},mounted(){this.$el.appendChild(this.el())}},fs=(0,Ln.A)(ps,(function(){return(0,this._self._c)("div")}),[],!1,null,null,null).exports,hs=(0,Bn.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=et("userconfig",{state:()=>({userConfig:hs}),actions:{onUpdate(t,e){it.Ay.set(this.userConfig,t,e)},async update(t,e){await On.A.put((0,ot.Jv)("/apps/files/api/v1/config/"+t),{value:e}),(0,kn.Ic)("files:config:updated",{key:t,value:e})}}})(...arguments);return t._initialized||((0,kn.B1)("files:config:updated",(function(e){let{key:n,value:s}=e;t.onUpdate(n,s)})),t._initialized=!0),t},vs={name:"Settings",components:{Clipboard:us,NcAppSettingsDialog:as.N,NcAppSettingsSection:ls.A,NcCheckboxRadioSwitch:cs.A,NcInputField:ms.A,Setting:fs},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,ot.dC)("dav/files/"+encodeURIComponent(null===(e=(0,st.HW)())||void 0===e?void 0:e.uid)),webdavDocs:"https://docs.nextcloud.com/server/stable/go.php?to=user-webdav",appPasswordUrl:(0,ot.Jv)("/settings/user/security#generate-app-token-section"),webdavUrlCopied:!1,enableGridView:null===(n=(0,Bn.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,Mn.Te)(t("files","WebDAV URL copied to clipboard")),setTimeout((()=>{this.webdavUrlCopied=!1}),5e3)):(0,Mn.Qg)(t("files","Clipboard is not available"))},t:En.Tl}},ws=vs;var As=s(83331),ys={};ys.styleTagTransform=ss(),ys.setAttributes=Zn(),ys.insert=Xn().bind(null,"head"),ys.domAPI=Kn(),ys.insertStyleElement=es(),Gn()(As.A,ys),As.A&&As.A.locals&&As.A.locals;const bs=(0,Ln.A)(ws,(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,Cs={name:"Navigation",components:{Cog:Nn,NavigationQuota:os,NcAppNavigation:Pn.A,NcAppNavigationItem:Fn.A,NcIconSvgWrapper:In.A,SettingsModal:bs},setup:()=>({viewConfigStore:Un()}),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),jn.debug("Navigation changed",{id:t.id,view:t}),this.showView(t))}},beforeMount(){this.currentView&&(jn.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,kn.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:En.Tl}};var _s=s(59062),xs={};xs.styleTagTransform=ss(),xs.setAttributes=Zn(),xs.insert=Xn().bind(null,"head"),xs.domAPI=Kn(),xs.insertStyleElement=es(),Gn()(_s.A,xs),_s.A&&_s.A.locals&&_s.A.locals;const Ts=(0,Ln.A)(Cs,(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 ks=s(87485),Es=s(43627),Ss=s(38805),Ls=s(52129),Ns=s(41261),Ps=s(89979);const Fs={name:"FormatListBulletedSquareIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Is=(0,Ln.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 Bs=s(18195),Os=s(9518),Ds=s(10833),Us=s(46222),js=s(27577);const Rs={name:"AccountPlusIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ms=(0,Ln.A)(Rs,(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,zs={name:"ViewGridIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Vs=(0,Ln.A)(zs,(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 $s=s(49981);const qs=new nt.hY({id:"details",displayName:()=>(0,En.Tl)("files","Open details"),iconSvgInline:()=>$s,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!==nt.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},{...window.OCP.Files.Router.query,dir:n},!0),null}catch(t){return jn.error("Error while opening sidebar",{error:t}),!1}},order:-50});var Hs,Ws=s(44719);const Gs="/files/".concat(null===(Hs=(0,st.HW)())||void 0===Hs?void 0:Hs.uid),Ys=(0,ot.dC)("dav"+Gs),Ks=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Ys;const e=(0,Ws.UU)(t),n=t=>{null==e||e.setHeaders({"X-Requested-With":"XMLHttpRequest",requesttoken:null!=t?t:""})};return(0,st.zo)(n),n((0,st.do)()),(0,Ws.Gu)().patch("fetch",((t,e)=>{const n=e.headers;return null!=n&&n.method&&(e.method=n.method,delete n.method),fetch(t,e)})),e},Qs=async t=>{const e=(0,nt.VL)(),n=await r.client.stat("".concat(nt.lJ).concat(t.path),{details:!0,data:e});return(0,nt.Al)(n.data)},Xs=function(){const t=et("files",{state:()=>({files:{},roots:{}}),getters:{getNode:t=>e=>t.files[e],getNodes:t=>e=>e.map((e=>t.files[e])).filter(Boolean),getNodesById:t=>e=>Object.values(t.files).filter((t=>t.fileid===e)),getRoot:t=>e=>t.roots[e]},actions:{updateNodes(t){const e=t.reduce(((t,e)=>e.fileid?(t[e.source]=e,t):(jn.error("Trying to update/set a node without fileid",{node:e}),t)),{});it.Ay.set(this,"files",{...this.files,...e})},deleteNodes(t){t.forEach((t=>{t.source&&it.Ay.delete(this.files,t.source)}))},setRoot(t){let{service:e,root:n}=t;it.Ay.set(this.roots,e,n)},onDeletedNode(t){this.deleteNodes([t])},onCreatedNode(t){this.updateNodes([t])},async onUpdatedNode(t){if(!t.fileid)return void jn.error("Trying to update/set a node without fileid",{node:t});const e=this.getNodesById(t.fileid);if(e.length>1)return await Promise.all(e.map(Qs)).then(this.updateNodes),void jn.debug(e.length+" nodes updated in store",{fileid:t.fileid});t.source!==e[0].source?Qs(t).then((t=>this.updateNodes([t]))):this.updateNodes([t])}}})(...arguments);return t._initialized||((0,kn.B1)("files:node:created",t.onCreatedNode),(0,kn.B1)("files:node:deleted",t.onDeletedNode),(0,kn.B1)("files:node:updated",t.onUpdatedNode),t._initialized=!0),t},Js=function(){const t=Xs(...arguments),e=et("paths",{state:()=>({paths:{}}),getters:{getPath:t=>(e,n)=>{if(t.paths[e])return t.paths[e][n]}},actions:{addPath(t){this.paths[t.service]||it.Ay.set(this.paths,t.service,{}),it.Ay.set(this.paths[t.service],t.path,t.source)},onCreatedNode(e){var n;const s=(null===(n=(0,nt.bh)())||void 0===n||null===(n=n.active)||void 0===n?void 0:n.id)||"files";if(e.fileid){if(e.type===nt.pt.Folder&&this.addPath({service:s,path:e.path,source:e.source}),"/"===e.dirname){const n=t.getRoot(s);return n._children||it.Ay.set(n,"_children",[]),void n._children.push(e.source)}if(this.paths[s][e.dirname]){const n=this.paths[s][e.dirname],i=t.getNode(n);return jn.debug("Path already exists, updating children",{parentFolder:i,node:e}),i?(i._children||it.Ay.set(i,"_children",[]),void i._children.push(e.source)):void jn.error("Parent folder not found",{parentSource:n})}jn.debug("Parent path does not exists, skipping children update",{node:e})}else jn.error("Node has no fileid",{node:e})}}})(...arguments);return e._initialized||((0,kn.B1)("files:node:created",e.onCreatedNode),e._initialized=!0),e},Zs=et("selection",{state:()=>({selected:[],lastSelection:[],lastSelectedIndex:null}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];it.Ay.set(this,"selected",[...new Set(t)])},setLastIndex(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:null;it.Ay.set(this,"lastSelection",t?this.selected:[]),it.Ay.set(this,"lastSelectedIndex",t)},reset(){it.Ay.set(this,"selected",[]),it.Ay.set(this,"lastSelection",[]),it.Ay.set(this,"lastSelectedIndex",null)}}});let ti;const ei=function(){return ti=(0,Ns.g)(),et("uploader",{state:()=>({queue:ti.queue})})(...arguments)};function ni(t){return t instanceof Date?t.toISOString():String(t)}var si=s(91680),ii=s(49296),ri=s(71089),oi=s(96763);class ai 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 li=async t=>{if(t.isFile)return new Promise(((e,n)=>{t.file(e,n)}));jn.debug("Handling recursive file tree",{entry:t.name});const e=t,n=await ci(e),s=(await Promise.all(n.map(li))).flat();return new ai(e.name,s)},ci=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()}))},di=async t=>{const e=(0,nt.H4)();if(!await e.exists(t)){jn.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,nt.VL)()});(0,kn.Ic)("files:node:created",(0,nt.Al)(n.data))}},ui=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,Ns.o)(e.path,s,n);return jn.debug("Conflict resolution",{uploads:i,selected:r,renamed:o}),0===r.length&&0===o.length?((0,Mn.cf)((0,En.Tl)("files","Conflicts resolution skipped")),jn.info("User skipped the conflict resolution"),[]):[...i,...r,...o]}catch(t){oi.error(t),(0,Mn.Qg)((0,En.Tl)("files","Upload cancelled")),jn.error("User cancelled the upload")}return[]};var mi=s(14456),pi={};pi.styleTagTransform=ss(),pi.setAttributes=Zn(),pi.insert=Xn().bind(null,"head"),pi.domAPI=Kn(),pi.insertStyleElement=es(),Gn()(mi.A,pi),mi.A&&mi.A.locals&&mi.A.locals;var fi=s(53110),hi=s(36882),gi=s(39285),vi=s(49264);let wi;const Ai=()=>(wi||(wi=new vi.A({concurrency:3})),wi);var yi;!function(t){t.MOVE="Move",t.COPY="Copy",t.MOVE_OR_COPY="move-or-copy"}(yi||(yi={}));const bi=t=>!!(t.reduce(((t,e)=>Math.min(t,e.permissions)),nt.aX.ALL)&nt.aX.UPDATE),Ci=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)&&!t.some((t=>t.permissions===nt.aX.NONE));var _i=s(36117);const xi=function(t){let e=0;for(let n=0;n>>0},Ti=Ks(),ki=function(t){var e;const n=null===(e=(0,st.HW)())||void 0===e?void 0:e.uid;if(!n)throw new Error("No user id found");const s=t.props,i=(0,nt.vb)(null==s?void 0:s.permissions),r=String(s["owner-id"]||n),o=(0,ot.dC)("dav"+Gs+t.filename),a={id:(null==s?void 0:s.fileid)<0?xi(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:Gs,attributes:{...t,...s,"owner-id":r,"owner-display-name":String(s["owner-display-name"]),hasPreview:!(null==s||!s["has-preview"]),failed:(null==s?void 0:s.fileid)<0}};return delete a.attributes.props,"file"===t.type?new nt.ZH(a):new nt.vd(a)},Ei=function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"/";const e=new AbortController,n=(0,nt.VL)();return new _i.CancelablePromise((async(s,i,r)=>{r((()=>e.abort()));try{const i=await Ti.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:ki(r),contents:o.map((t=>{try{return ki(t)}catch(e){return jn.error("Invalid node detected '".concat(t.basename,"'"),{error:e}),null}})).filter(Boolean)})}catch(t){i(t)}}))},Si=t=>{const e=t.filter((t=>t.type===nt.pt.File)).length,n=t.filter((t=>t.type===nt.pt.Folder)).length;return 0===e?(0,En.zw)("files","{folderCount} folder","{folderCount} folders",n,{folderCount:n}):0===n?(0,En.zw)("files","{fileCount} file","{fileCount} files",e,{fileCount:e}):1===e?(0,En.zw)("files","1 file and {folderCount} folder","1 file and {folderCount} folders",n,{folderCount:n}):1===n?(0,En.zw)("files","{fileCount} file and 1 folder","{fileCount} files and 1 folder",e,{fileCount:e}):(0,En.Tl)("files","{fileCount} files and {folderCount} folders",{fileCount:e,folderCount:n})},Li=t=>bi(t)?Ci(t)?yi.MOVE_OR_COPY:yi.MOVE:yi.COPY,Ni=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(!e)return;if(e.type!==nt.pt.Folder)throw new Error((0,En.Tl)("files","Destination is not a folder"));if(n===yi.MOVE&&t.dirname===e.path)throw new Error((0,En.Tl)("files","This file/folder is already in that directory"));if("".concat(e.path,"/").startsWith("".concat(t.path,"/")))throw new Error((0,En.Tl)("files","You cannot move a file/folder onto itself or into a subfolder of itself"));it.Ay.set(t,"status",nt.zI.LOADING);const i=Ai();return await i.add((async()=>{const i=t=>1===t?(0,En.Tl)("files","(copy)"):(0,En.Tl)("files","(copy %n)",void 0,t);try{const r=(0,nt.H4)(),o=(0,Es.join)(nt.lJ,t.path),a=(0,Es.join)(nt.lJ,e.path);if(n===yi.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,Es.extname)(t),r=(0,Es.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===nt.pt.Folder})}if(await r.copyFile(o,(0,Es.join)(a,n)),t.dirname===e.path){const{data:t}=await r.stat((0,Es.join)(a,n),{details:!0,data:(0,nt.VL)()});(0,kn.Ic)("files:node:created",(0,nt.Al)(t))}}else{const n=await Ei(e.path);if((0,Ns.h)([t],n.contents))try{const{selected:s,renamed:i}=await(0,Ns.o)(e.path,[t],n.contents);if(!s.length&&!i.length)return await r.deleteFile(o),void(0,kn.Ic)("files:node:deleted",t)}catch(t){return void(0,Mn.Qg)((0,En.Tl)("files","Move cancelled"))}await r.moveFile(o,(0,Es.join)(a,t.basename)),(0,kn.Ic)("files:node:deleted",t)}}catch(t){if(t instanceof fi.pe){var r,o,a;if(412===(null==t||null===(r=t.response)||void 0===r?void 0:r.status))throw new Error((0,En.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,En.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,En.Tl)("files","The file does not exist anymore"));if(t.message)throw new Error(t.message)}throw jn.debug(t),new Error}finally{it.Ay.set(t,"status",void 0)}}))},Pi=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,Mn.a1)((0,En.Tl)("files","Choose destination")).allowDirectories(!0).setFilter((t=>!!(t.permissions&nt.aX.CREATE)&&!s.includes(t.fileid))).setMimeTypeFilter([]).setMultiSelect(!1).startAt(e);return new Promise(((e,s)=>{i.setButtonFactory(((s,i)=>{const r=[],o=(0,Es.basename)(i),a=n.map((t=>t.dirname)),l=n.map((t=>t.path));return t!==yi.COPY&&t!==yi.MOVE_OR_COPY||r.push({label:o?(0,En.Tl)("files","Copy to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,En.Tl)("files","Copy"),type:"primary",icon:hi,async callback(t){e({destination:t[0],action:yi.COPY})}}),a.includes(i)||l.includes(i)||t!==yi.MOVE&&t!==yi.MOVE_OR_COPY||r.push({label:o?(0,En.Tl)("files","Move to {target}",{target:o},void 0,{escape:!1,sanitize:!1}):(0,En.Tl)("files","Move"),type:t===yi.MOVE?"primary":"secondary",icon:gi,async callback(t){e({destination:t[0],action:yi.MOVE})}}),r})),i.build().pick().catch((t=>{jn.debug(t),t instanceof Mn.vT?s(new Error((0,En.Tl)("files","Cancelled move or copy operation"))):s(new Error((0,En.Tl)("files","Move or copy operation failed")))}))}))};new nt.hY({id:"move-copy",displayName(t){switch(Li(t)){case yi.MOVE:return(0,En.Tl)("files","Move");case yi.COPY:return(0,En.Tl)("files","Copy");case yi.MOVE_OR_COPY:return(0,En.Tl)("files","Move or copy")}},iconSvgInline:()=>gi,enabled:t=>!!t.every((t=>{var e;return null===(e=t.root)||void 0===e?void 0:e.startsWith("/files/")}))&&t.length>0&&(bi(t)||Ci(t)),async exec(t,e,n){const s=Li([t]);let i;try{i=await Pi(s,n,[t])}catch(t){return jn.error(t),!1}try{return await Ni(t,i.destination,i.action),!0}catch(t){return!!(t instanceof Error&&t.message)&&((0,Mn.Qg)(t.message),null)}},async execBatch(t,e,n){const s=Li(t),i=await Pi(s,n,t),r=t.map((async t=>{try{return await Ni(t,i.destination,i.action),!0}catch(e){return jn.error("Failed to ".concat(i.action," node"),{node:t,error:e}),!1}}));return await Promise.all(r)},order:15});var Fi=s(96763);const Ii=async t=>{const e=t.filter((t=>"file"===t.kind||(jn.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 ai("root");for(const t of e)if(t instanceof DataTransferItem){jn.warn("Could not get FilesystemEntry of item, falling back to file");const e=t.getAsFile();if(null===e){jn.warn("Could not process DataTransferItem",{type:t.type,kind:t.kind}),(0,Mn.Qg)((0,En.Tl)("files","One of the dropped files could not be processed"));continue}if("httpd/unix-directory"===e.type||!e.type){n||(jn.warn("Browser does not support Filesystem API. Directories will not be uploaded"),(0,Mn.I9)((0,En.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 li(t))}catch(t){jn.error("Error while traversing file tree",{error:t})}return s},Bi=async(t,e,n)=>{const s=(0,Ns.g)();if(await(0,Ns.h)(t.contents,n)&&(t.contents=await ui(t.contents,e,n)),0===t.contents.length)return jn.info("No files to upload",{root:t}),(0,Mn.cf)((0,En.Tl)("files","No files to upload")),[];jn.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,Es.join)(n,o.name);if(o instanceof ai){const n=(0,ri.HS)(nt.lJ,e.path,t);try{Fi.debug("Processing directory",{relativePath:t}),await di(n),await r(o,t)}catch(t){(0,Mn.Qg)((0,En.Tl)("files","Unable to create the directory {directory}",{directory:o.name})),jn.error("",{error:t,absolutePath:n,directory:o})}}else jn.debug("Uploading file to "+(0,Es.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?(jn.error("Error while uploading files",{errors:o}),(0,Mn.Qg)((0,En.Tl)("files","Some files could not be uploaded")),[]):(jn.debug("Files uploaded successfully"),(0,Mn.Te)((0,En.Tl)("files","Files uploaded successfully")),Promise.all(i))},Oi=async function(t,e,n){let s=arguments.length>3&&void 0!==arguments[3]&&arguments[3];const i=[];if(await(0,Ns.h)(t,n)&&(t=await ui(t,e,n)),0===t.length)return jn.info("No files to process",{nodes:t}),void(0,Mn.cf)((0,En.Tl)("files","No files to process"));for(const n of t)it.Ay.set(n,"status",nt.zI.LOADING),i.push(Ni(n,e,s?yi.COPY:yi.MOVE));const r=await Promise.allSettled(i);t.forEach((t=>it.Ay.set(t,"status",void 0)));const o=r.filter((t=>"rejected"===t.status));if(o.length>0)return jn.error("Error while copying or moving files",{errors:o}),void(0,Mn.Qg)(s?(0,En.Tl)("files","Some files could not be copied"):(0,En.Tl)("files","Some files could not be moved"));jn.debug("Files copy/move successful"),(0,Mn.Te)(s?(0,En.Tl)("files","Files copied successfully"):(0,En.Tl)("files","Files moved successfully"))},Di=et("dragging",{state:()=>({dragging:[]}),actions:{set(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];it.Ay.set(this,"dragging",t)},reset(){it.Ay.set(this,"dragging",[])}}}),Ui=it.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()}}),ji=(0,it.pM)({name:"BreadCrumbs",components:{NcBreadcrumbs:ii.N,NcBreadcrumb:si.N,NcIconSvgWrapper:In.A},mixins:[Ui],props:{path:{type:String,default:"/"}},setup:()=>({draggingStore:Di(),filesStore:Xs(),pathsStore:Js(),selectionStore:Zs(),uploaderStore:ei()}),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.getFileSourceFromPath(t),s=n?this.getNodeFromSource(n):void 0,i={...this.$route,params:{node:null==s?void 0:s.fileid},query:{dir:t}};return{dir:t,exact:!0,name:this.getDirDisplayName(t),to:i,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:''},selectedFiles(){return this.selectionStore.selected},draggingFiles(){return this.draggingStore.dragging}},methods:{getNodeFromSource(t){return this.filesStore.getNode(t)},getFileSourceFromPath(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,En.Tl)("files","Home");const s=this.getFileSourceFromPath(t),i=s?this.getNodeFromSource(s):void 0;return(null==i||null===(e=i.attributes)||void 0===e?void 0:e.displayName)||(0,Es.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 Ii(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,Mn.Qg)(this.t("files","Target folder does not exist any more"));const d=!!(c.permissions&nt.aX.CREATE),u=t.ctrlKey;if(!d||0!==t.button)return;if(jn.debug("Dropped",{event:t,folder:c,selection:r,fileTree:a}),a.contents.length>0)return void await Bi(a,c,l.contents);const m=r.map((t=>this.filesStore.getNode(t)));await Oi(m,c,l.contents,u),r.some((t=>this.selectedFiles.includes(t)))&&(jn.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,En.Tl)("files","Reload current directory"):0===t?(0,En.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,En.Tl)("files","Reload current directory"):null},t:En.Tl}});var Ri=s(13949),Mi={};Mi.styleTagTransform=ss(),Mi.setAttributes=Zn(),Mi.insert=Xn().bind(null,"head"),Mi.domAPI=Kn(),Mi.insertStyleElement=es(),Gn()(Ri.A,Mi),Ri.A&&Ri.A.locals&&Ri.A.locals;const zi=(0,Ln.A)(ji,(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,"ed034756",null).exports;var Vi=s(51651);const $i=et("actionsmenu",{state:()=>({opened:null})}),qi=function(){const t=et("renaming",{state:()=>({renamingNode:void 0,newName:""})})(...arguments);return t._initialized||((0,kn.B1)("files:node:rename",(function(e){t.renamingNode=e,t.newName=e.basename})),t._initialized=!0),t};var Hi=s(55042);const Wi={name:"FileMultipleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Gi=(0,Ln.A)(Wi,(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,Yi={name:"FolderIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ki=(0,Ln.A)(Yi,(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,Qi=it.Ay.extend({name:"DragAndDropPreview",components:{FileMultipleIcon:Gi,FolderIcon:Ki},data:()=>({nodes:[]}),computed:{isSingleNode(){return 1===this.nodes.length},isSingleFolder(){return this.isSingleNode&&this.nodes[0].type===nt.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,nt.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 Si(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)}))}}}),Xi=Qi;var Ji=s(52608),Zi={};Zi.styleTagTransform=ss(),Zi.setAttributes=Zn(),Zi.insert=Xn().bind(null,"head"),Zi.domAPI=Kn(),Zi.insertStyleElement=es(),Gn()(Ji.A,Zi),Ji.A&&Ji.A.locals&&Ji.A.locals;const tr=(0,Ln.A)(Xi,(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,er=it.Ay.extend(tr);let nr;it.Ay.directive("onClickOutside",Hi.z0);const sr=(0,it.pM)({props:{source:{type:[nt.vd,nt.ZH,nt.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 xi(this.source.source)},isLoading(){return this.source.status===nt.zI.LOADING},extension(){var t;return null!==(t=this.source.attributes)&&void 0!==t&&t.displayName?(0,Es.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.selectedFiles.includes(this.source.source)},isRenaming(){return this.renamingStore.renamingNode===this.source},isRenamingSmallScreen(){return this.isRenaming&&this.filesListWidth<512},isActive(){return String(this.fileid)===String(this.currentFileId)},canDrag(){if(this.isRenaming)return!1;const t=t=>!!((null==t?void 0:t.permissions)&nt.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===nt.pt.Folder&&!this.draggingFiles.includes(this.source.source)&&!!(this.source.permissions&nt.aX.CREATE)},openedMenu:{get(){return this.actionsMenuStore.opened===this.uniqueId.toString()},set(t){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 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")}else{var n;const e=null===(n=this.$el)||void 0===n?void 0:n.closest("main.app-content"),s=e.getBoundingClientRect();e.style.setProperty("--mouse-pos-x",Math.max(0,t.clientX-s.left-200)+"px"),e.style.setProperty("--mouse-pos-y",Math.max(0,t.clientY-s.top)+"px")}const s=this.selectedFiles.length>1;this.actionsMenuStore.opened=this.isSelected&&s?"global":this.uniqueId.toString(),t.preventDefault(),t.stopPropagation()},execDefaultAction(t){if(t.ctrlKey||t.metaKey||1===t.button)return t.preventDefault(),window.open((0,ot.Jv)("/f/{fileId}",{fileId:this.fileid})),!1;this.$refs.actions.execDefaultAction(t)},openDetailsIfAvailable(t){var e;t.preventDefault(),t.stopPropagation(),null!=qs&&null!==(e=qs.enabled)&&void 0!==e&&e.call(qs,[this.source],this.currentView)&&qs.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();jn.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.source.source)?this.draggingStore.set(this.selectedFiles):this.draggingStore.set([this.source.source]);const i=this.draggingStore.dragging.map((t=>this.filesStore.getNode(t))),r=await(async t=>new Promise((e=>{nr||(nr=(new er).$mount(),document.body.appendChild(nr.$el)),nr.update(t),nr.$on("loaded",(()=>{e(nr.$el),nr.$off("loaded")}))})))(i);null===(s=t.dataTransfer)||void 0===s||s.setDragImage(r,-10,-10)},onDragEnd(){this.draggingStore.reset(),this.dragover=!1,jn.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 Ii(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,Mn.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,jn.debug("Dropped",{event:t,folder:l,selection:i,fileTree:o}),o.contents.length>0)return void await Bi(o,l,a.contents);const d=i.map((t=>this.filesStore.getNode(t)));await Oi(d,l,a.contents,c),i.some((t=>this.selectedFiles.includes(t)))&&(jn.debug("Dropped selection, resetting select store..."),this.selectionStore.reset())},t:En.Tl}});var ir=s(4604);const rr={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()}}},or=(0,Ln.A)(rr,(function(){return(0,this._self._c)("span")}),[],!1,null,null,null).exports,ar={name:"ArrowLeftIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},lr=(0,Ln.A)(ar,(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 cr=s(63420),dr=s(24764),ur=s(10501);const mr=(0,nt.qK)(),pr=(0,it.pM)({name:"FileEntryActions",components:{ArrowLeftIcon:lr,CustomElementRender:or,NcActionButton:cr.A,NcActions:dr.A,NcActionSeparator:ur.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Us.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===nt.zI.LOADING},enabledActions(){return this.source.attributes.failed?[]:mr.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!==nt.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),it.Ay.set(this.source,"status",nt.zI.LOADING);const e=await t.exec(this.source,this.currentView,this.currentDir);if(null==e)return;if(e)return void(0,Mn.Te)((0,En.Tl)("files",'"{displayName}" action executed successfully',{displayName:n}));(0,Mn.Qg)((0,En.Tl)("files",'"{displayName}" action failed',{displayName:n}))}catch(e){jn.error("Error while executing action",{action:t,e}),(0,Mn.Qg)((0,En.Tl)("files",'"{displayName}" action failed',{displayName:n}))}finally{this.$emit("update:loading",""),it.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:En.Tl}}),fr=pr;var hr=s(81194),gr={};gr.styleTagTransform=ss(),gr.setAttributes=Zn(),gr.insert=Xn().bind(null,"head"),gr.domAPI=Kn(),gr.insertStyleElement=es(),Gn()(hr.A,gr),hr.A&&hr.A.locals&&hr.A.locals;var vr=s(34570),wr={};wr.styleTagTransform=ss(),wr.setAttributes=Zn(),wr.insert=Xn().bind(null,"head"),wr.domAPI=Kn(),wr.insertStyleElement=es(),Gn()(vr.A,wr),vr.A&&vr.A.locals&&vr.A.locals;var Ar=(0,Ln.A)(fr,(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,"7e961138",null);const yr=Ar.exports,br=(0,it.pM)({name:"FileEntryCheckbox",components:{NcCheckboxRadioSwitch:cs.A,NcLoadingIcon:Us.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=Zs(),e=function(){const t=et("keyboard",{state:()=>({altKey:!1,ctrlKey:!1,metaKey:!1,shiftKey:!1}),actions:{onEvent(t){t||(t=window.event),it.Ay.set(this,"altKey",!!t.altKey),it.Ay.set(this,"ctrlKey",!!t.ctrlKey),it.Ay.set(this,"metaKey",!!t.metaKey),it.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.source.source)},index(){return this.nodes.findIndex((t=>t.source===this.source.source))},isFile(){return this.source.type===nt.pt.File},ariaLabel(){return this.isFile?(0,En.Tl)("files",'Toggle selection for file "{displayName}"',{displayName:this.source.basename}):(0,En.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.source.source),e=Math.min(n,s),i=Math.max(s,n),r=this.selectionStore.lastSelection,o=this.nodes.map((t=>t.source)).slice(e,i+1).filter(Boolean),a=[...r,...o].filter((e=>!t||e!==this.source.source));return jn.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.source.source]:this.selectedFiles.filter((t=>t!==this.source.source));jn.debug("Updating selection",{selection:i}),this.selectionStore.set(i),this.selectionStore.setLastIndex(n)},resetSelection(){this.selectionStore.reset()},t:En.Tl}}),Cr=(0,Ln.A)(br,(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 _r=s(82182);const xr=(0,Bn.C)("files","forbiddenCharacters",""),Tr=it.Ay.extend({name:"FileEntryName",components:{NcTextField:_r.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:qi()}),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{[nt.pt.File]:(0,En.Tl)("files","File name"),[nt.pt.Folder]:(0,En.Tl)("files","Folder name")}[this.source.type]},linkTo(){var t,e;if(this.source.attributes.failed)return{is:"span",params:{title:(0,En.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)&nt.aX.READ?{is:"a",params:{download:this.source.basename,href:this.source.source,title:(0,En.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))||"";jn.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,En.Tl)("files",'"{name}" is an invalid file name.',{name:t}));if(0===e.length)throw new Error((0,En.Tl)("files","File name cannot be empty."));if(-1!==e.indexOf("/"))throw new Error((0,En.Tl)("files",'"/" is not allowed inside a file name.'));if(e.match(OC.config.blacklist_files_regex))throw new Error((0,En.Tl)("files",'"{name}" is not an allowed filetype.',{name:t}));if(this.checkIfNodeExists(t))throw new Error((0,En.Tl)("files","{newName} already exists.",{newName:t}));return e.split("").forEach((t=>{if(-1!==xr.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"))):jn.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,Mn.Qg)((0,En.Tl)("files","Another entry with the same name already exists"));else{this.loading="renaming",it.Ay.set(this.source,"status",nt.zI.LOADING),this.source.rename(i),jn.debug("Moving file to",{destination:this.source.encodedSource,oldEncodedSource:s});try{await(0,On.A)({method:"MOVE",url:s,headers:{Destination:this.source.encodedSource,Overwrite:"F"}}),(0,kn.Ic)("files:node:updated",this.source),(0,kn.Ic)("files:node:renamed",this.source),(0,Mn.Te)((0,En.Tl)("files",'Renamed "{oldName}" to "{newName}"',{oldName:n,newName:i})),this.stopRenaming(),this.$nextTick((()=>{this.$refs.basename.focus()}))}catch(t){var r,o;if(jn.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,Mn.Qg)((0,En.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,Mn.Qg)((0,En.Tl)("files",'The name "{newName}" is already used in the folder "{dir}". Please choose a different name.',{newName:i,dir:this.currentDir}));(0,Mn.Qg)((0,En.Tl)("files",'Could not rename "{oldName}"',{oldName:n}))}finally{this.loading=!1,it.Ay.set(this.source,"status",void 0)}}else this.stopRenaming();else(0,Mn.Qg)((0,En.Tl)("files","Name cannot be empty"))},t:En.Tl}}),kr=(0,Ln.A)(Tr,(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":""}},"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 Er=s(72755);const Sr={name:"FileIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Lr=(0,Ln.A)(Sr,(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,Nr={name:"FolderOpenIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Pr=(0,Ln.A)(Nr,(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,Fr={name:"KeyIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ir=(0,Ln.A)(Fr,(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,Br={name:"NetworkIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Or=(0,Ln.A)(Br,(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,Dr={name:"TagIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Ur=(0,Ln.A)(Dr,(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,jr={name:"PlayCircleIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},Rr=(0,Ln.A)(jr,(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,Mr={name:"CollectivesIcon",props:{title:{type:String,default:""},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},zr=(0,Ln.A)(Mr,(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,Vr=(0,it.pM)({name:"FavoriteIcon",components:{NcIconSvgWrapper:In.A},data:()=>({StarSvg:''}),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:En.Tl}});var $r=s(55559),qr={};qr.styleTagTransform=ss(),qr.setAttributes=Zn(),qr.insert=Xn().bind(null,"head"),qr.domAPI=Kn(),qr.insertStyleElement=es(),Gn()($r.A,qr),$r.A&&$r.A.locals&&$r.A.locals;const Hr=(0,Ln.A)(Vr,(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,Wr=it.Ay.extend({name:"FileEntryPreview",components:{AccountGroupIcon:Er.A,AccountPlusIcon:Ms,CollectivesIcon:zr,FavoriteIcon:Hr,FileIcon:Lr,FolderIcon:Ki,FolderOpenIcon:Pr,KeyIcon:Ir,LinkIcon:Ps.A,NetworkIcon:Or,TagIcon:Ur},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===nt.pt.Folder)return null;if(!0===this.backgroundFailed)return null;try{const t=this.source.attributes.previewUrl||(0,ot.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"]?Rr:null},folderOverlay(){var t,e,n,s;if(this.source.type!==nt.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 Ir;if(null!==(e=this.source)&&void 0!==e&&null!==(e=e.attributes)&&void 0!==e&&e["is-tag"])return Ur;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===Ls.Z.SHARE_TYPE_LINK||t===Ls.Z.SHARE_TYPE_EMAIL)))return Ps.A;if(i.length>0)return Ms;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 Or;case"group":return Er.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:En.Tl}}),Gr=(0,Ln.A)(Wr,(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,Yr=(0,it.pM)({name:"FileEntry",components:{CustomElementRender:or,FileEntryActions:yr,FileEntryCheckbox:Cr,FileEntryName:kr,FileEntryPreview:Gr,NcDateTime:ir.A},mixins:[sr],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},compact:{type:Boolean,default:!1}},setup:()=>({actionsMenuStore:$i(),draggingStore:Di(),filesStore:Xs(),renamingStore:qi(),selectionStore:Zs()}),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);return"number"!=typeof t||isNaN(t)||t<0?this.t("files","Pending"):(0,nt.v7)(t,!0)},sizeOpacity(){const t=parseInt(this.source.size,10);if(!t||isNaN(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,Vi.A)(this.source.mtime).format("LLL"):""}},methods:{formatFileSize:nt.v7}}),Kr=(0,Ln.A)(Yr,(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:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},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},nativeOn:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},click:function(e){return t.execDefaultAction.apply(null,arguments)}}})],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}},[t.source.mtime?e("NcDateTime",{attrs:{timestamp:t.source.mtime,"ignore-seconds":!0}}):t._e()],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,Qr=(0,it.pM)({name:"FileEntryGrid",components:{FileEntryActions:yr,FileEntryCheckbox:Cr,FileEntryName:kr,FileEntryPreview:Gr},mixins:[sr],inheritAttrs:!1,setup:()=>({actionsMenuStore:$i(),draggingStore:Di(),filesStore:Xs(),renamingStore:qi(),selectionStore:Zs()}),data:()=>({gridMode:!0})}),Xr=(0,Ln.A)(Qr,(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:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},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},nativeOn:{auxclick:function(e){return t.execDefaultAction.apply(null,arguments)},click:function(e){return t.execDefaultAction.apply(null,arguments)}}})],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 Jr=s(96763);const Zr={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(){Jr.debug("Mounted",this.header.id),this.header.render(this.$refs.mount,this.currentFolder,this.currentView)}},to=(0,Ln.A)(Zr,(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,eo=it.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=Js();return{filesStore:Xs(),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,nt.v7)(this.currentFolder.size,!0):(0,nt.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:En.Tl}});var no=s(31840),so={};so.styleTagTransform=ss(),so.setAttributes=Zn(),so.insert=Xn().bind(null,"head"),so.domAPI=Kn(),so.insertStyleElement=es(),Gn()(no.A,so),no.A&&no.A.locals&&no.A.locals;const io=(0,Ln.A)(eo,(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 ro=s(1795),oo=s(33017);const ao=it.Ay.extend({computed:{...(co=Un,uo=["getConfig","setSortingBy","toggleSortingDirection"],Array.isArray(uo)?uo.reduce(((t,e)=>(t[e]=function(){return co(this.$pinia)[e]},t)),{}):Object.keys(uo).reduce(((t,e)=>(t[e]=function(){const t=co(this.$pinia),n=uo[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)}}}),lo=(0,it.pM)({name:"FilesListTableHeaderButton",components:{MenuDown:ro.A,MenuUp:oo.A,NcButton:Os.A},mixins:[ao],props:{name:{type:String,required:!0},mode:{type:String,required:!0}},methods:{t:En.Tl}});var co,uo,mo=s(75290),po={};po.styleTagTransform=ss(),po.setAttributes=Zn(),po.insert=Xn().bind(null,"head"),po.domAPI=Kn(),po.insertStyleElement=es(),Gn()(mo.A,po),mo.A&&mo.A.locals&&mo.A.locals;const fo=(0,Ln.A)(lo,(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,ho=(0,it.pM)({name:"FilesListTableHeader",components:{FilesListTableHeaderButton:fo,NcCheckboxRadioSwitch:cs.A},mixins:[ao],props:{isMtimeAvailable:{type:Boolean,default:!1},isSizeAvailable:{type:Boolean,default:!1},nodes:{type:Array,required:!0},filesListWidth:{type:Number,default:0}},setup:()=>({filesStore:Xs(),selectionStore:Zs()}),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,En.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.source)).filter(Boolean);jn.debug("Added all nodes to selection",{selection:t}),this.selectionStore.setLastIndex(null),this.selectionStore.set(t)}else jn.debug("Cleared selection"),this.selectionStore.reset()},resetSelection(){this.selectionStore.reset()},t:En.Tl}});var go=s(38320),vo={};vo.styleTagTransform=ss(),vo.setAttributes=Zn(),vo.insert=Xn().bind(null,"head"),vo.domAPI=Kn(),vo.insertStyleElement=es(),Gn()(go.A,vo),go.A&&go.A.locals&&go.A.locals;const wo=(0,Ln.A)(ho,(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,"09fd2ce2",null).exports;var Ao=s(17334),yo=s.n(Ao),bo=s(96763);const Co=it.Ay.extend({name:"VirtualList",mixins:[Ui],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}}))},totalRowCount(){return Math.floor(this.dataSources.length/this.columnCount)},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"),minHeight:"".concat(this.totalRowCount*this.itemHeight+this.beforeHeight,"px")}}},watch:{scrollToIndex(t){this.scrollTo(t)},totalRowCount(){this.scrollToIndex&&this.$nextTick((()=>this.scrollTo(this.scrollToIndex)))},columnCount(t,e){0!==e?this.scrollTo(this.index):bo.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,Ao.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,jn.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._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")})))}}}),_o=(0,Ln.A)(Co,(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,xo=(0,nt.qK)(),To=(0,it.pM)({name:"FilesListTableHeaderActions",components:{NcActions:dr.A,NcActionButton:cr.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Us.A},mixins:[Ui],props:{currentView:{type:Object,required:!0},selectedNodes:{type:Array,default:()=>[]}},setup:()=>({actionsMenuStore:$i(),filesStore:Xs(),selectionStore:Zs()}),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 xo.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===nt.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=>{it.Ay.set(t,"status",nt.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,Mn.Qg)(this.t("files",'"{displayName}" failed on some elements ',{displayName:e}))}(0,Mn.Te)(this.t("files",'"{displayName}" batch action executed successfully',{displayName:e})),this.selectionStore.reset()}catch(n){jn.error("Error while executing action",{action:t,e:n}),(0,Mn.Qg)(this.t("files",'"{displayName}" action failed',{displayName:e}))}finally{this.loading=null,this.nodes.forEach((t=>{it.Ay.set(t,"status",void 0)}))}},t:En.Tl}}),ko=To;var Eo=s(30651),So={};So.styleTagTransform=ss(),So.setAttributes=Zn(),So.insert=Xn().bind(null,"head"),So.domAPI=Kn(),So.insertStyleElement=es(),Gn()(Eo.A,So),Eo.A&&Eo.A.locals&&Eo.A.locals;var Lo=(0,Ln.A)(ko,(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,"91476734",null);const No=Lo.exports,Po=(0,it.pM)({name:"FilesListVirtual",components:{FilesListHeader:to,FilesListTableFooter:io,FilesListTableHeader:wo,VirtualList:_o,FilesListTableHeaderActions:No},mixins:[Ui],props:{currentView:{type:nt.Ss,required:!0},currentFolder:{type:nt.vd,required:!0},nodes:{type:Array,required:!0}},setup:()=>({userConfigStore:gs(),selectionStore:Zs()}),data:()=>({FileEntry:Kr,FileEntryGrid:Xr,headers:(0,nt.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 Si(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.size))},sortedHeaders(){return this.currentFolder&&this.currentView?[...this.headers].sort(((t,e)=>t.order-e.order)):[]},caption(){const t=(0,En.Tl)("files","List of files and folders."),e=this.currentView.caption||t,n=(0,En.Tl)("files","Column headers with buttons are sortable."),s=(0,En.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,Bn.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!=qs&&null!==(e=qs.enabled)&&void 0!==e&&e.call(qs,[n],this.currentView)&&(jn.debug("Opening sidebar on file "+n.path,{node:n}),qs.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,Mn.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));if(void 0===e||e.type===nt.pt.Folder)return;jn.debug("Opening file "+e.path,{node:e}),this.openFileId=t;const n=(0,nt.qK)().filter((t=>!(null==t||!t.default))).filter((t=>!t.enabled||t.enabled([e],this.currentView))).sort(((t,e)=>(t.order||0)-(e.order||0))).at(0);null==n||n.exec(e,this.currentView,this.currentFolder.path)},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.clientYs-50&&(this.$refs.table.$el.scrollTop=this.$refs.table.$el.scrollTop+25)},t:En.Tl}});var Fo=s(79655),Io={};Io.styleTagTransform=ss(),Io.setAttributes=Zn(),Io.insert=Xn().bind(null,"head"),Io.domAPI=Kn(),Io.insertStyleElement=es(),Gn()(Fo.A,Io),Fo.A&&Fo.A.locals&&Fo.A.locals;var Bo=s(8591),Oo={};Oo.styleTagTransform=ss(),Oo.setAttributes=Zn(),Oo.insert=Xn().bind(null,"head"),Oo.domAPI=Kn(),Oo.insertStyleElement=es(),Gn()(Bo.A,Oo),Bo.A&&Bo.A.locals&&Bo.A.locals;const Do=(0,Ln.A)(Po,(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("span",{staticClass:"files-list__selected"},[t._v(t._s(t.t("files","{count} selected",{count:t.selectedNodes.length})))]),t._v(" "),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,"2e1b1dc8",null).exports,Uo={name:"TrayArrowDownIcon",emits:["click"],props:{title:{type:String},fillColor:{type:String,default:"currentColor"},size:{type:Number,default:24}}},jo=(0,Ln.A)(Uo,(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,Ro=(0,it.pM)({name:"DragAndDropNotice",components:{TrayArrowDownIcon:jo},props:{currentFolder:{type:nt.vd,required:!0}},data:()=>({dragover:!1}),computed:{currentView(){return this.$navigation.active},canUpload(){return this.currentFolder&&!!(this.currentFolder.permissions&nt.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){jn.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,Mn.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 Ii(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,Mn.Qg)(this.t("files","Target folder does not exist any more"));if(t.button)return;jn.debug("Dropped",{event:t,folder:a,fileTree:r});const l=(await Bi(r,a,o.contents)).findLast((t=>{var e;return t.status!==Ns.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&&(jn.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:En.Tl}});var Mo=s(82915),zo={};zo.styleTagTransform=ss(),zo.setAttributes=Zn(),zo.insert=Xn().bind(null,"head"),zo.domAPI=Kn(),zo.insertStyleElement=es(),Gn()(Mo.A,zo),Mo.A&&Mo.A.locals&&Mo.A.locals;const Vo=(0,Ln.A)(Ro,(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 $o,qo=s(96763);const Ho=void 0!==(null===($o=(0,ks.F)())||void 0===$o?void 0:$o.files_sharing),Wo=(0,it.pM)({name:"FilesList",components:{BreadCrumbs:zi,DragAndDropNotice:Vo,FilesListVirtual:Do,LinkIcon:Ps.A,ListViewIcon:Is,NcAppContent:Bs.A,NcButton:Os.A,NcEmptyContent:Ds.A,NcIconSvgWrapper:In.A,NcLoadingIcon:Us.A,PlusIcon:js.A,AccountPlusIcon:Ms,UploadPicker:Ns.U,ViewGridIcon:Vs},mixins:[Ui,ao],setup(){var t;return{filesStore:Xs(),pathsStore:Js(),selectionStore:Zs(),uploaderStore:ei(),userConfigStore:gs(),viewConfigStore:Un(),enableGridView:null===(t=(0,Bn.C)("core","config",[])["enable_non-accessible_features"])||void 0===t||t}},data:()=>({filterText:"",loading:!0,promise:null,Type:Ls.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")},fileId(){var t,e;const n=Number.parseInt(null!==(t=null===(e=this.$route)||void 0===e?void 0:e.params.fileid)&&void 0!==t?t:"");return Number.isNaN(n)?null:n},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 void 0!==e?this.filesStore.getNode(e):void 0},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.basename.toLowerCase().includes(this.filterText.toLowerCase()))),qo.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,En.Z0)(),(0,En.lO)()],{numeric:!0,usage:"sort"});return[...t].sort(((t,n)=>{for(const[s,i]of e.entries()){const e=o.compare(ni(i(t)),ni(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===Ls.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===Ls.Z.SHARE_TYPE_LINK))?Ls.Z.SHARE_TYPE_LINK:Ls.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&nt.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 Ho&&this.currentFolder&&!!(this.currentFolder.permissions&nt.aX.SHARE)}},watch:{currentView(t,e){(null==t?void 0:t.id)!==(null==e?void 0:e.id)&&(jn.debug("View changed",{newView:t,oldView:e}),this.selectionStore.reset(),this.resetSearch(),this.fetchContent())},dir(t,e){var n;jn.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){jn.debug("Directory contents changed",{view:this.currentView,folder:this.currentFolder,contents:t}),(0,kn.Ic)("files:list:updated",{view:this.currentView,folder:this.currentFolder,contents:t})}},mounted(){this.fetchContent(),(0,kn.B1)("files:node:deleted",this.onNodeDeleted),(0,kn.B1)("files:node:updated",this.onUpdatedNode),(0,kn.B1)("nextcloud:unified-search.search",this.onSearch),(0,kn.B1)("nextcloud:unified-search.reset",this.onSearch),this._unsubscribeStore=this.userConfigStore.$subscribe((()=>this.fetchContent()),{deep:!0})},unmounted(){(0,kn.al)("files:node:deleted",this.onNodeDeleted),(0,kn.al)("files:node:updated",this.onUpdatedNode),(0,kn.al)("nextcloud:unified-search.search",this.onSearch),(0,kn.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(),jn.debug("Cancelled previous ongoing fetch")),this.promise=n.getContents(e);try{const{folder:t,contents:s}=await this.promise;jn.debug("Fetched contents",{dir:e,folder:t,contents:s}),this.filesStore.updateNodes(s),this.$set(t,"_children",s.map((t=>t.source))),"/"===e?this.filesStore.setRoot({service:n.id,root:t}):t.fileid?(this.filesStore.updateNodes([t]),this.pathsStore.addPath({service:n.id,source:t.source,path:e})):jn.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,Es.join)(e,t.basename)})}))}catch(t){jn.error("Error while fetching content",{error:t})}finally{this.loading=!1}}else jn.debug("The current view doesn't exists or is not ready.",{currentView:n})},getNode(t){return this.filesStore.getNode(t)},onNodeDeleted(t){var e,n,s;t.fileid&&t.fileid===this.fileId&&(t.fileid===(null===(e=this.currentFolder)||void 0===e?void 0:e.fileid)?window.OCP.Files.Router.goToRoute(null,{view:this.$route.params.view},{dir:null!==(n=null===(s=this.currentFolder)||void 0===s?void 0:s.dirname)&&void 0!==n?n:"/"}):window.OCP.Files.Router.goToRoute(null,{...this.$route.params,fileid:void 0},{...this.$route.query,openfile:void 0}))},onUpload(t){var e;(0,Es.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 Ss.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,Mn.Qg)(this.t("files","Error during upload: {message}",{message:n}))}catch(t){jn.error("Error while parsing",{error:t})}0===n?(0,Mn.Qg)(this.t("files","Unknown error during upload")):(0,Mn.Qg)(this.t("files","Error during upload, status code {status}",{status:n}))}else(0,Mn.Qg)(this.t("files","Operation is blocked by access control"));else(0,Mn.Qg)(this.t("files","Target folder does not exist any more"));else(0,Mn.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:yo()((function(t){qo.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"),qs.exec(this.currentFolder,this.currentView,this.currentFolder.path)):jn.debug("No current folder found for opening sharing sidebar")},toggleGridView(){this.userConfigStore.update("grid_view",!this.userConfig.grid_view)},t:En.Tl,n:En.zw}});var Go=s(87641),Yo={};Yo.styleTagTransform=ss(),Yo.setAttributes=Zn(),Yo.insert=Xn().bind(null,"head"),Yo.domAPI=Kn(),Yo.insertStyleElement=es(),Gn()(Go.A,Yo),Go.A&&Go.A.locals&&Go.A.locals;const Ko=(0,Ln.A)(Wo,(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,"f365f692",null).exports,Qo=(0,it.pM)({name:"FilesApp",components:{NcContent:Tn.A,FilesList:Ko,Navigation:Ts}}),Xo=(0,Ln.A)(Qo,(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 Jo,Zo;s.nc=btoa((0,st.do)()),window.OCA.Files=null!==(Jo=window.OCA.Files)&&void 0!==Jo?Jo:{},window.OCP.Files=null!==(Zo=window.OCP.Files)&&void 0!==Zo?Zo:{};const ta=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})}}(Cn);Object.assign(window.OCP.Files,{Router:ta}),it.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[u]=e,this.$pinia||(this.$pinia=e),e._a=this,f&&d(e),h&&z(e._a,e)}else!this.$pinia&&t.parent&&t.parent.$pinia&&(this.$pinia=t.parent.$pinia)},destroyed(){delete this._pStores}})}));const ea=it.Ay.observable((0,nt.bh)());it.Ay.prototype.$navigation=ea;const na=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:na}),Object.assign(window.OCA.Files.Settings,{Setting:class{constructor(t,e){let{el:n,open:s,close:i}=e;_n(this,"_close",void 0),_n(this,"_el",void 0),_n(this,"_name",void 0),_n(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(it.Ay.extend(Xo))({router:Cn,pinia:rt}).$mount("#content")},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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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},13949:(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-ed034756]{flex:1 1 100% !important;width:100%;height:100%;margin-block:0;margin-inline:10px}.files-list__breadcrumbs[data-v-ed034756] a{cursor:pointer !important}.files-list__breadcrumbs--with-progress[data-v-ed034756]{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},81194:(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},34570:(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-7e961138] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-7e961138] .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},38320:(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-09fd2ce2]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-09fd2ce2]{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},30651:(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-91476734]{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},79655:(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-2e1b1dc8]{--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-2e1b1dc8] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2e1b1dc8] tbody tr{contain:strict}.files-list[data-v-2e1b1dc8] tbody tr:hover,.files-list[data-v-2e1b1dc8] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2e1b1dc8] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2e1b1dc8] .files-list__selected{padding-right:12px;white-space:nowrap}.files-list[data-v-2e1b1dc8] .files-list__table{display:block}.files-list[data-v-2e1b1dc8] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__thead,.files-list[data-v-2e1b1dc8] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2e1b1dc8] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2e1b1dc8] .files-list__tfoot{min-height:300px}.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td,.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td span,.files-list[data-v-2e1b1dc8] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2e1b1dc8] .files-list__row:hover,.files-list[data-v-2e1b1dc8] .files-list__row:focus,.files-list[data-v-2e1b1dc8] .files-list__row:active,.files-list[data-v-2e1b1dc8] .files-list__row--active,.files-list[data-v-2e1b1dc8] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2e1b1dc8] .files-list__row:hover>*,.files-list[data-v-2e1b1dc8] .files-list__row:focus>*,.files-list[data-v-2e1b1dc8] .files-list__row:active>*,.files-list[data-v-2e1b1dc8] .files-list__row--active>*,.files-list[data-v-2e1b1dc8] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2e1b1dc8] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2e1b1dc8] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon>span.folder-icon,.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2e1b1dc8] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2e1b1dc8] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2e1b1dc8] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2e1b1dc8] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2e1b1dc8] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2e1b1dc8] .files-list__row-actions{width:auto}.files-list[data-v-2e1b1dc8] .files-list__row-actions~td,.files-list[data-v-2e1b1dc8] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2e1b1dc8] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2e1b1dc8] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2e1b1dc8] .files-list__row-mtime,.files-list[data-v-2e1b1dc8] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2e1b1dc8] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2e1b1dc8] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2e1b1dc8] .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,oDACC,kBAAA,CACA,kBAAA,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__selected {\n\t\t\tpadding-right: 12px;\n\t\t\twhite-space: nowrap;\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},8591:(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},87641:(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-f365f692]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-f365f692]{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-f365f692]{flex:0 0}.files-list__header-share-button[data-v-f365f692]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-f365f692]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-f365f692]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-f365f692]{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},37007:(t,e,n)=>{"use strict";var s,i=n(96763),r="object"==typeof Reflect?Reflect:null,o=r&&"function"==typeof r.apply?r.apply:function(t,e,n){return Function.prototype.apply.call(t,e,n)};s=r&&"function"==typeof r.ownKeys?r.ownKeys:Object.getOwnPropertySymbols?function(t){return Object.getOwnPropertyNames(t).concat(Object.getOwnPropertySymbols(t))}:function(t){return Object.getOwnPropertyNames(t)};var a=Number.isNaN||function(t){return t!=t};function l(){l.init.call(this)}t.exports=l,t.exports.once=function(t,e){return new Promise((function(n,s){function i(n){t.removeListener(e,r),s(n)}function r(){"function"==typeof t.removeListener&&t.removeListener("error",i),n([].slice.call(arguments))}w(t,e,r,{once:!0}),"error"!==e&&function(t,e,n){"function"==typeof t.on&&w(t,"error",e,{once:!0})}(t,i)}))},l.EventEmitter=l,l.prototype._events=void 0,l.prototype._eventsCount=0,l.prototype._maxListeners=void 0;var c=10;function d(t){if("function"!=typeof t)throw new TypeError('The "listener" argument must be of type Function. Received type '+typeof t)}function u(t){return void 0===t._maxListeners?l.defaultMaxListeners:t._maxListeners}function m(t,e,n,s){var r,o,a,l;if(d(n),void 0===(o=t._events)?(o=t._events=Object.create(null),t._eventsCount=0):(void 0!==o.newListener&&(t.emit("newListener",e,n.listener?n.listener:n),o=t._events),a=o[e]),void 0===a)a=o[e]=n,++t._eventsCount;else if("function"==typeof a?a=o[e]=s?[n,a]:[a,n]:s?a.unshift(n):a.push(n),(r=u(t))>0&&a.length>r&&!a.warned){a.warned=!0;var c=new Error("Possible EventEmitter memory leak detected. "+a.length+" "+String(e)+" listeners added. Use emitter.setMaxListeners() to increase limit");c.name="MaxListenersExceededWarning",c.emitter=t,c.type=e,c.count=a.length,l=c,i&&i.warn&&i.warn(l)}return t}function p(){if(!this.fired)return this.target.removeListener(this.type,this.wrapFn),this.fired=!0,0===arguments.length?this.listener.call(this.target):this.listener.apply(this.target,arguments)}function f(t,e,n){var s={fired:!1,wrapFn:void 0,target:t,type:e,listener:n},i=p.bind(s);return i.listener=n,s.wrapFn=i,i}function h(t,e,n){var s=t._events;if(void 0===s)return[];var i=s[e];return void 0===i?[]:"function"==typeof i?n?[i.listener||i]:[i]:n?function(t){for(var e=new Array(t.length),n=0;n0&&(r=e[0]),r instanceof Error)throw r;var a=new Error("Unhandled error."+(r?" ("+r.message+")":""));throw a.context=r,a}var l=i[t];if(void 0===l)return!1;if("function"==typeof l)o(l,this,e);else{var c=l.length,d=v(l,c);for(n=0;n=0;r--)if(n[r]===e||n[r].listener===e){o=n[r].listener,i=r;break}if(i<0)return this;0===i?n.shift():function(t,e){for(;e+1=0;s--)this.removeListener(t,e[s]);return this},l.prototype.listeners=function(t){return h(this,t,!0)},l.prototype.rawListeners=function(t){return h(this,t,!1)},l.listenerCount=function(t,e){return"function"==typeof t.listenerCount?t.listenerCount(e):g.call(t,e)},l.prototype.listenerCount=g,l.prototype.eventNames=function(){return this._eventsCount>0?s(this._events):[]}},92861:(t,e,n)=>{var s=n(48287),i=s.Buffer;function r(t,e){for(var n in t)e[n]=t[n]}function o(t,e,n){return i(t,e,n)}i.from&&i.alloc&&i.allocUnsafe&&i.allocUnsafeSlow?t.exports=s:(r(s,e),e.Buffer=o),o.prototype=Object.create(i.prototype),r(i,o),o.from=function(t,e,n){if("number"==typeof t)throw new TypeError("Argument must not be a number");return i(t,e,n)},o.alloc=function(t,e,n){if("number"!=typeof t)throw new TypeError("Argument must be a number");var s=i(t);return void 0!==e?"string"==typeof n?s.fill(e,n):s.fill(e):s.fill(0),s},o.allocUnsafe=function(t){if("number"!=typeof t)throw new TypeError("Argument must be a number");return i(t)},o.allocUnsafeSlow=function(t){if("number"!=typeof t)throw new TypeError("Argument must be a number");return s.SlowBuffer(t)}},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"===r?(S(n,"onsgmldeclaration",n.sgmlDecl),n.sgmlDecl="",n.state=T.TEXT):w(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:w(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:w(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?(I(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)||I(n,"Invalid character in tag name"),n.state=T.ATTRIB));continue;case T.OPEN_TAG_SLASH:">"===r?(U(n,!0),j(n)):(I(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):I(n,"Invalid attribute name");continue;case T.ATTRIB_NAME:"="===r?n.state=T.ATTRIB_VALUE:">"===r?(I(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:I(n,"Invalid attribute name");continue;case T.ATTRIB_NAME_SAW_WHITE:if("="===r)n.state=T.ATTRIB_VALUE;else{if(v(r))continue;I(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):(I(n,"Invalid attribute name"),n.state=T.ATTRIB)}continue;case T.ATTRIB_VALUE:if(v(r))continue;w(r)?(n.q=r,n.state=T.ATTRIB_VALUE_QUOTED):(I(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)?(I(n,"No whitespace between attributes"),n.attribName=r,n.attribValue="",n.state=T.ATTRIB_NAME):I(n,"Invalid attribute name");continue;case T.ATTRIB_VALUE_UNQUOTED:if(!A(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+=""===r?j(n):I(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=R(n);n.entity="",n.state=d,n.write(m)}else n[u]+=R(n),n.entity="",n.state=d;else y(n.entity.length?g:h,r)?n.entity+=r:(I(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;rn)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:P(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-]/,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]/,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\u00B7\u0300-\u036F\u203F-\u2040.\d-]/;function v(t){return" "===t||"\n"===t||"\r"===t||"\t"===t}function w(t){return'"'===t||"'"===t}function A(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 P(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 F(t){return t.sawRoot&&!t.closedRoot&&I(t,"Unclosed root tag"),t.state!==T.BEGIN&&t.state!==T.BEGIN_WHITESPACE&&t.state!==T.TEXT&&P(t,"Unexpected end"),L(t),t.c="",t.closed=!0,E(t,"onend"),r.call(t,t.strict,t.opt),t}function I(t,e){if("object"!=typeof t||!(t instanceof r))throw new Error("bad call to strictFail");t.strict&&P(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)I(t,"xml: prefix must be bound to "+d+"\nActual: "+t.attribValue);else if("xmlns"===s&&t.attribValue!==u)I(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&&(I(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",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;)I(t,"Unexpected close tag");if(e<0)return I(t,"Unmatched closing tag: "+t.tagName),t.textNode+="",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 R(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?(I(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)||(I(t,"Non-whitespace before first tag."),t.textNode=e,t.state=T.TEXT)}function z(t,e){var n="";return e1114111||_(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:x,configurable:!0,writable:!0}):String.fromCodePoint=x)}(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{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}}}},88310:(t,e,n)=>{t.exports=i;var s=n(37007).EventEmitter;function i(){s.call(this)}n(56698)(i,s),i.Readable=n(46891),i.Writable=n(81999),i.Duplex=n(88101),i.Transform=n(59083),i.PassThrough=n(3681),i.finished=n(14257),i.pipeline=n(5267),i.Stream=i,i.prototype.pipe=function(t,e){var n=this;function i(e){t.writable&&!1===t.write(e)&&n.pause&&n.pause()}function r(){n.readable&&n.resume&&n.resume()}n.on("data",i),t.on("drain",r),t._isStdio||e&&!1===e.end||(n.on("end",a),n.on("close",l));var o=!1;function a(){o||(o=!0,t.end())}function l(){o||(o=!0,"function"==typeof t.destroy&&t.destroy())}function c(t){if(d(),0===s.listenerCount(this,"error"))throw t}function d(){n.removeListener("data",i),t.removeListener("drain",r),n.removeListener("end",a),n.removeListener("close",l),n.removeListener("error",c),t.removeListener("error",c),n.removeListener("end",d),n.removeListener("close",d),t.removeListener("close",d)}return n.on("error",c),t.on("error",c),n.on("end",d),n.on("close",d),t.on("close",d),t.emit("pipe",n),t}},12463:t=>{"use strict";var e={};function n(t,n,s){s||(s=Error);var i=function(t){var e,s;function i(e,s,i){return t.call(this,function(t,e,s){return"string"==typeof n?n:n(t,e,s)}(e,s,i))||this}return s=t,(e=i).prototype=Object.create(s.prototype),e.prototype.constructor=e,e.__proto__=s,i}(s);i.prototype.name=s.name,i.prototype.code=t,e[t]=i}function s(t,e){if(Array.isArray(t)){var n=t.length;return t=t.map((function(t){return String(t)})),n>2?"one of ".concat(e," ").concat(t.slice(0,n-1).join(", "),", or ")+t[n-1]:2===n?"one of ".concat(e," ").concat(t[0]," or ").concat(t[1]):"of ".concat(e," ").concat(t[0])}return"of ".concat(e," ").concat(String(t))}n("ERR_INVALID_OPT_VALUE",(function(t,e){return'The value "'+e+'" is invalid for option "'+t+'"'}),TypeError),n("ERR_INVALID_ARG_TYPE",(function(t,e,n){var i,r,o,a,l;if("string"==typeof e&&(r="not ",e.substr(0,4)===r)?(i="must not be",e=e.replace(/^not /,"")):i="must be",function(t,e,n){return(void 0===n||n>t.length)&&(n=t.length),t.substring(n-9,n)===e}(t," argument"))o="The ".concat(t," ").concat(i," ").concat(s(e,"type"));else{var c=("number"!=typeof l&&(l=0),l+1>(a=t).length||-1===a.indexOf(".",l)?"argument":"property");o='The "'.concat(t,'" ').concat(c," ").concat(i," ").concat(s(e,"type"))}return o+". Received type ".concat(typeof n)}),TypeError),n("ERR_STREAM_PUSH_AFTER_EOF","stream.push() after EOF"),n("ERR_METHOD_NOT_IMPLEMENTED",(function(t){return"The "+t+" method is not implemented"})),n("ERR_STREAM_PREMATURE_CLOSE","Premature close"),n("ERR_STREAM_DESTROYED",(function(t){return"Cannot call "+t+" after a stream was destroyed"})),n("ERR_MULTIPLE_CALLBACK","Callback called multiple times"),n("ERR_STREAM_CANNOT_PIPE","Cannot pipe, not readable"),n("ERR_STREAM_WRITE_AFTER_END","write after end"),n("ERR_STREAM_NULL_VALUES","May not write null values to stream",TypeError),n("ERR_UNKNOWN_ENCODING",(function(t){return"Unknown encoding: "+t}),TypeError),n("ERR_STREAM_UNSHIFT_AFTER_END_EVENT","stream.unshift() after end event"),t.exports.F=e},88101:(t,e,n)=>{"use strict";var s=n(65606),i=Object.keys||function(t){var e=[];for(var n in t)e.push(n);return e};t.exports=d;var r=n(46891),o=n(81999);n(56698)(d,r);for(var a=i(o.prototype),l=0;l{"use strict";t.exports=i;var s=n(59083);function i(t){if(!(this instanceof i))return new i(t);s.call(this,t)}n(56698)(i,s),i.prototype._transform=function(t,e,n){n(null,t)}},46891:(t,e,n)=>{"use strict";var s,i=n(65606);t.exports=T,T.ReadableState=x,n(37007).EventEmitter;var r,o=function(t,e){return t.listeners(e).length},a=n(41396),l=n(48287).Buffer,c=(void 0!==n.g?n.g:"undefined"!=typeof window?window:"undefined"!=typeof self?self:{}).Uint8Array||function(){},d=n(99580);r=d&&d.debuglog?d.debuglog("stream"):function(){};var u,m,p,f=n(81766),h=n(54347),g=n(66644).getHighWaterMark,v=n(12463).F,w=v.ERR_INVALID_ARG_TYPE,A=v.ERR_STREAM_PUSH_AFTER_EOF,y=v.ERR_METHOD_NOT_IMPLEMENTED,b=v.ERR_STREAM_UNSHIFT_AFTER_END_EVENT;n(56698)(T,a);var C=h.errorOrDestroy,_=["error","close","destroy","pause","resume"];function x(t,e,i){s=s||n(88101),t=t||{},"boolean"!=typeof i&&(i=e instanceof s),this.objectMode=!!t.objectMode,i&&(this.objectMode=this.objectMode||!!t.readableObjectMode),this.highWaterMark=g(this,t,"readableHighWaterMark",i),this.buffer=new f,this.length=0,this.pipes=null,this.pipesCount=0,this.flowing=null,this.ended=!1,this.endEmitted=!1,this.reading=!1,this.sync=!0,this.needReadable=!1,this.emittedReadable=!1,this.readableListening=!1,this.resumeScheduled=!1,this.paused=!0,this.emitClose=!1!==t.emitClose,this.autoDestroy=!!t.autoDestroy,this.destroyed=!1,this.defaultEncoding=t.defaultEncoding||"utf8",this.awaitDrain=0,this.readingMore=!1,this.decoder=null,this.encoding=null,t.encoding&&(u||(u=n(83141).I),this.decoder=new u(t.encoding),this.encoding=t.encoding)}function T(t){if(s=s||n(88101),!(this instanceof T))return new T(t);var e=this instanceof s;this._readableState=new x(t,this,e),this.readable=!0,t&&("function"==typeof t.read&&(this._read=t.read),"function"==typeof t.destroy&&(this._destroy=t.destroy)),a.call(this)}function k(t,e,n,s,i){r("readableAddChunk",e);var o,a=t._readableState;if(null===e)a.reading=!1,function(t,e){if(r("onEofChunk"),!e.ended){if(e.decoder){var n=e.decoder.end();n&&n.length&&(e.buffer.push(n),e.length+=e.objectMode?1:n.length)}e.ended=!0,e.sync?N(t):(e.needReadable=!1,e.emittedReadable||(e.emittedReadable=!0,P(t)))}}(t,a);else if(i||(o=function(t,e){var n,s;return s=e,l.isBuffer(s)||s instanceof c||"string"==typeof e||void 0===e||t.objectMode||(n=new w("chunk",["string","Buffer","Uint8Array"],e)),n}(a,e)),o)C(t,o);else if(a.objectMode||e&&e.length>0)if("string"==typeof e||a.objectMode||Object.getPrototypeOf(e)===l.prototype||(e=function(t){return l.from(t)}(e)),s)a.endEmitted?C(t,new b):E(t,a,e,!0);else if(a.ended)C(t,new A);else{if(a.destroyed)return!1;a.reading=!1,a.decoder&&!n?(e=a.decoder.write(e),a.objectMode||0!==e.length?E(t,a,e,!1):F(t,a)):E(t,a,e,!1)}else s||(a.reading=!1,F(t,a));return!a.ended&&(a.lengthe.highWaterMark&&(e.highWaterMark=function(t){return t>=S?t=S:(t--,t|=t>>>1,t|=t>>>2,t|=t>>>4,t|=t>>>8,t|=t>>>16,t++),t}(t)),t<=e.length?t:e.ended?e.length:(e.needReadable=!0,0))}function N(t){var e=t._readableState;r("emitReadable",e.needReadable,e.emittedReadable),e.needReadable=!1,e.emittedReadable||(r("emitReadable",e.flowing),e.emittedReadable=!0,i.nextTick(P,t))}function P(t){var e=t._readableState;r("emitReadable_",e.destroyed,e.length,e.ended),e.destroyed||!e.length&&!e.ended||(t.emit("readable"),e.emittedReadable=!1),e.needReadable=!e.flowing&&!e.ended&&e.length<=e.highWaterMark,U(t)}function F(t,e){e.readingMore||(e.readingMore=!0,i.nextTick(I,t,e))}function I(t,e){for(;!e.reading&&!e.ended&&(e.length0,e.resumeScheduled&&!e.paused?e.flowing=!0:t.listenerCount("data")>0&&t.resume()}function O(t){r("readable nexttick read 0"),t.read(0)}function D(t,e){r("resume",e.reading),e.reading||t.read(0),e.resumeScheduled=!1,t.emit("resume"),U(t),e.flowing&&!e.reading&&t.read(0)}function U(t){var e=t._readableState;for(r("flow",e.flowing);e.flowing&&null!==t.read(););}function j(t,e){return 0===e.length?null:(e.objectMode?n=e.buffer.shift():!t||t>=e.length?(n=e.decoder?e.buffer.join(""):1===e.buffer.length?e.buffer.first():e.buffer.concat(e.length),e.buffer.clear()):n=e.buffer.consume(t,e.decoder),n);var n}function R(t){var e=t._readableState;r("endReadable",e.endEmitted),e.endEmitted||(e.ended=!0,i.nextTick(M,e,t))}function M(t,e){if(r("endReadableNT",t.endEmitted,t.length),!t.endEmitted&&0===t.length&&(t.endEmitted=!0,e.readable=!1,e.emit("end"),t.autoDestroy)){var n=e._writableState;(!n||n.autoDestroy&&n.finished)&&e.destroy()}}function z(t,e){for(var n=0,s=t.length;n=e.highWaterMark:e.length>0)||e.ended))return r("read: emitReadable",e.length,e.ended),0===e.length&&e.ended?R(this):N(this),null;if(0===(t=L(t,e))&&e.ended)return 0===e.length&&R(this),null;var s,i=e.needReadable;return r("need readable",i),(0===e.length||e.length-t0?j(t,e):null)?(e.needReadable=e.length<=e.highWaterMark,t=0):(e.length-=t,e.awaitDrain=0),0===e.length&&(e.ended||(e.needReadable=!0),n!==t&&e.ended&&R(this)),null!==s&&this.emit("data",s),s},T.prototype._read=function(t){C(this,new y("_read()"))},T.prototype.pipe=function(t,e){var n=this,s=this._readableState;switch(s.pipesCount){case 0:s.pipes=t;break;case 1:s.pipes=[s.pipes,t];break;default:s.pipes.push(t)}s.pipesCount+=1,r("pipe count=%d opts=%j",s.pipesCount,e);var a=e&&!1===e.end||t===i.stdout||t===i.stderr?h:l;function l(){r("onend"),t.end()}s.endEmitted?i.nextTick(a):n.once("end",a),t.on("unpipe",(function e(i,o){r("onunpipe"),i===n&&o&&!1===o.hasUnpiped&&(o.hasUnpiped=!0,r("cleanup"),t.removeListener("close",p),t.removeListener("finish",f),t.removeListener("drain",c),t.removeListener("error",m),t.removeListener("unpipe",e),n.removeListener("end",l),n.removeListener("end",h),n.removeListener("data",u),d=!0,!s.awaitDrain||t._writableState&&!t._writableState.needDrain||c())}));var c=function(t){return function(){var e=t._readableState;r("pipeOnDrain",e.awaitDrain),e.awaitDrain&&e.awaitDrain--,0===e.awaitDrain&&o(t,"data")&&(e.flowing=!0,U(t))}}(n);t.on("drain",c);var d=!1;function u(e){r("ondata");var i=t.write(e);r("dest.write",i),!1===i&&((1===s.pipesCount&&s.pipes===t||s.pipesCount>1&&-1!==z(s.pipes,t))&&!d&&(r("false write response, pause",s.awaitDrain),s.awaitDrain++),n.pause())}function m(e){r("onerror",e),h(),t.removeListener("error",m),0===o(t,"error")&&C(t,e)}function p(){t.removeListener("finish",f),h()}function f(){r("onfinish"),t.removeListener("close",p),h()}function h(){r("unpipe"),n.unpipe(t)}return n.on("data",u),function(t,e,n){if("function"==typeof t.prependListener)return t.prependListener(e,n);t._events&&t._events[e]?Array.isArray(t._events[e])?t._events[e].unshift(n):t._events[e]=[n,t._events[e]]:t.on(e,n)}(t,"error",m),t.once("close",p),t.once("finish",f),t.emit("pipe",n),s.flowing||(r("pipe resume"),n.resume()),t},T.prototype.unpipe=function(t){var e=this._readableState,n={hasUnpiped:!1};if(0===e.pipesCount)return this;if(1===e.pipesCount)return t&&t!==e.pipes||(t||(t=e.pipes),e.pipes=null,e.pipesCount=0,e.flowing=!1,t&&t.emit("unpipe",this,n)),this;if(!t){var s=e.pipes,i=e.pipesCount;e.pipes=null,e.pipesCount=0,e.flowing=!1;for(var r=0;r0,!1!==s.flowing&&this.resume()):"readable"===t&&(s.endEmitted||s.readableListening||(s.readableListening=s.needReadable=!0,s.flowing=!1,s.emittedReadable=!1,r("on readable",s.length,s.reading),s.length?N(this):s.reading||i.nextTick(O,this))),n},T.prototype.addListener=T.prototype.on,T.prototype.removeListener=function(t,e){var n=a.prototype.removeListener.call(this,t,e);return"readable"===t&&i.nextTick(B,this),n},T.prototype.removeAllListeners=function(t){var e=a.prototype.removeAllListeners.apply(this,arguments);return"readable"!==t&&void 0!==t||i.nextTick(B,this),e},T.prototype.resume=function(){var t=this._readableState;return t.flowing||(r("resume"),t.flowing=!t.readableListening,function(t,e){e.resumeScheduled||(e.resumeScheduled=!0,i.nextTick(D,t,e))}(this,t)),t.paused=!1,this},T.prototype.pause=function(){return r("call pause flowing=%j",this._readableState.flowing),!1!==this._readableState.flowing&&(r("pause"),this._readableState.flowing=!1,this.emit("pause")),this._readableState.paused=!0,this},T.prototype.wrap=function(t){var e=this,n=this._readableState,s=!1;for(var i in t.on("end",(function(){if(r("wrapped end"),n.decoder&&!n.ended){var t=n.decoder.end();t&&t.length&&e.push(t)}e.push(null)})),t.on("data",(function(i){r("wrapped data"),n.decoder&&(i=n.decoder.write(i)),n.objectMode&&null==i||(n.objectMode||i&&i.length)&&(e.push(i)||(s=!0,t.pause()))})),t)void 0===this[i]&&"function"==typeof t[i]&&(this[i]=function(e){return function(){return t[e].apply(t,arguments)}}(i));for(var o=0;o<_.length;o++)t.on(_[o],this.emit.bind(this,_[o]));return this._read=function(e){r("wrapped _read",e),s&&(s=!1,t.resume())},this},"function"==typeof Symbol&&(T.prototype[Symbol.asyncIterator]=function(){return void 0===m&&(m=n(65034)),m(this)}),Object.defineProperty(T.prototype,"readableHighWaterMark",{enumerable:!1,get:function(){return this._readableState.highWaterMark}}),Object.defineProperty(T.prototype,"readableBuffer",{enumerable:!1,get:function(){return this._readableState&&this._readableState.buffer}}),Object.defineProperty(T.prototype,"readableFlowing",{enumerable:!1,get:function(){return this._readableState.flowing},set:function(t){this._readableState&&(this._readableState.flowing=t)}}),T._fromList=j,Object.defineProperty(T.prototype,"readableLength",{enumerable:!1,get:function(){return this._readableState.length}}),"function"==typeof Symbol&&(T.from=function(t,e){return void 0===p&&(p=n(90968)),p(T,t,e)})},59083:(t,e,n)=>{"use strict";t.exports=d;var s=n(12463).F,i=s.ERR_METHOD_NOT_IMPLEMENTED,r=s.ERR_MULTIPLE_CALLBACK,o=s.ERR_TRANSFORM_ALREADY_TRANSFORMING,a=s.ERR_TRANSFORM_WITH_LENGTH_0,l=n(88101);function c(t,e){var n=this._transformState;n.transforming=!1;var s=n.writecb;if(null===s)return this.emit("error",new r);n.writechunk=null,n.writecb=null,null!=e&&this.push(e),s(t);var i=this._readableState;i.reading=!1,(i.needReadable||i.length{"use strict";var s,i=n(65606);function r(t){var e=this;this.next=null,this.entry=null,this.finish=function(){!function(t,e,n){var s=t.entry;for(t.entry=null;s;){var i=s.callback;e.pendingcb--,i(undefined),s=s.next}e.corkedRequestsFree.next=t}(e,t)}}t.exports=T,T.WritableState=x;var o,a={deprecate:n(94643)},l=n(41396),c=n(48287).Buffer,d=(void 0!==n.g?n.g:"undefined"!=typeof window?window:"undefined"!=typeof self?self:{}).Uint8Array||function(){},u=n(54347),m=n(66644).getHighWaterMark,p=n(12463).F,f=p.ERR_INVALID_ARG_TYPE,h=p.ERR_METHOD_NOT_IMPLEMENTED,g=p.ERR_MULTIPLE_CALLBACK,v=p.ERR_STREAM_CANNOT_PIPE,w=p.ERR_STREAM_DESTROYED,A=p.ERR_STREAM_NULL_VALUES,y=p.ERR_STREAM_WRITE_AFTER_END,b=p.ERR_UNKNOWN_ENCODING,C=u.errorOrDestroy;function _(){}function x(t,e,o){s=s||n(88101),t=t||{},"boolean"!=typeof o&&(o=e instanceof s),this.objectMode=!!t.objectMode,o&&(this.objectMode=this.objectMode||!!t.writableObjectMode),this.highWaterMark=m(this,t,"writableHighWaterMark",o),this.finalCalled=!1,this.needDrain=!1,this.ending=!1,this.ended=!1,this.finished=!1,this.destroyed=!1;var a=!1===t.decodeStrings;this.decodeStrings=!a,this.defaultEncoding=t.defaultEncoding||"utf8",this.length=0,this.writing=!1,this.corked=0,this.sync=!0,this.bufferProcessing=!1,this.onwrite=function(t){!function(t,e){var n=t._writableState,s=n.sync,r=n.writecb;if("function"!=typeof r)throw new g;if(function(t){t.writing=!1,t.writecb=null,t.length-=t.writelen,t.writelen=0}(n),e)!function(t,e,n,s,r){--e.pendingcb,n?(i.nextTick(r,s),i.nextTick(P,t,e),t._writableState.errorEmitted=!0,C(t,s)):(r(s),t._writableState.errorEmitted=!0,C(t,s),P(t,e))}(t,n,s,e,r);else{var o=L(n)||t.destroyed;o||n.corked||n.bufferProcessing||!n.bufferedRequest||S(t,n),s?i.nextTick(E,t,n,o,r):E(t,n,o,r)}}(e,t)},this.writecb=null,this.writelen=0,this.bufferedRequest=null,this.lastBufferedRequest=null,this.pendingcb=0,this.prefinished=!1,this.errorEmitted=!1,this.emitClose=!1!==t.emitClose,this.autoDestroy=!!t.autoDestroy,this.bufferedRequestCount=0,this.corkedRequestsFree=new r(this)}function T(t){var e=this instanceof(s=s||n(88101));if(!e&&!o.call(T,this))return new T(t);this._writableState=new x(t,this,e),this.writable=!0,t&&("function"==typeof t.write&&(this._write=t.write),"function"==typeof t.writev&&(this._writev=t.writev),"function"==typeof t.destroy&&(this._destroy=t.destroy),"function"==typeof t.final&&(this._final=t.final)),l.call(this)}function k(t,e,n,s,i,r,o){e.writelen=s,e.writecb=o,e.writing=!0,e.sync=!0,e.destroyed?e.onwrite(new w("write")):n?t._writev(i,e.onwrite):t._write(i,r,e.onwrite),e.sync=!1}function E(t,e,n,s){n||function(t,e){0===e.length&&e.needDrain&&(e.needDrain=!1,t.emit("drain"))}(t,e),e.pendingcb--,s(),P(t,e)}function S(t,e){e.bufferProcessing=!0;var n=e.bufferedRequest;if(t._writev&&n&&n.next){var s=e.bufferedRequestCount,i=new Array(s),o=e.corkedRequestsFree;o.entry=n;for(var a=0,l=!0;n;)i[a]=n,n.isBuf||(l=!1),n=n.next,a+=1;i.allBuffers=l,k(t,e,!0,e.length,i,"",o.finish),e.pendingcb++,e.lastBufferedRequest=null,o.next?(e.corkedRequestsFree=o.next,o.next=null):e.corkedRequestsFree=new r(e),e.bufferedRequestCount=0}else{for(;n;){var c=n.chunk,d=n.encoding,u=n.callback;if(k(t,e,!1,e.objectMode?1:c.length,c,d,u),n=n.next,e.bufferedRequestCount--,e.writing)break}null===n&&(e.lastBufferedRequest=null)}e.bufferedRequest=n,e.bufferProcessing=!1}function L(t){return t.ending&&0===t.length&&null===t.bufferedRequest&&!t.finished&&!t.writing}function N(t,e){t._final((function(n){e.pendingcb--,n&&C(t,n),e.prefinished=!0,t.emit("prefinish"),P(t,e)}))}function P(t,e){var n=L(e);if(n&&(function(t,e){e.prefinished||e.finalCalled||("function"!=typeof t._final||e.destroyed?(e.prefinished=!0,t.emit("prefinish")):(e.pendingcb++,e.finalCalled=!0,i.nextTick(N,t,e)))}(t,e),0===e.pendingcb&&(e.finished=!0,t.emit("finish"),e.autoDestroy))){var s=t._readableState;(!s||s.autoDestroy&&s.endEmitted)&&t.destroy()}return n}n(56698)(T,l),x.prototype.getBuffer=function(){for(var t=this.bufferedRequest,e=[];t;)e.push(t),t=t.next;return e},function(){try{Object.defineProperty(x.prototype,"buffer",{get:a.deprecate((function(){return this.getBuffer()}),"_writableState.buffer is deprecated. Use _writableState.getBuffer instead.","DEP0003")})}catch(t){}}(),"function"==typeof Symbol&&Symbol.hasInstance&&"function"==typeof Function.prototype[Symbol.hasInstance]?(o=Function.prototype[Symbol.hasInstance],Object.defineProperty(T,Symbol.hasInstance,{value:function(t){return!!o.call(this,t)||this===T&&t&&t._writableState instanceof x}})):o=function(t){return t instanceof this},T.prototype.pipe=function(){C(this,new v)},T.prototype.write=function(t,e,n){var s,r=this._writableState,o=!1,a=!r.objectMode&&(s=t,c.isBuffer(s)||s instanceof d);return a&&!c.isBuffer(t)&&(t=function(t){return c.from(t)}(t)),"function"==typeof e&&(n=e,e=null),a?e="buffer":e||(e=r.defaultEncoding),"function"!=typeof n&&(n=_),r.ending?function(t,e){var n=new y;C(t,n),i.nextTick(e,n)}(this,n):(a||function(t,e,n,s){var r;return null===n?r=new A:"string"==typeof n||e.objectMode||(r=new f("chunk",["string","Buffer"],n)),!r||(C(t,r),i.nextTick(s,r),!1)}(this,r,t,n))&&(r.pendingcb++,o=function(t,e,n,s,i,r){if(!n){var o=function(t,e,n){return t.objectMode||!1===t.decodeStrings||"string"!=typeof e||(e=c.from(e,n)),e}(e,s,i);s!==o&&(n=!0,i="buffer",s=o)}var a=e.objectMode?1:s.length;e.length+=a;var l=e.length-1))throw new b(t);return this._writableState.defaultEncoding=t,this},Object.defineProperty(T.prototype,"writableBuffer",{enumerable:!1,get:function(){return this._writableState&&this._writableState.getBuffer()}}),Object.defineProperty(T.prototype,"writableHighWaterMark",{enumerable:!1,get:function(){return this._writableState.highWaterMark}}),T.prototype._write=function(t,e,n){n(new h("_write()"))},T.prototype._writev=null,T.prototype.end=function(t,e,n){var s=this._writableState;return"function"==typeof t?(n=t,t=null,e=null):"function"==typeof e&&(n=e,e=null),null!=t&&this.write(t,e),s.corked&&(s.corked=1,this.uncork()),s.ending||function(t,e,n){e.ending=!0,P(t,e),n&&(e.finished?i.nextTick(n):t.once("finish",n)),e.ended=!0,t.writable=!1}(this,s,n),this},Object.defineProperty(T.prototype,"writableLength",{enumerable:!1,get:function(){return this._writableState.length}}),Object.defineProperty(T.prototype,"destroyed",{enumerable:!1,get:function(){return void 0!==this._writableState&&this._writableState.destroyed},set:function(t){this._writableState&&(this._writableState.destroyed=t)}}),T.prototype.destroy=u.destroy,T.prototype._undestroy=u.undestroy,T.prototype._destroy=function(t,e){e(t)}},65034:(t,e,n)=>{"use strict";var s,i=n(65606);function r(t,e,n){return(e=function(t){var e=function(t,e){if("object"!=typeof t||null===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:String(e)}(e))in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}var o=n(14257),a=Symbol("lastResolve"),l=Symbol("lastReject"),c=Symbol("error"),d=Symbol("ended"),u=Symbol("lastPromise"),m=Symbol("handlePromise"),p=Symbol("stream");function f(t,e){return{value:t,done:e}}function h(t){var e=t[a];if(null!==e){var n=t[p].read();null!==n&&(t[u]=null,t[a]=null,t[l]=null,e(f(n,!1)))}}function g(t){i.nextTick(h,t)}var v=Object.getPrototypeOf((function(){})),w=Object.setPrototypeOf((r(s={get stream(){return this[p]},next:function(){var t=this,e=this[c];if(null!==e)return Promise.reject(e);if(this[d])return Promise.resolve(f(void 0,!0));if(this[p].destroyed)return new Promise((function(e,n){i.nextTick((function(){t[c]?n(t[c]):e(f(void 0,!0))}))}));var n,s=this[u];if(s)n=new Promise(function(t,e){return function(n,s){t.then((function(){e[d]?n(f(void 0,!0)):e[m](n,s)}),s)}}(s,this));else{var r=this[p].read();if(null!==r)return Promise.resolve(f(r,!1));n=new Promise(this[m])}return this[u]=n,n}},Symbol.asyncIterator,(function(){return this})),r(s,"return",(function(){var t=this;return new Promise((function(e,n){t[p].destroy(null,(function(t){t?n(t):e(f(void 0,!0))}))}))})),s),v);t.exports=function(t){var e,n=Object.create(w,(r(e={},p,{value:t,writable:!0}),r(e,a,{value:null,writable:!0}),r(e,l,{value:null,writable:!0}),r(e,c,{value:null,writable:!0}),r(e,d,{value:t._readableState.endEmitted,writable:!0}),r(e,m,{value:function(t,e){var s=n[p].read();s?(n[u]=null,n[a]=null,n[l]=null,t(f(s,!1))):(n[a]=t,n[l]=e)},writable:!0}),e));return n[u]=null,o(t,(function(t){if(t&&"ERR_STREAM_PREMATURE_CLOSE"!==t.code){var e=n[l];return null!==e&&(n[u]=null,n[a]=null,n[l]=null,e(t)),void(n[c]=t)}var s=n[a];null!==s&&(n[u]=null,n[a]=null,n[l]=null,s(f(void 0,!0))),n[d]=!0})),t.on("readable",g.bind(null,n)),n}},81766:(t,e,n)=>{"use strict";function s(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var s=Object.getOwnPropertySymbols(t);e&&(s=s.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,s)}return n}function i(t){for(var e=1;e0?this.tail.next=e:this.head=e,this.tail=e,++this.length}},{key:"unshift",value:function(t){var e={data:t,next:this.head};0===this.length&&(this.tail=e),this.head=e,++this.length}},{key:"shift",value:function(){if(0!==this.length){var t=this.head.data;return 1===this.length?this.head=this.tail=null:this.head=this.head.next,--this.length,t}}},{key:"clear",value:function(){this.head=this.tail=null,this.length=0}},{key:"join",value:function(t){if(0===this.length)return"";for(var e=this.head,n=""+e.data;e=e.next;)n+=t+e.data;return n}},{key:"concat",value:function(t){if(0===this.length)return l.alloc(0);for(var e,n,s,i=l.allocUnsafe(t>>>0),r=this.head,o=0;r;)e=r.data,n=i,s=o,l.prototype.copy.call(e,n,s),o+=r.data.length,r=r.next;return i}},{key:"consume",value:function(t,e){var n;return ti.length?i.length:t;if(r===i.length?s+=i:s+=i.slice(0,t),0==(t-=r)){r===i.length?(++n,e.next?this.head=e.next:this.head=this.tail=null):(this.head=e,e.data=i.slice(r));break}++n}return this.length-=n,s}},{key:"_getBuffer",value:function(t){var e=l.allocUnsafe(t),n=this.head,s=1;for(n.data.copy(e),t-=n.data.length;n=n.next;){var i=n.data,r=t>i.length?i.length:t;if(i.copy(e,e.length-t,0,r),0==(t-=r)){r===i.length?(++s,n.next?this.head=n.next:this.head=this.tail=null):(this.head=n,n.data=i.slice(r));break}++s}return this.length-=s,e}},{key:d,value:function(t,e){return c(this,i(i({},e),{},{depth:0,customInspect:!1}))}}])&&o(e.prototype,n),Object.defineProperty(e,"prototype",{writable:!1}),t}()},54347:(t,e,n)=>{"use strict";var s=n(65606);function i(t,e){o(t,e),r(t)}function r(t){t._writableState&&!t._writableState.emitClose||t._readableState&&!t._readableState.emitClose||t.emit("close")}function o(t,e){t.emit("error",e)}t.exports={destroy:function(t,e){var n=this,a=this._readableState&&this._readableState.destroyed,l=this._writableState&&this._writableState.destroyed;return a||l?(e?e(t):t&&(this._writableState?this._writableState.errorEmitted||(this._writableState.errorEmitted=!0,s.nextTick(o,this,t)):s.nextTick(o,this,t)),this):(this._readableState&&(this._readableState.destroyed=!0),this._writableState&&(this._writableState.destroyed=!0),this._destroy(t||null,(function(t){!e&&t?n._writableState?n._writableState.errorEmitted?s.nextTick(r,n):(n._writableState.errorEmitted=!0,s.nextTick(i,n,t)):s.nextTick(i,n,t):e?(s.nextTick(r,n),e(t)):s.nextTick(r,n)})),this)},undestroy:function(){this._readableState&&(this._readableState.destroyed=!1,this._readableState.reading=!1,this._readableState.ended=!1,this._readableState.endEmitted=!1),this._writableState&&(this._writableState.destroyed=!1,this._writableState.ended=!1,this._writableState.ending=!1,this._writableState.finalCalled=!1,this._writableState.prefinished=!1,this._writableState.finished=!1,this._writableState.errorEmitted=!1)},errorOrDestroy:function(t,e){var n=t._readableState,s=t._writableState;n&&n.autoDestroy||s&&s.autoDestroy?t.destroy(e):t.emit("error",e)}}},14257:(t,e,n)=>{"use strict";var s=n(12463).F.ERR_STREAM_PREMATURE_CLOSE;function i(){}t.exports=function t(e,n,r){if("function"==typeof n)return t(e,null,n);n||(n={}),r=function(t){var e=!1;return function(){if(!e){e=!0;for(var n=arguments.length,s=new Array(n),i=0;i{t.exports=function(){throw new Error("Readable.from is not available in the browser")}},5267:(t,e,n)=>{"use strict";var s,i=n(12463).F,r=i.ERR_MISSING_ARGS,o=i.ERR_STREAM_DESTROYED;function a(t){if(t)throw t}function l(t){t()}function c(t,e){return t.pipe(e)}t.exports=function(){for(var t=arguments.length,e=new Array(t),i=0;i0,(function(t){d||(d=t),t&&m.forEach(l),r||(m.forEach(l),u(d))}))}));return e.reduce(c)}},66644:(t,e,n)=>{"use strict";var s=n(12463).F.ERR_INVALID_OPT_VALUE;t.exports={getHighWaterMark:function(t,e,n,i){var r=function(t,e,n){return null!=t.highWaterMark?t.highWaterMark:e?t[n]:null}(e,i,n);if(null!=r){if(!isFinite(r)||Math.floor(r)!==r||r<0)throw new s(i?n:"highWaterMark",r);return Math.floor(r)}return t.objectMode?16:16384}}},41396:(t,e,n)=>{t.exports=n(37007).EventEmitter},83141:(t,e,n)=>{"use strict";var s=n(92861).Buffer,i=s.isEncoding||function(t){switch((t=""+t)&&t.toLowerCase()){case"hex":case"utf8":case"utf-8":case"ascii":case"binary":case"base64":case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":case"raw":return!0;default:return!1}};function r(t){var e;switch(this.encoding=function(t){var e=function(t){if(!t)return"utf8";for(var e;;)switch(t){case"utf8":case"utf-8":return"utf8";case"ucs2":case"ucs-2":case"utf16le":case"utf-16le":return"utf16le";case"latin1":case"binary":return"latin1";case"base64":case"ascii":case"hex":return t;default:if(e)return;t=(""+t).toLowerCase(),e=!0}}(t);if("string"!=typeof e&&(s.isEncoding===i||!i(t)))throw new Error("Unknown encoding: "+t);return e||t}(t),this.encoding){case"utf16le":this.text=l,this.end=c,e=4;break;case"utf8":this.fillLast=a,e=4;break;case"base64":this.text=d,this.end=u,e=3;break;default:return this.write=m,void(this.end=p)}this.lastNeed=0,this.lastTotal=0,this.lastChar=s.allocUnsafe(e)}function o(t){return t<=127?0:t>>5==6?2:t>>4==14?3:t>>3==30?4:t>>6==2?-1:-2}function a(t){var e=this.lastTotal-this.lastNeed,n=function(t,e,n){if(128!=(192&e[0]))return t.lastNeed=0,"�";if(t.lastNeed>1&&e.length>1){if(128!=(192&e[1]))return t.lastNeed=1,"�";if(t.lastNeed>2&&e.length>2&&128!=(192&e[2]))return t.lastNeed=2,"�"}}(this,t);return void 0!==n?n:this.lastNeed<=t.length?(t.copy(this.lastChar,e,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal)):(t.copy(this.lastChar,e,0,t.length),void(this.lastNeed-=t.length))}function l(t,e){if((t.length-e)%2==0){var n=t.toString("utf16le",e);if(n){var s=n.charCodeAt(n.length-1);if(s>=55296&&s<=56319)return this.lastNeed=2,this.lastTotal=4,this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1],n.slice(0,-1)}return n}return this.lastNeed=1,this.lastTotal=2,this.lastChar[0]=t[t.length-1],t.toString("utf16le",e,t.length-1)}function c(t){var e=t&&t.length?this.write(t):"";if(this.lastNeed){var n=this.lastTotal-this.lastNeed;return e+this.lastChar.toString("utf16le",0,n)}return e}function d(t,e){var n=(t.length-e)%3;return 0===n?t.toString("base64",e):(this.lastNeed=3-n,this.lastTotal=3,1===n?this.lastChar[0]=t[t.length-1]:(this.lastChar[0]=t[t.length-2],this.lastChar[1]=t[t.length-1]),t.toString("base64",e,t.length-n))}function u(t){var e=t&&t.length?this.write(t):"";return this.lastNeed?e+this.lastChar.toString("base64",0,3-this.lastNeed):e}function m(t){return t.toString(this.encoding)}function p(t){return t&&t.length?this.write(t):""}e.I=r,r.prototype.write=function(t){if(0===t.length)return"";var e,n;if(this.lastNeed){if(void 0===(e=this.fillLast(t)))return"";n=this.lastNeed,this.lastNeed=0}else n=0;return n=0?(i>0&&(t.lastNeed=i-1),i):--s=0?(i>0&&(t.lastNeed=i-2),i):--s=0?(i>0&&(2===i?i=0:t.lastNeed=i-3),i):0}(this,t,e);if(!this.lastNeed)return t.toString("utf8",e);this.lastTotal=n;var s=t.length-(n-this.lastNeed);return t.copy(this.lastChar,0,s),t.toString("utf8",e,s)},r.prototype.fillLast=function(t){if(this.lastNeed<=t.length)return t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,this.lastNeed),this.lastChar.toString(this.encoding,0,this.lastTotal);t.copy(this.lastChar,this.lastTotal-this.lastNeed,0,t.length),this.lastNeed-=t.length}},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},94643:(t,e,n)=>{var s=n(96763);function i(t){try{if(!n.g.localStorage)return!1}catch(t){return!1}var e=n.g.localStorage[t];return null!=e&&"true"===String(e).toLowerCase()}t.exports=function(t,e){if(i("noDeprecation"))return t;var n=!1;return function(){if(!n){if(i("throwDeprecation"))throw new Error(e);i("traceDeprecation")?s.trace(e):s.warn(e),n=!0}return t.apply(this,arguments)}}},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""},i=function(t){return t.replace("]]>","]]]]>")},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;s0&&(c[t.options.childkey]=u),u=c;return s.length>0?t.assignOrPush(h,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":"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=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)+""),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)+""+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=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,h,g,v,w,A={}.hasOwnProperty;w=n(49241),v=w.isObject,g=w.isFunction,h=w.isEmpty,f=w.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":(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;nn},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;s0){for(this.stream.write(" ["),this.stream.write(this.endline(t,e,n)),e.state=s.InsideTag,r=0,o=(a=t.children).length;r"),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("")):(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")}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("");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","]]]]>"),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,"&").replace(//g,">").replace(/\r/g," "))},t.prototype.attEscape=function(t){var e;return this.options.noValidation?t:(e=this.options.noDoubleEncoding?/(?!&\S+;)&/g:/&/g,t.replace(e,"&").replace(/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)+""+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)+"",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+="0){for(a+=" [",a+=this.endline(t,e,n),e.state=s.InsideTag,r=0,o=(l=t.children).length;r",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,h,g,v,w,A;for(f in i||(i=0),h=!1,g="",this.openNode(t,n,i),n.state=s.OpenTag,g+=this.indent(t,n,i)+"<"+t.name,v=t.attribs)r.call(v,f)&&(o=v[f],g+=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?(g+=">",n.state=s.CloseTag,g+=""+this.endline(t,n,i)):(n.state=s.CloseTag,g+=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=(w=t.children).length;d"+this.endline(t,n,i),n.state=s.InsideTag,u=0,p=(A=t.children).length;u",h&&n.suppressPrettyCount--,g+=this.endline(t,n,i),n.state=s.None}else g+=">",n.state=s.InsideTag,n.suppressPrettyCount++,h=!0,g+=this.writeChildNode(c,n,i+1),n.suppressPrettyCount--,h=!1,n.state=s.CloseTag,g+=""+this.endline(t,n,i);return this.closeNode(t,n,i),g},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)+"",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)+""+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)+""+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)+""+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)+""+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"},63779:()=>{},99580:()=>{},35810:(t,e,n)=>{"use strict";n.d(e,{Al:()=>U,By:()=>v,H4:()=>O,PY:()=>B,Q$:()=>D,R3:()=>x,Ss:()=>oe,VL:()=>_,ZH:()=>P,aX:()=>w,bP:()=>N,bh:()=>V,hY:()=>h,lJ:()=>I,m1:()=>le,m9:()=>f,pt:()=>k,qK:()=>g,v7:()=>M,vb:()=>T,vd:()=>F,zI:()=>L});var s=n(21777),i=n(84697),r=n(43627),o=n(71089),a=n(66656),l=n(44719),c=n(36117),d=n(2568);const u=null===(m=(0,s.HW)())?(0,i.YK)().setApp("files").build():(0,i.YK)().setApp("files").setUid(m.uid).build();var m;class p{_entries=[];registerEntry(t){this.validateEntry(t),t.category=t.category??1,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):u.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")}}var f=(t=>(t.DEFAULT="default",t.HIDDEN="hidden",t))(f||{});class h{_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(f).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 g=function(){return void 0===window._nc_fileactions&&(window._nc_fileactions=[],u.debug("FileActions initialized")),window._nc_fileactions},v=function(){return void 0===window._nc_filelistheader&&(window._nc_filelistheader=[],u.debug("FileListHeaders initialized")),window._nc_filelistheader};var w=(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))(w||{});const A=["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"],y={d:"DAV:",nc:"http://nextcloud.org/ns",oc:"http://owncloud.org/ns",ocs:"http://open-collaboration-services.org/ns"},b=function(){return void 0===window._nc_dav_properties&&(window._nc_dav_properties=[...A]),window._nc_dav_properties.map((t=>`<${t} />`)).join(" ")},C=function(){return void 0===window._nc_dav_namespaces&&(window._nc_dav_namespaces={...y}),Object.keys(window._nc_dav_namespaces).map((t=>`xmlns:${t}="${window._nc_dav_namespaces?.[t]}"`)).join(" ")},_=function(){return`\n\t\t\n\t\t\t\n\t\t\t\t${b()}\n\t\t\t\n\t\t`},x=function(t){return`\n\n\t\n\t\t\n\t\t\t\n\t\t\t\t${b()}\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t/files/${(0,s.HW)()?.uid}/\n\t\t\t\tinfinity\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\thttpd/unix-directory\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\t0\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\t${t}\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t\n\t\t\t\t\n\t\t\t\t\t\n\t\t\t\t\n\t\t\t\t\n\t\t\t\n\t\t\n\t\t\n\t\t\t100\n\t\t\t0\n\t\t\n\t\n`},T=function(t=""){let e=w.NONE;return t?((t.includes("C")||t.includes("K"))&&(e|=w.CREATE),t.includes("G")&&(e|=w.READ),(t.includes("W")||t.includes("N")||t.includes("V"))&&(e|=w.UPDATE),t.includes("D")&&(e|=w.DELETE),t.includes("R")&&(e|=w.SHARE),e):e};var k=(t=>(t.Folder="folder",t.File="file",t))(k||{});const E=function(t,e){return null!==t.match(e)},S=(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(t){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>=w.NONE&&t.permissions<=w.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&&E(t.source,e)){const n=t.source.match(e)[0];if(!t.source.includes((0,r.join)(n,t.root)))throw new Error("The root must be relative to the service. e.g /files/emma")}if(t.status&&!Object.values(L).includes(t.status))throw new Error("Status must be a valid NodeStatus")};var L=(t=>(t.NEW="new",t.FAILED="failed",t.LOADING="loading",t.LOCKED="locked",t))(L||{});class N{_data;_attributes;_knownDavService=/(remote|public)\.php\/(web)?dav/i;readonlyAttributes=Object.entries(Object.getOwnPropertyDescriptors(N.prototype)).filter((t=>"function"==typeof t[1].get&&"__proto__"!==t[0])).map((t=>t[0]));handler={set:(t,e,n)=>!this.readonlyAttributes.includes(e)&&(this.updateMtime(),Reflect.set(t,e,n)),deleteProperty:(t,e)=>!this.readonlyAttributes.includes(e)&&(this.updateMtime(),Reflect.deleteProperty(t,e)),get:(t,e,n)=>this.readonlyAttributes.includes(e)?(u.warn(`Accessing "Node.attributes.${e}" is deprecated, access it directly on the Node instance.`),Reflect.get(this,e)):Reflect.get(t,e,n)};constructor(t,e){S(t,e||this._knownDavService),this._data={...t,attributes:{}},this._attributes=new Proxy(this._data.attributes,this.handler),this.update(t.attributes??{}),this._data.mtime=t.mtime,e&&(this._knownDavService=e)}get source(){return this._data.source.replace(/\/$/i,"")}get encodedSource(){const{origin:t}=new URL(this.source);return t+(0,o.O0)(this.source.slice(t.length))}get basename(){return(0,r.basename)(this.source)}get extension(){return(0,r.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,r.dirname)(t.slice(e+n.length)||"/")}const t=new URL(this.source);return(0,r.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}set size(t){this.updateMtime(),this._data.size=t}get attributes(){return this._attributes}get permissions(){return null!==this.owner||this.isDavRessource?void 0!==this._data.permissions?this._data.permissions:w.NONE:w.READ}set permissions(t){this.updateMtime(),this._data.permissions=t}get owner(){return this.isDavRessource?this._data.owner:null}get isDavRessource(){return E(this.source,this._knownDavService)}get root(){return this._data.root?this._data.root.replace(/^(.+)\/$/,"$1"):this.isDavRessource&&(0,r.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}get status(){return this._data?.status}set status(t){this._data.status=t}move(t){S({...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,r.dirname)(this.source)+"/"+t)}updateMtime(){this._data.mtime&&(this._data.mtime=new Date)}update(t){for(const[e,n]of Object.entries(t))try{void 0===n?delete this.attributes[e]:this.attributes[e]=n}catch(t){if(t instanceof TypeError)continue;throw t}}}class P extends N{get type(){return k.File}}class F extends N{constructor(t){super({...t,mime:"httpd/unix-directory"})}get type(){return k.Folder}get extension(){return null}get mime(){return"httpd/unix-directory"}}const I=`/files/${(0,s.HW)()?.uid}`,B=(0,a.dC)("dav"),O=function(t=B,e={}){const n=(0,l.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,l.Gu)().patch("fetch",((t,e)=>{const n=e.headers;return n?.method&&(e.method=n.method,delete n.method),fetch(t,e)})),n},D=(t,e="/",n=I)=>{const s=new AbortController;return new c.CancelablePromise((async(i,r,o)=>{o((()=>s.abort()));try{i((await t.getDirectoryContents(`${n}${e}`,{signal:s.signal,details:!0,data:`\n\t\t\n\t\t\t\n\t\t\t\t${b()}\n\t\t\t\n\t\t\t\n\t\t\t\t1\n\t\t\t\n\t\t`,headers:{method:"REPORT"},includeSelf:!0})).data.filter((t=>t.filename!==e)).map((t=>U(t,n))))}catch(t){r(t)}}))},U=function(t,e=I,n=B){let i=(0,s.HW)()?.uid;const r=document.querySelector("input#isPublic")?.value;if(r)i=i??document.querySelector("input#sharingUserId")?.value,i=i??"anonymous";else if(!i)throw new Error("No user id found");const o=t.props,a=T(o?.permissions),l=String(o?.["owner-id"]||i),c={id:o?.fileid||0,source:`${n}${t.filename}`,mtime:new Date(Date.parse(t.lastmod)),mime:t.mime||"application/octet-stream",size:o?.size||Number.parseInt(o.getcontentlength||"0"),permissions:a,owner:l,root:e,attributes:{...t,...o,hasPreview:o?.["has-preview"]}};return delete c.attributes?.props,"file"===t.type?new P(c):new F(c)};window._oc_config,window._oc_config?.blacklist_files_regex&&new RegExp(window._oc_config.blacklist_files_regex);const j=["B","KB","MB","GB","TB","PB"],R=["B","KiB","MiB","GiB","TiB","PiB"];function M(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?R.length:j.length)-1,i);const r=n?R[i]:j[i];let o=(t/Math.pow(s?1e3:1024,i)).toFixed(1);return!0===e&&0===i?("0.0"!==o?"< 1 ":"0 ")+(n?R[1]:j[1]):(o=i<2?parseFloat(o).toFixed(0):parseFloat(o).toLocaleString((0,d.lO)()),o+" "+r)}class z{_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 V=function(){return void 0===window._nc_navigation&&(window._nc_navigation=new z,u.debug("Navigation service initialized")),window._nc_navigation};class ${_column;constructor(t){q(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 q=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 H={},W={};!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 void 0!==t},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;r5&&"xml"===s)return it("InvalidXml","XML declaration allowed only at the start of the document.",ot(t,e));if("?"==t[e]&&">"==t[e+1]){e++;break}}return e}function X(t,e){if(t.length>e+5&&"-"===t[e+1]&&"-"===t[e+2]){for(e+=3;e"===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[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[e+2]){e+=2;break}return e}H.validate=function(t,e){e=Object.assign({},Y,e);const n=[];let s=!1,i=!1;"\ufeff"===t[0]&&(t=t.substr(1));for(let o=0;o"!==t[o]&&" "!==t[o]&&"\t"!==t[o]&&"\n"!==t[o]&&"\r"!==t[o];o++)c+=t[o];if(c=c.trim(),"/"===c[c.length-1]&&(c=c.substring(0,c.length-1),o--),r=c,!G.isName(r)){let e;return e=0===c.trim().length?"Invalid space after '<'.":"Tag '"+c+"' is an invalid name.",it("InvalidTag",e,ot(t,o))}const d=tt(t,o);if(!1===d)return it("InvalidAttr","Attributes for '"+c+"' have open quote.",ot(t,o));let u=d.value;if(o=d.index,"/"===u[u.length-1]){const n=o-u.length;u=u.substring(0,u.length-1);const i=nt(u,e);if(!0!==i)return it(i.err.code,i.err.msg,ot(t,n+i.err.line));s=!0}else if(l){if(!d.tagClosed)return it("InvalidTag","Closing tag '"+c+"' doesn't have proper closing.",ot(t,o));if(u.trim().length>0)return it("InvalidTag","Closing tag '"+c+"' can't have attributes or invalid starting.",ot(t,a));if(0===n.length)return it("InvalidTag","Closing tag '"+c+"' has not been opened.",ot(t,a));{const e=n.pop();if(c!==e.tagName){let n=ot(t,e.tagStartPos);return it("InvalidTag","Expected closing tag '"+e.tagName+"' (opened in line "+n.line+", col "+n.col+") instead of closing tag '"+c+"'.",ot(t,a))}0==n.length&&(i=!0)}}else{const r=nt(u,e);if(!0!==r)return it(r.err.code,r.err.msg,ot(t,o-u.length+r.err.line));if(!0===i)return it("InvalidXml","Multiple possible root nodes found.",ot(t,o));-1!==e.unpairedTags.indexOf(c)||n.push({tagName:c,tagStartPos:a}),s=!0}for(o++;o0)||it("InvalidXml","Invalid '"+JSON.stringify(n.map((t=>t.tagName)),null,4).replace(/\r?\n/g,"")+"' found.",{line:1,col:1}):it("InvalidXml","Start tag expected.",1)};const J='"',Z="'";function tt(t,e){let n="",s="",i=!1;for(;e"===t[e]&&""===s){i=!0;break}n+=t[e]}return""===s&&{value:n,index:e,tagClosed:i}}const et=new RegExp("(\\s*)([^\\s=]+)(\\s*=)?(\\s*(['\"])(([\\s\\S])*?)\\5)?","g");function nt(t,e){const n=G.getAllMatches(t,et),s={};for(let t=0;t!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=W;function ut(t,e){let n="";for(;e0?this.child.push({[t.tagname]:t.child,":@":t[":@"]}):this.child.push({[t.tagname]:t.child})}},_t=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[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&&ht(t,e))e+=8;else if(i&>(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}},xt=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&&wt.test(n))return Number.parseInt(n,16);{const i=At.exec(n);if(i){const r=i[1],o=i[2];let a=(s=i[3])&&-1!==s.indexOf(".")?("."===(s=s.replace(/0+$/,""))?s="0":"."===s[0]?s="0"+s:"."===s[s.length-1]&&(s=s.substr(0,s.length-1)),s):s;const l=i[4]||i[6];if(!e.leadingZeros&&o.length>0&&r&&"."!==n[2])return t;if(!e.leadingZeros&&o.length>0&&!r&&"."!==n[1])return t;{const s=Number(n),i=""+s;return-1!==i.search(/[eE]/)||l?e.eNotation?s:t:-1!==n.indexOf(".")?"0"===i&&""===a||i===a||r&&i==="-"+a?s:t:o?a===i||r+a===i?s:t:n===i||n===r+i?s:t}}return t}var s};function Tt(t){const e=Object.keys(t);for(let n=0;n0)){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",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: `);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);else{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=_t(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)"/"===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),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 Pt(t,e,n){const s=this.options.updateTag(e.tagname,n,e[":@"]);!1===s||("string"==typeof s?(e.tagname=s,t.addChild(e)):t.addChild(e))}const Ft=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 It(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",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&&xt(t,n)}return bt.isExist(t)?t:""}var Rt={};function Mt(t,e,n){let s;const i={};for(let r=0;r0&&(i[e.textNodeName]=s):void 0!==s&&(i[e.textNodeName]=s),i}function zt(t){const e=Object.keys(t);for(let t=0;t"},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:"₹"},num_dec:{regex:/&#([0-9]{1,7});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,10))},num_hex:{regex:/&#x([0-9a-fA-F]{1,6});/g,val:(t,e)=>String.fromCharCode(Number.parseInt(e,16))}},this.addExternalEntities=Tt,this.parseXml=Nt,this.parseTextData=kt,this.resolveNameSpace=Et,this.buildAttributesMap=Lt,this.isItStopNode=Bt,this.replaceEntitiesValue=Ft,this.readStopNodeData=Ut,this.saveTextToParentTag=It,this.addChild=Pt}},{prettify:Wt}=Rt,Gt=H;function Yt(t,e,n,s){let i="",r=!1;for(let o=0;o`,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}`:(i+=u+">",m&&""!==s&&(m.includes("/>")||m.includes("`):i+=u+"/>",r=!0}return i}function Kt(t){const e=Object.keys(t);for(let n=0;n0&&e.processEntities)for(let n=0;n0&&(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:"&"},{regex:new RegExp(">","g"),val:">"},{regex:new RegExp("<","g"),val:"<"},{regex:new RegExp("'","g"),val:"'"},{regex:new RegExp('"',"g"),val:"""}],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(void 0===t[i])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"+t+i}},ee.prototype.closeTag=function(t){let e="";return-1!==this.options.unpairedTags.indexOf(t)?this.options.suppressUnpairedNode||(e="/"):e=this.options.suppressEmptyNode?"/":`>`+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+"0&&this.options.processEntities)for(let e=0;e0&&(!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)return!1;if(!0!==re.XMLValidator.validate(t))return!1;let e;const n=new re.XMLParser;try{e=n.parse(t)}catch{return!1}return!!e&&!!Object.keys(e).some((t=>"svg"===t.toLowerCase()))}(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 $))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(void 0===window._nc_newfilemenu&&(window._nc_newfilemenu=new p,u.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),h=n(30521),g={};g.styleTagTransform=f(),g.setAttributes=d(),g.insert=l().bind(null,"head"),g.domAPI=o(),g.insertStyleElement=m(),i()(h.A,g),h.A&&h.A.locals&&h.A.locals;var v=n(53110),w=n(71089),A=n(35810),y=n(88164),b=n(21777),C=n(26287);class _ extends Error{constructor(t){super(t||"Promise was canceled"),this.name="CancelError"}get isCanceled(){return!0}}const x=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=x.pending;#s;#i;constructor(t){this.#s=new Promise(((e,n)=>{this.#i=n;const s=t=>{if(this.#n!==x.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===x.canceled&&s.shouldReject||(e(t),this.#r(x.resolved))}),(t=>{this.#n===x.canceled&&s.shouldReject||(n(t),this.#r(x.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===x.pending){if(this.#r(x.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 _(t))}}get isCanceled(){return this.#n===x.canceled}#r(t){this.#n===x.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 P{#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 F extends k{#a;#l;#c=0;#d;#u;#m=0;#p;#f;#o;#h;#g=0;#v;#w;#A;timeout;constructor(t){if(super(),!("number"==typeof(t={carryoverConcurrencyCount:!1,intervalCap:Number.POSITIVE_INFINITY,interval:0,concurrency:Number.POSITIVE_INFINITY,autoStart:!0,queueClass:P,...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.#h=t.queueClass,this.concurrency=t.concurrency,this.timeout=t.timeout,this.#A=!0===t.throwOnTimeout,this.#w=!1===t.autoStart}get#y(){return this.#l||this.#c{this.#x()}),e)),!0;this.#c=this.#a?this.#g:0}return!1}#_(){if(0===this.#o.size)return this.#p&&clearInterval(this.#p),this.#p=void 0,this.emit("empty"),0===this.#g&&this.emit("idle"),!1;if(!this.#w){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.#g&&this.#p&&(clearInterval(this.#p),this.#p=void 0),this.#c=this.#a?this.#g:0,this.#S()}#S(){for(;this.#_(););}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.#A,...e},new Promise(((n,s)=>{this.#o.enqueue((async()=>{this.#g++,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.#_()}))}async addAll(t,e){return Promise.all(t.map((async t=>this.add(t,e))))}start(){return this.#w?(this.#w=!1,this.#S(),this):this}pause(){this.#w=!0}clear(){this.#o=new this.#h}async onEmpty(){0!==this.#o.size&&await this.#N("empty")}async onSizeLessThan(t){this.#o.sizethis.#o.size{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.#g}get isPaused(){return this.#w}}var I=n(53529),B=n(85168),O=n(75270),D=n(85471),U=n(63420),j=n(24764),R=n(9518),M=n(6695),z=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,I.YK)().setApp("uploader").build():(0,I.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 F({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 A.vd({id:0,owner:t,permissions:A.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,w.O0)(s.slice(i.length));Y.debug(`Uploading ${e.name} to ${r}`);const o=H(e.size),a=0===o||e.size{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;tq(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 , 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 , 2024\n"},msgstr:["Last-Translator: Ali , 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 , 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 , 2023\n"},msgstr:["Last-Translator: enolp , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rashad Aliyev , 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 , 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 , 2022\nToni Hermoso Pulido , 2022\n"},msgstr:["Last-Translator: Toni Hermoso Pulido , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Pavel Borecki , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Michal Šmahel , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Martin Bonde , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Mario Siegmann , 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 , 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æ , 2023\nAndi Chandler , 2023\n"},msgstr:["Last-Translator: Andi Chandler , 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æ , 2023\nFranciscoFJ , 2023\nNext Cloud , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Unai Tolosa Pontesta , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Jiri Grönroos , 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 , 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æ , 2023\nNacho , 2023\nMiguel Anxo Bouzada , 2023\n"},msgstr:["Last-Translator: Miguel Anxo Bouzada , 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ó , 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 , 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æ , 2023\nEmpty Slot Filler, 2023\nLinerly , 2023\n"},msgstr:["Last-Translator: Linerly , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Sveinn í Felli , 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æ , 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æ , 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":"Сашко Тодоров , 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Сашко Тодоров , 2022\n"},msgstr:["Last-Translator: Сашко Тодоров , 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æ , 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 , 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 , 2023\n"},msgstr:["Last-Translator: Rico , 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æ , 2023\nM H , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Leonardo Colman Lopes , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Manuela Silva , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Mădălin Vasiliu , 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æ , 2023\nMax Smith , 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æ , 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 , 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 , 2022\n"},msgstr:["Last-Translator: Phongpanot Phairat , 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 , 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 , 2024\n"},msgstr:["Last-Translator: Kaya Zeren , 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 , 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 , 2024\n"},msgstr:["Last-Translator: O St , 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æ , 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æ , 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æ , 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":"黃柏諺 , 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黃柏諺 , 2024\n"},msgstr:["Last-Translator: 黃柏諺 , 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:R.A,NcIconSvgWrapper:M.A,NcProgressBar:z.A,Plus:tt,Upload:et},props:{accept:{type:Array,default:null},disabled:{type:Boolean,default:!1},multiple:{type:Boolean,default:!1},destination:{type:A.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,A.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:h,HttpStatusCode:g,formToJSON:v,getAdapter:w,mergeConfig:A}=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=i)&&Object.keys(o.O).every((t=>o.O[t](n[l])))?n.splice(l--,1):(a=!1,i0&&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="+{1110:"2909496e7e35d6258214",6075:"f8e1d39004c19c13e598",8902:"bb2f9be8a039f8db7e58"}[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{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);co(80453)));a=o.O(a)})(); +//# sourceMappingURL=files-main.js.map?v=73ea615665a5ba373db2 \ No newline at end of file diff --git a/dist/files-main.js.map b/dist/files-main.js.map index 381381913ba56..c45a21f4d845a 100644 --- a/dist/files-main.js.map +++ b/dist/files-main.js.map @@ -1 +1 @@ -{"version":3,"file":"files-main.js?v=81a78414ce5b0f853573","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,0MClUnB,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,IAAK7hC,OAAO2hC,IAAInE,MAAM1H,OAAO/d,MAAO4oB,QAAO,GACpH,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,MAAcpjC,WAoEtBokC,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,KACXA,EAAMiG,MAAK5lC,GAAQA,EAAK8/B,cAAgBC,GAAAA,GAAWC,sCC/BxD,MAAM+F,GAAW,UAAHhqC,OAA6B,QAA7B4/B,IAAaO,EAAAA,GAAAA,aAAgB,IAAAP,QAAA,EAAhBA,GAAkBQ,KACvC6J,IAAiB/J,EAAAA,GAAAA,IAAkB,MAAQ8J,ICJ3CE,GAAW,SAAUttB,GAC9B,OAAOA,EAAIrF,MAAM,IAAI3O,QAAO,SAAU9D,EAAG6U,GAErC,OAAO7U,GADDA,GAAK,GAAKA,EAAK6U,EAAEb,WAAW,EAEtC,GAAG,EACP,ECnBMqxB,GFmBmB,WAA8B,IAA7BC,EAAOnpC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAGgpC,GAChC,MAAME,GAASE,EAAAA,GAAAA,IAAaD,GAEtBE,EAAcrzB,IAChBkzB,SAAAA,EAAQG,WAAW,CAEf,mBAAoB,iBAEpBC,aAActzB,QAAAA,EAAS,IACzB,EAsBN,OAnBAuzB,EAAAA,GAAAA,IAAqBF,GACrBA,GAAWG,EAAAA,GAAAA,QAMKC,EAAAA,GAAAA,MAIRC,MAAM,SAAS,CAAC3nC,EAAK2M,KACzB,MAAMi7B,EAAUj7B,EAAQi7B,QAKxB,OAJIA,SAAAA,EAASC,SACTl7B,EAAQk7B,OAASD,EAAQC,cAClBD,EAAQC,QAEZC,MAAM9nC,EAAK2M,EAAQ,IAEvBw6B,CACX,CEnDeY,GACFC,GAAe,SAAU/mC,GAAM,IAAA27B,EACxC,MAAMqL,EAAyB,QAAnBrL,GAAGO,EAAAA,GAAAA,aAAgB,IAAAP,OAAA,EAAhBA,EAAkBQ,IACjC,IAAK6K,EACD,MAAM,IAAItkC,MAAM,oBAEpB,MAAM+Y,EAAQzb,EAAKyb,MACbqkB,GAAcmH,EAAAA,GAAAA,IAAoBxrB,aAAK,EAALA,EAAOqkB,aACzCoH,EAAQtlC,OAAO6Z,EAAM,aAAeurB,GACpCnoB,GAASod,EAAAA,GAAAA,IAAkB,MAAQ8J,GAAW/lC,EAAKmnC,UAInDC,EAAW,CACb9iC,IAJOmX,aAAK,EAALA,EAAO0kB,QAAS,EACrB8F,GAASpnB,IACTpD,aAAK,EAALA,EAAO0kB,SAAU,EAGnBthB,SACAwoB,MAAO,IAAIl7B,KAAKnM,EAAKsnC,SACrBC,KAAMvnC,EAAKunC,MAAQ,2BACnBn9B,MAAMqR,aAAK,EAALA,EAAOrR,OAAQ,EACrB01B,cACAoH,QACArH,KAAMkG,GACNJ,WAAY,IACL3lC,KACAyb,EACH,WAAYyrB,EACZ,qBAAsBtlC,OAAO6Z,EAAM,uBACnC+rB,aAAc/rB,UAAAA,EAAQ,gBACtBgsB,QAAQhsB,aAAK,EAALA,EAAO0kB,QAAS,IAIhC,cADOiH,EAASzB,WAAWlqB,MACN,SAAdzb,EAAK0B,KACN,IAAImhC,GAAAA,GAAKuE,GACT,IAAIxF,GAAAA,GAAOwF,EACrB,EACaM,GAAc,WAAgB,IAAfl9B,EAAIxN,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAC/B,MAAM2qC,EAAa,IAAIC,gBACjBC,GAAkBtD,EAAAA,GAAAA,MACxB,OAAO,IAAIuD,GAAAA,mBAAkBphC,MAAOe,EAASC,EAAQqgC,KACjDA,GAAS,IAAMJ,EAAWxZ,UAC1B,IACI,MAAM6Z,QAAyB9B,GAAO+B,qBAAqBz9B,EAAM,CAC7D85B,SAAS,EACT1/B,KAAMijC,EACNK,aAAa,EACbC,OAAQR,EAAWQ,SAEjBtI,EAAOmI,EAAiBpjC,KAAK,GAC7Bk+B,EAAWkF,EAAiBpjC,KAAK/I,MAAM,GAC7C,GAAIgkC,EAAKsH,WAAa38B,EAClB,MAAM,IAAI9H,MAAM,2CAEpB+E,EAAQ,CACJ2gC,OAAQrB,GAAalH,GACrBiD,SAAUA,EAASl5B,KAAInH,IACnB,IACI,OAAOskC,GAAatkC,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,ECDa2oC,GAAiB1I,IAC1B,MAAM2I,EAAY3I,EAAMh2B,QAAO3J,GAAQA,EAAK0B,OAASigC,GAAAA,GAASkB,OAAMzmC,OAC9DmsC,EAAc5I,EAAMh2B,QAAO3J,GAAQA,EAAK0B,OAASigC,GAAAA,GAASC,SAAQxlC,OACxE,OAAkB,IAAdksC,GACO7X,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,wBAAyB8X,EAAa,CAAEA,gBAE7D,IAAhBA,GACE9X,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,oBAAqB6X,EAAW,CAAEA,cAE1D,IAAdA,GACO7X,EAAAA,GAAAA,IAAE,QAAS,kCAAmC,mCAAoC8X,EAAa,CAAEA,gBAExF,IAAhBA,GACO9X,EAAAA,GAAAA,IAAE,QAAS,gCAAiC,iCAAkC6X,EAAW,CAAEA,eAE/F5P,EAAAA,GAAAA,IAAE,QAAS,8CAA+C,CAAE4P,YAAWC,eAAc,ECjD1FC,GAAqB7I,GACnB0F,GAAQ1F,GACJ6F,GAAQ7F,GACDyF,GAAeqD,aAEnBrD,GAAesD,KAGnBtD,GAAeuD,KAWbC,GAAuBliC,eAAO1G,EAAM0kC,EAAakC,GAA8B,IAAtBiC,EAAS7rC,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,GAAIkO,IAAWxB,GAAesD,MAAQ1oC,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,SAAU8oC,GAAAA,GAAWC,SACnC,MAAM/c,EAAQiZ,KACd,aAAajZ,EAAMzd,KAAI7H,UACnB,MAAMsiC,EAAczxB,GACF,IAAVA,GACOmhB,EAAAA,GAAAA,IAAE,QAAS,WAEfA,EAAAA,GAAAA,IAAE,QAAS,iBAAax7B,EAAWqa,GAE9C,IACI,MAAM2uB,GAASjC,EAAAA,GAAAA,MACTgF,GAAcz1B,EAAAA,GAAAA,MAAK01B,GAAAA,GAAalpC,EAAKwK,MACrC2+B,GAAkB31B,EAAAA,GAAAA,MAAK01B,GAAAA,GAAaxE,EAAYl6B,MACtD,GAAIo8B,IAAWxB,GAAeuD,KAAM,CAChC,IAAIxnC,EAASnB,EAAK4kC,SAElB,IAAKiE,EAAW,CACZ,MAAMO,QAAmBlD,EAAO+B,qBAAqBkB,GACrDhoC,EDvES,SAACzF,EAAM2tC,GAChC,MAAMrqC,EAAO,CACTsqC,OAAS7Y,GAAC,IAAA10B,OAAS00B,EAAC,KACpB8Y,qBAAqB,KAH0BvsC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,CAAC,GAMvD,IAAIwsC,EAAU9tC,EACVQ,EAAI,EACR,KAAOmtC,EAAW7lC,SAASgmC,IAAU,CACjC,MAAMC,EAAMzqC,EAAKuqC,oBAAsB,IAAKG,EAAAA,GAAAA,SAAQhuC,GAC9CqiB,GAAO6mB,EAAAA,GAAAA,UAASlpC,EAAM+tC,GAC5BD,EAAU,GAAHztC,OAAMgiB,EAAI,KAAAhiB,OAAIiD,EAAKsqC,OAAOptC,MAAIH,OAAG0tC,EAC5C,CACA,OAAOD,CACX,CCyD6BG,CAAc3pC,EAAK4kC,SAAUwE,EAAWx/B,KAAK6mB,GAAMA,EAAEmU,WAAW,CACrE0E,OAAQN,EACRO,oBAAqBvpC,EAAK0B,OAASigC,GAAAA,GAASC,QAEpD,CAGA,SAFMsE,EAAO0D,SAASX,GAAaz1B,EAAAA,GAAAA,MAAK21B,EAAiBhoC,IAErDnB,EAAK6hC,UAAY6C,EAAYl6B,KAAM,CACnC,MAAM,KAAE5F,SAAeshC,EAAO7B,MAAK7wB,EAAAA,GAAAA,MAAK21B,EAAiBhoC,GAAS,CAC9DmjC,SAAS,EACT1/B,MAAM2/B,EAAAA,GAAAA,SAEV/nC,EAAAA,GAAAA,IAAK,sBAAsBgoC,EAAAA,GAAAA,IAAgB5/B,GAC/C,CACJ,KACK,CAED,MAAMwkC,QAAmB1B,GAAYhD,EAAYl6B,MACjD,IAAIq/B,EAAAA,GAAAA,GAAY,CAAC7pC,GAAOopC,EAAWtG,UAC/B,IAEI,MAAM,SAAEZ,EAAQ,QAAE4C,SAAkBC,EAAAA,GAAAA,GAAmBL,EAAYl6B,KAAM,CAACxK,GAAOopC,EAAWtG,UAG5F,IAAKZ,EAAS9lC,SAAW0oC,EAAQ1oC,OAG7B,aAFM8pC,EAAO4D,WAAWb,QACxBzsC,EAAAA,GAAAA,IAAK,qBAAsBwD,EAGnC,CACA,MAAON,GAGH,YADAo6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,kBAEzB,OAIEwN,EAAO6D,SAASd,GAAaz1B,EAAAA,GAAAA,MAAK21B,EAAiBnpC,EAAK4kC,YAG9DpoC,EAAAA,GAAAA,IAAK,qBAAsBwD,EAC/B,CACJ,CACA,MAAON,GACH,GAAIA,aAAiBsqC,GAAAA,GAAY,KAAAC,EAAAC,EAAAC,EAC7B,GAAgC,OAA5BzqC,SAAe,QAAVuqC,EAALvqC,EAAOH,gBAAQ,IAAA0qC,OAAA,EAAfA,EAAiBnqC,QACjB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,kEAE1B,GAAgC,OAA5Bh5B,SAAe,QAAVwqC,EAALxqC,EAAOH,gBAAQ,IAAA2qC,OAAA,EAAfA,EAAiBpqC,QACtB,MAAM,IAAI4C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,wBAE1B,GAAgC,OAA5Bh5B,SAAe,QAAVyqC,EAALzqC,EAAOH,gBAAQ,IAAA4qC,OAAA,EAAfA,EAAiBrqC,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,EAQMktC,GAA0B1jC,eAAOD,GAA6B,IAArBw4B,EAAGjiC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,GAAAA,UAAA,GAAG,IAAK2iC,EAAK3iC,UAAAZ,OAAA,EAAAY,UAAA,QAAAE,EAC3D,MAAMmtC,EAAU1K,EAAM/1B,KAAI5J,GAAQA,EAAKmgC,SAAQx2B,OAAOwN,SAChDmzB,GAAaC,EAAAA,GAAAA,KAAqB7R,EAAAA,GAAAA,IAAE,QAAS,uBAC9C8R,kBAAiB,GACjBC,WAAWha,MAEJA,EAAEqP,YAAcC,GAAAA,GAAW2K,UAE3BL,EAAQ7mC,SAASitB,EAAE0P,UAE1BwK,kBAAkB,IAClBC,gBAAe,GACfC,QAAQ5L,GACb,OAAO,IAAIz3B,SAAQ,CAACC,EAASC,KACzB4iC,EAAWQ,kBAAiB,CAACC,EAAYvgC,KACrC,MAAMwgC,EAAU,GACV7pC,GAASyjC,EAAAA,GAAAA,UAASp6B,GAClBygC,EAAWtL,EAAM/1B,KAAI5J,GAAQA,EAAK6hC,UAClCR,EAAQ1B,EAAM/1B,KAAI5J,GAAQA,EAAKwK,OAerC,OAdI/D,IAAW2+B,GAAeuD,MAAQliC,IAAW2+B,GAAeqD,cAC5DuC,EAAQ9vC,KAAK,CACTqJ,MAAOpD,GAASu3B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEv3B,eAAUjE,EAAW,CAAEguC,QAAQ,EAAOC,UAAU,KAAWzS,EAAAA,GAAAA,IAAE,QAAS,QACvHh3B,KAAM,UACN4E,KAAM8kC,GACN,cAAMz9B,CAAS+2B,GACXj9B,EAAQ,CACJi9B,YAAaA,EAAY,GACzBj+B,OAAQ2+B,GAAeuD,MAE/B,IAIJsC,EAASznC,SAASgH,IAIlB62B,EAAM79B,SAASgH,IAIf/D,IAAW2+B,GAAesD,MAAQjiC,IAAW2+B,GAAeqD,cAC5DuC,EAAQ9vC,KAAK,CACTqJ,MAAOpD,GAASu3B,EAAAA,GAAAA,IAAE,QAAS,mBAAoB,CAAEv3B,eAAUjE,EAAW,CAAEguC,QAAQ,EAAOC,UAAU,KAAWzS,EAAAA,GAAAA,IAAE,QAAS,QACvHh3B,KAAM+E,IAAW2+B,GAAesD,KAAO,UAAY,YACnDpiC,KAAM+kC,GACN,cAAM19B,CAAS+2B,GACXj9B,EAAQ,CACJi9B,YAAaA,EAAY,GACzBj+B,OAAQ2+B,GAAesD,MAE/B,IAhBGsC,CAmBG,IAEHV,EAAWhU,QACnBle,OAAO/H,OAAO3Q,IACjBm6B,GAAOwE,MAAM3+B,GACTA,aAAiB4rC,GAAAA,GACjB5jC,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,OAAQ6I,GAAkB7I,IACtB,KAAKyF,GAAesD,KAChB,OAAOhQ,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAK0M,GAAeuD,KAChB,OAAOjQ,EAAAA,GAAAA,IAAE,QAAS,QACtB,KAAK0M,GAAeqD,aAChB,OAAO/P,EAAAA,GAAAA,IAAE,QAAS,gBAE9B,EACA8G,cAAeA,IAAM6L,GACrB3L,QAAQC,KAECA,EAAM9kB,OAAM7a,IAAI,IAAAurC,EAAA,OAAa,QAAbA,EAAIvrC,EAAK6/B,YAAI,IAAA0L,OAAA,EAATA,EAAW3gC,WAAW,UAAU,KAGlD+0B,EAAMvjC,OAAS,IAAMipC,GAAQ1F,IAAU6F,GAAQ7F,IAE1D,UAAMtqB,CAAKrV,EAAMu0B,EAAM0K,GACnB,MAAMx4B,EAAS+hC,GAAkB,CAACxoC,IAClC,IAAIyC,EACJ,IACIA,QAAe2nC,GAAwB3jC,EAAQw4B,EAAK,CAACj/B,GACzD,CACA,MAAOH,GAEH,OADAg6B,GAAOn6B,MAAMG,IACN,CACX,CACA,IAEI,aADM+oC,GAAqB5oC,EAAMyC,EAAOiiC,YAAajiC,EAAOgE,SACrD,CACX,CACA,MAAO/G,GACH,SAAIA,aAAiBgD,OAAWhD,EAAMqD,YAClC+2B,EAAAA,GAAAA,IAAUp6B,EAAMqD,SAET,KAGf,CACJ,EACA,eAAMyoC,CAAU7L,EAAOpL,EAAM0K,GACzB,MAAMx4B,EAAS+hC,GAAkB7I,GAC3Bl9B,QAAe2nC,GAAwB3jC,EAAQw4B,EAAKU,GACpD8L,EAAW9L,EAAM/1B,KAAIlD,UACvB,IAEI,aADMkiC,GAAqB5oC,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,IAAIgI,EAC7B,EACAzN,MAAO,qBC1QJ,MAAM0N,GAAyBhlC,UAIlC,MAAM4O,EAAUq2B,EACXhiC,QAAQ7B,GACS,SAAdA,EAAK8jC,OACL/R,GAAOwE,MAAM,wBAAyB,CAAEuN,KAAM9jC,EAAK8jC,KAAMlqC,KAAMoG,EAAKpG,QAC7D,KAGZkI,KAAK9B,IAAS,IAAAouB,EAAA2V,EAAAC,EAAAC,EAEb,OACiC,QADjC7V,EAA2B,QAA3B2V,EAAO/jC,SAAgB,QAAZgkC,EAAJhkC,EAAMkkC,kBAAU,IAAAF,OAAA,EAAhBA,EAAAlwC,KAAAkM,UAAoB,IAAA+jC,EAAAA,EACpB/jC,SAAsB,QAAlBikC,EAAJjkC,EAAMmkC,wBAAgB,IAAAF,OAAA,EAAtBA,EAAAnwC,KAAAkM,UAA0B,IAAAouB,EAAAA,EAC1BpuB,CAAI,IAEf,IAAIokC,GAAS,EACb,MAAMC,EAAW,IAAIvJ,GAAU,QAE/B,IAAK,MAAMS,KAAS/tB,EAEhB,GAAI+tB,aAAiB+I,iBAArB,CACIvS,GAAO32B,KAAK,+DACZ,MAAM2E,EAAOw7B,EAAMgJ,YACnB,GAAa,OAATxkC,EAAe,CACfgyB,GAAO32B,KAAK,qCAAsC,CAAExB,KAAM2hC,EAAM3hC,KAAMkqC,KAAMvI,EAAMuI,QAClF9R,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,oDACrB,QACJ,CAGA,GAAkB,yBAAd7wB,EAAKnG,OAAoCmG,EAAKnG,KAAM,CAC/CwqC,IACDrS,GAAO32B,KAAK,8EACZopC,EAAAA,GAAAA,KAAY5T,EAAAA,GAAAA,IAAE,QAAS,uFACvBwT,GAAS,GAEb,QACJ,CACAC,EAASrJ,SAAS5nC,KAAK2M,EAE3B,MAEA,IACIskC,EAASrJ,SAAS5nC,WAAWooC,GAAaD,GAC9C,CACA,MAAO3jC,GAEHm6B,GAAOn6B,MAAM,mCAAoC,CAAEA,SACvD,CAEJ,OAAOysC,CAAQ,EAENI,GAAsB7lC,MAAOm5B,EAAM6E,EAAa5B,KACzD,MAAMN,GAAWE,EAAAA,GAAAA,KAKjB,SAHUmH,EAAAA,GAAAA,GAAYhK,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,GACRwgB,EAA0B9lC,MAAO08B,EAAW54B,KAC9C,IAAK,MAAM3C,KAAQu7B,EAAUN,SAAU,CAGnC,MAAM2J,GAAej5B,EAAAA,GAAAA,MAAKhJ,EAAM3C,EAAKnM,MAGrC,GAAImM,aAAgB+6B,GAApB,CACI,MAAMja,GAAe+jB,EAAAA,GAAAA,IAAUxD,GAAAA,GAAaxE,EAAYl6B,KAAMiiC,GAC9D,IACIhtC,GAAQ4+B,MAAM,uBAAwB,CAAEoO,uBAClC1I,GAA2Bpb,SAC3B6jB,EAAwB3kC,EAAM4kC,EACxC,CACA,MAAO/sC,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,KAAMiiC,GAAe,CAAE5kC,SAE5EmkB,EAAM9wB,KAAKsnC,EAASmK,OAAOF,EAAc5kC,EAAM68B,EAAY7lB,QAC/D,GAIJ2jB,EAASoK,cAGHJ,EAAwB3M,EAAM,KACpC2C,EAASqK,QAET,MAEMC,SAFgBtlC,QAAQulC,WAAW/gB,IAElBriB,QAAOlH,GAA4B,aAAlBA,EAAO3C,SAC/C,OAAIgtC,EAAO1wC,OAAS,GAChBy9B,GAAOn6B,MAAM,8BAA+B,CAAEotC,YAC9ChT,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,qCACd,KAEXmB,GAAOwE,MAAM,gCACbtB,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,gCAChBlxB,QAAQi8B,IAAIzX,GAAM,EAEhBghB,GAAsBtmC,eAAOi5B,EAAO+E,EAAa5B,GAA6B,IAAnBmK,EAAMjwC,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAC1E,MAAMgvB,EAAQ,GAKd,SAHU6d,EAAAA,GAAAA,GAAYlK,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,SAAU8oC,GAAAA,GAAWC,SAEnC/c,EAAM9wB,KAAK0tC,GAAqB5oC,EAAM0kC,EAAauI,EAAS7H,GAAeuD,KAAOvD,GAAesD,OAGrG,MAAM5E,QAAgBt8B,QAAQulC,WAAW/gB,GACzC2T,EAAM52B,SAAQ/I,GAAQ+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,cAAU9C,KAE9C,MAAM4vC,EAAShJ,EAAQn6B,QAAOlH,GAA4B,aAAlBA,EAAO3C,SAC/C,GAAIgtC,EAAO1wC,OAAS,EAGhB,OAFAy9B,GAAOn6B,MAAM,sCAAuC,CAAEotC,gBACtDhT,EAAAA,GAAAA,IAAUmT,GAASvU,EAAAA,GAAAA,IAAE,QAAS,mCAAoCA,EAAAA,GAAAA,IAAE,QAAS,kCAGjFmB,GAAOwE,MAAM,+BACbtB,EAAAA,GAAAA,IAAYkQ,GAASvU,EAAAA,GAAAA,IAAE,QAAS,8BAA+BA,EAAAA,GAAAA,IAAE,QAAS,4BAC9E,ECjKawU,GAAsBp7B,GAAY,WAAY,CACvDnO,MAAOA,KAAA,CACHwpC,SAAU,KAEd3mC,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,CACHwoC,eAAgB,OAGxBrU,OAAAA,GAAU,IAAAsU,EACN,MAAMC,EAAantC,SAASoqB,cAAc,oBAC1C7vB,KAAK0yC,eAAwC,QAA1BC,EAAGC,aAAU,EAAVA,EAAYC,mBAAW,IAAAF,EAAAA,EAAI,KACjD3yC,KAAK8yC,gBAAkB,IAAIC,gBAAgBn4B,IACnCA,EAAQlZ,OAAS,GAAKkZ,EAAQ,GAAGnU,SAAWmsC,IAC5C5yC,KAAK0yC,eAAiB93B,EAAQ,GAAGo4B,YAAYC,MACjD,IAEJjzC,KAAK8yC,gBAAgBI,QAAQN,EACjC,EACA7Q,aAAAA,GACI/hC,KAAK8yC,gBAAgBK,YACzB,ICxCuP,ICiB5OC,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,cACN2X,WAAY,CACR06B,cAAa,KACbC,aAAY,KACZ1Q,iBAAgBA,GAAAA,GAEpB2Q,OAAQ,CACJC,IAEJzyB,MAAO,CACHjR,KAAM,CACF9I,KAAME,OACN8Z,QAAS,MAGjB5M,MAAKA,KAMM,CACHq/B,cANkBjB,KAOlBkB,WANehO,KAOfgB,WANeD,KAOfkN,eANmBpM,KAOnBqM,cANkB7L,OAS1BzK,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EACA6M,IAAAA,GAC4B1N,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,EACA6rC,QAAAA,GACI,OAAO,KAAKD,KAAK3kC,KAAI,CAACq1B,EAAK1nB,KACvB,MAAM4oB,EAAS,KAAKsO,kBAAkBxP,GAChCzc,EAAK,IAAK,KAAKvG,OAAQnC,OAAQ,CAAEqmB,UAAU9pB,MAAO,CAAE4oB,QAC1D,MAAO,CACHA,MACArc,OAAO,EACPlnB,KAAM,KAAKgzC,kBAAkBzP,GAC7Bzc,KAEAmsB,YAAap3B,IAAU,KAAKg3B,KAAKnyC,OAAS,EAC7C,GAET,EACAwyC,kBAAAA,GACI,OAA2C,IAApC,KAAKN,cAActiB,MAAM5vB,MACpC,EAEAyyC,qBAAAA,GAGI,OAAO,KAAKD,oBAAsB,KAAKxB,eAAiB,GAC5D,EAEA0B,QAAAA,GAAW,IAAAC,EAAAC,EACP,OAA6B,QAA7BD,EAAuB,QAAvBC,EAAO,KAAKrR,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkB1oC,YAAI,IAAAyoC,EAAAA,4IACjC,EACAE,aAAAA,GACI,OAAO,KAAKZ,eAAenM,QAC/B,EACAgN,aAAAA,GACI,OAAO,KAAKf,cAAchB,QAC9B,GAEJ/T,QAAS,CACL+V,aAAAA,CAAc7qC,GACV,OAAO,KAAK8pC,WAAW7N,QAAQj8B,EACnC,EACAmqC,iBAAAA,CAAkBjkC,GACd,OAAO,KAAK42B,WAAWE,QAAQ,KAAK3D,YAAYr5B,GAAIkG,EACxD,EACAkkC,iBAAAA,CAAkBlkC,GAAM,IAAAk7B,EACF0J,EAAlB,GAAa,MAAT5kC,EACA,OAAuB,QAAhB4kC,EAAA,KAAKtR,mBAAW,IAAAsR,GAAQ,QAARA,EAAhBA,EAAkB1N,cAAM,IAAA0N,OAAA,EAAxBA,EAA0B1zC,QAAQg9B,EAAAA,GAAAA,IAAE,QAAS,QAExD,MAAM2W,EAAS,KAAKZ,kBAAkBjkC,GAChCxK,EAAQqvC,EAAU,KAAKF,cAAcE,QAAUnyC,EACrD,OAAO8C,SAAgB,QAAZ0lC,EAAJ1lC,EAAM2lC,kBAAU,IAAAD,OAAA,EAAhBA,EAAkBnG,eAAeqF,EAAAA,GAAAA,UAASp6B,EACrD,EACA8kC,OAAAA,CAAQ9sB,GAAI,IAAA+sB,GACJ/sB,SAAS,QAAP+sB,EAAF/sB,EAAInM,aAAK,IAAAk5B,OAAA,EAATA,EAAWtQ,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACrC,KAAKjK,MAAM,SAEnB,EACAwa,UAAAA,CAAW30C,EAAO2P,GAEVA,IAAS,KAAK+jC,KAAK,KAAKA,KAAKnyC,OAAS,GAKtCvB,EAAMkqB,QACNlqB,EAAM40C,aAAaC,WAAa,OAGhC70C,EAAM40C,aAAaC,WAAa,OARhC70C,EAAM40C,aAAaC,WAAa,MAUxC,EACA,YAAMC,CAAO90C,EAAO2P,GAAM,IAAAolC,EAAAC,EAAAC,EAEtB,KAAK,KAAKZ,eAAoC,QAAnBU,EAAC/0C,EAAM40C,oBAAY,IAAAG,GAAO,QAAPA,EAAlBA,EAAoBjE,aAAK,IAAAiE,GAAzBA,EAA2BxzC,QACnD,OAKJvB,EAAMwqB,iBAEN,MAAMgd,EAAY,KAAK6M,cACjBvD,EAAQ,KAAsB,QAAlBkE,EAAAh1C,EAAM40C,oBAAY,IAAAI,OAAA,EAAlBA,EAAoBlE,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC7I,QAAiC,QAAtBgN,EAAM,KAAKnS,mBAAW,IAAAmS,OAAA,EAAhBA,EAAkBpI,YAAYl9B,IAC/C49B,EAAStF,aAAQ,EAARA,EAAUsF,OACzB,IAAKA,EAED,YADAtO,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,0CAG9B,MAAMqX,KAAW3H,EAAOtI,YAAcC,GAAAA,GAAW2K,QAC3CuC,EAASpyC,EAAMkqB,QAGrB,IAAKgrB,GAA4B,IAAjBl1C,EAAMqqB,OAClB,OAIJ,GAFA2U,GAAOwE,MAAM,UAAW,CAAExjC,QAAOutC,SAAQ/F,YAAW8J,aAEhDA,EAASrJ,SAAS1mC,OAAS,EAE3B,kBADMmwC,GAAoBJ,EAAU/D,EAAQtF,EAASA,UAIzD,MAAMnD,EAAQ0C,EAAUz4B,KAAIu2B,GAAU,KAAKiO,WAAW7N,QAAQJ,WACxD6M,GAAoBrN,EAAOyI,EAAQtF,EAASA,SAAUmK,GAGxD5K,EAAUuD,MAAKzF,GAAU,KAAK8O,cAAczrC,SAAS28B,OACrDtG,GAAOwE,MAAM,gDACb,KAAKgQ,eAAe9L,QAE5B,EACAyN,eAAAA,CAAgBz4B,EAAO04B,GAAS,IAAAC,EAC5B,OAAID,SAAW,QAAJC,EAAPD,EAASztB,UAAE,IAAA0tB,GAAO,QAAPA,EAAXA,EAAa75B,aAAK,IAAA65B,OAAA,EAAlBA,EAAoBjR,OAAQ,KAAKhjB,OAAO5F,MAAM4oB,KACvCvG,EAAAA,GAAAA,IAAE,QAAS,4BAEH,IAAVnhB,GACEmhB,EAAAA,GAAAA,IAAE,QAAS,8BAA+BuX,GAE9C,IACX,EACAE,cAAAA,CAAeF,GAAS,IAAAG,EACpB,OAAIH,SAAW,QAAJG,EAAPH,EAASztB,UAAE,IAAA4tB,GAAO,QAAPA,EAAXA,EAAa/5B,aAAK,IAAA+5B,OAAA,EAAlBA,EAAoBnR,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,MAAMyb,YAAmB1b,EAAG,gBAAgB,CAACG,YAAY,0BAA0B/Q,MAAM,CAAE,yCAA0C2Q,EAAIma,uBAAwBjxB,MAAM,CAAC,oCAAoC,GAAG,aAAa8W,EAAIgE,EAAE,QAAS,2BAA2BuE,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,UAAUrJ,GAAG,WAAW,MAAO,CAACm6B,EAAI4b,GAAG,WAAW,EAAE5nC,OAAM,IAAO,MAAK,IAAOgsB,EAAIsI,GAAItI,EAAI8Z,UAAU,SAASyB,EAAQ14B,GAAO,OAAOod,EAAG,eAAeD,EAAIG,GAAG,CAACjxB,IAAIqsC,EAAQhR,IAAIrhB,MAAM,CAAC,IAAM,OAAO,GAAKqyB,EAAQztB,GAAG,kBAA4B,IAAVjL,GAAemd,EAAI0Y,gBAAkB,IAAI,MAAQ1Y,EAAIsb,gBAAgBz4B,EAAO04B,GAAS,mBAAmBvb,EAAIyb,eAAeF,IAAU5yC,GAAG,CAAC,KAAO,SAAS03B,GAAQ,OAAOL,EAAIib,OAAO5a,EAAQkb,EAAQhR,IAAI,GAAGsR,SAAS,CAAC,MAAQ,SAASxb,GAAQ,OAAOL,EAAI4a,QAAQW,EAAQztB,GAAG,EAAE,SAAW,SAASuS,GAAQ,OAAOL,EAAI8a,WAAWza,EAAQkb,EAAQhR,IAAI,GAAGhC,YAAYvI,EAAIwI,GAAG,CAAY,IAAV3lB,EAAa,CAAC3T,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,mBAAmB,CAAC/W,MAAM,CAAC,KAAO,GAAG,IAAM8W,EAAIoa,YAAY,EAAEpmC,OAAM,GAAM,MAAM,MAAK,IAAO,eAAeunC,GAAQ,GAAO,IAAG,EACjmC,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,gBCsBO,MAAMO,GAAsB1+B,GAAY,cAAe,CAC1DnO,MAAOA,KAAA,CACH8sC,OAAQ,SCDHC,GAAmB,WAC5B,MAMMC,EANQ7+B,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHitC,kBAAc1zC,EACdssC,QAAS,MAGKnlC,IAAMrH,WAS5B,OAPK2zC,EAAc3a,gBACfC,EAAAA,GAAAA,IAAU,qBAAqB,SAAUj2B,GACrC2wC,EAAcC,aAAe5wC,EAC7B2wC,EAAcnH,QAAUxpC,EAAK4kC,QACjC,IACA+L,EAAc3a,cAAe,GAE1B2a,CACX,kBCpBA,MCpB+G,GDoB/G,CACEj1C,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,CACRw9B,iBAAgB,GAChBC,WAAUA,IAEdlsC,KAAIA,KACO,CACH+6B,MAAO,KAGf3H,SAAU,CACN+Y,YAAAA,GACI,OAA6B,IAAtB,KAAKpR,MAAMvjC,MACtB,EACA40C,cAAAA,GACI,OAAO,KAAKD,cACL,KAAKpR,MAAM,GAAGj+B,OAASigC,GAAAA,GAASC,MAC3C,EACAlmC,IAAAA,GACI,OAAK,KAAK0O,KAGV,GAAArO,OAAU,KAAKk1C,QAAO,OAAAl1C,OAAM,KAAKqO,MAFtB,KAAK6mC,OAGpB,EACA7mC,IAAAA,GACI,MAAM8mC,EAAY,KAAKvR,MAAMh7B,QAAO,CAACwsC,EAAOnxC,IAASmxC,EAAQnxC,EAAKoK,MAAQ,GAAG,GACvEA,EAAOgnC,SAASF,EAAW,KAAO,EACxC,MAAoB,iBAAT9mC,GAAqBA,EAAO,EAC5B,MAEJkuB,EAAAA,GAAAA,IAAeluB,GAAM,EAChC,EACA6mC,OAAAA,GACI,GAAI,KAAKF,aAAc,KAAArL,EACnB,MAAM1lC,EAAO,KAAK2/B,MAAM,GACxB,OAAsB,QAAf+F,EAAA1lC,EAAK2lC,kBAAU,IAAAD,OAAA,EAAfA,EAAiBnG,cAAev/B,EAAK4kC,QAChD,CACA,OAAOyD,GAAc,KAAK1I,MAC9B,GAEJvG,QAAS,CACL5D,MAAAA,CAAOmK,GACH,KAAKA,MAAQA,EACb,KAAK0R,MAAMC,WAAWC,kBAEtB5R,EAAM9jC,MAAM,EAAG,GAAGkN,SAAQ/I,IACtB,MAAMwxC,EAAUrxC,SAASoqB,cAAa,mCAAAxuB,OAAoCiE,EAAKmgC,OAAM,iCACjFqR,GACoB,KAAKH,MAAMC,WACnB3W,YAAY6W,EAAQC,WAAWC,WAAU,GACzD,IAEJ,KAAKroB,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,MAAMyb,YAAmB1b,EAAG,MAAM,CAACG,YAAY,yBAAyB,CAACH,EAAG,OAAO,CAACG,YAAY,+BAA+B,CAACH,EAAG,OAAO,CAACra,IAAI,eAAeoa,EAAIQ,GAAG,KAAMR,EAAIsc,eAAgBrc,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,QCjB1Bi2C,GAAU5e,GAAAA,GAAIza,OAAOs5B,IAC3B,IAAIJ,GC+BJze,GAAAA,GAAI8e,UAAU,iBAAkBC,GAAAA,IAChC,UAAehE,EAAAA,GAAAA,IAAgB,CAC3BryB,MAAO,CACHoD,OAAQ,CACJnd,KAAM,CAACkgC,GAAAA,GAAQmQ,GAAAA,GAAQC,GAAAA,IACvBvvB,UAAU,GAEdkd,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd2qB,eAAgB,CACZ1rC,KAAMiU,OACN+F,QAAS,IAGjB9W,KAAIA,KACO,CACHqtC,QAAS,GACTC,UAAU,EACVC,UAAU,IAGlBna,SAAU,CACN2F,WAAAA,GACI,OAAOjjC,KAAKojC,YAAY4D,MAC5B,EACA0Q,UAAAA,GAAa,IAAA1U,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,EACA0vC,aAAAA,GAAgB,IAAAC,EAAAC,EACZ,OAAyB,QAAlBD,EAAA53C,KAAKuhB,OAAOnC,cAAM,IAAAw4B,OAAA,EAAlBA,EAAoBnS,UAA2B,QAArBoS,EAAI73C,KAAKuhB,OAAO5F,aAAK,IAAAk8B,OAAA,EAAjBA,EAAmBpS,SAAU,IACtE,EACAA,MAAAA,GAAS,IAAAqS,EACL,OAAkB,QAAlBA,EAAO93C,KAAKmkB,cAAM,IAAA2zB,OAAA,EAAXA,EAAarS,MACxB,EACAsS,QAAAA,GACI,OAAOxM,GAASvrC,KAAKmkB,OAAOA,OAChC,EACA6zB,SAAAA,GACI,OAAOh4C,KAAKmkB,OAAO/e,SAAWgpC,GAAAA,GAAWC,OAC7C,EACA4J,SAAAA,GAAY,IAAAC,EACR,OAA0B,QAA1BA,EAAIl4C,KAAKmkB,OAAO8mB,kBAAU,IAAAiN,GAAtBA,EAAwBrT,aACjBmK,EAAAA,GAAAA,SAAQhvC,KAAKmkB,OAAO8mB,WAAWpG,aAEnC7kC,KAAKmkB,OAAO8zB,WAAa,EACpC,EACApT,WAAAA,GACI,MAAMkK,EAAM/uC,KAAKi4C,UACXj3C,EAAQhB,KAAKmkB,OAAO8mB,WAAWpG,aAC9B7kC,KAAKmkB,OAAO+lB,SAEnB,OAAQ6E,EAAa/tC,EAAKG,MAAM,EAAG,EAAI4tC,EAAIrtC,QAA7BV,CAClB,EACAwzC,aAAAA,GACI,OAAOx0C,KAAKyzC,cAAchB,QAC9B,EACA8B,aAAAA,GACI,OAAOv0C,KAAK2zC,eAAenM,QAC/B,EACA2Q,UAAAA,GACI,OAAOn4C,KAAKylC,QAAUzlC,KAAKu0C,cAAczrC,SAAS9I,KAAKylC,OAC3D,EACA2S,UAAAA,GACI,OAAOp4C,KAAKi2C,cAAcC,eAAiBl2C,KAAKmkB,MACpD,EACAk0B,qBAAAA,GACI,OAAOr4C,KAAKo4C,YAAcp4C,KAAK0yC,eAAiB,GACpD,EACAhpB,QAAAA,GACI,OAAOxiB,OAAOlH,KAAKylC,UAAYv+B,OAAOlH,KAAK23C,cAC/C,EACAW,OAAAA,GACI,GAAIt4C,KAAKo4C,WACL,OAAO,EAEX,MAAME,EAAWhzC,OACLA,aAAI,EAAJA,EAAM8/B,aAAcC,GAAAA,GAAWwF,QAG3C,OAAI7qC,KAAKu0C,cAAc7yC,OAAS,EACd1B,KAAKu0C,cAAcrlC,KAAIu2B,GAAUzlC,KAAK0zC,WAAW7N,QAAQJ,KAC1DtlB,MAAMm4B,GAEhBA,EAAQt4C,KAAKmkB,OACxB,EACAkxB,OAAAA,GACI,QAAIr1C,KAAKmkB,OAAOnd,OAASigC,GAAAA,GAASC,QAI9BlnC,KAAKylC,QAAUzlC,KAAKw0C,cAAc1rC,SAAS9I,KAAKylC,WAG5CzlC,KAAKmkB,OAAOihB,YAAcC,GAAAA,GAAW2K,QACjD,EACAuI,WAAY,CACR5qC,GAAAA,GACI,OAAO3N,KAAKw4C,iBAAiBzC,SAAW/1C,KAAK+3C,SAASv0C,UAC1D,EACAwM,GAAAA,CAAI+lC,GACA/1C,KAAKw4C,iBAAiBzC,OAASA,EAAS/1C,KAAK+3C,SAASv0C,WAAa,IACvE,IAGRggC,MAAO,CAKHrf,MAAAA,CAAOhe,EAAG6U,GACF7U,EAAEge,SAAWnJ,EAAEmJ,QACfnkB,KAAKy4C,YAEb,GAEJ1W,aAAAA,GACI/hC,KAAKy4C,YACT,EACA/Z,QAAS,CACL+Z,UAAAA,GAAa,IAAAC,EAAAC,EAET34C,KAAKu3C,QAAU,GAEL,QAAVmB,EAAA14C,KAAK22C,aAAK,IAAA+B,GAAS,QAATA,EAAVA,EAAY5B,eAAO,IAAA4B,GAAO,QAAPC,EAAnBD,EAAqB7Q,aAAK,IAAA8Q,GAA1BA,EAAAz3C,KAAAw3C,GAEA14C,KAAKu4C,YAAa,CACtB,EAEAK,YAAAA,CAAaz4C,GAET,GAAIH,KAAKu4C,WACL,OAIJ,GAAKv4C,KAAKy3C,SASL,KAAAoB,EAED,MAAM1T,EAAe,QAAX0T,EAAG74C,KAAKggC,WAAG,IAAA6Y,OAAA,EAARA,EAAUC,QAAQ,oBAC/B3T,EAAK/U,MAAM2oB,eAAe,iBAC1B5T,EAAK/U,MAAM2oB,eAAe,gBAC9B,KAdoB,KAAAC,EAEhB,MAAM7T,EAAe,QAAX6T,EAAGh5C,KAAKggC,WAAG,IAAAgZ,OAAA,EAARA,EAAUF,QAAQ,oBACzB9F,EAAc7N,EAAKnV,wBAGzBmV,EAAK/U,MAAM6oB,YAAY,gBAAiBplB,KAAKD,IAAI,EAAGzzB,EAAM+4C,QAAUlG,EAAYj6B,KAAO,KAAO,MAC9FosB,EAAK/U,MAAM6oB,YAAY,gBAAiBplB,KAAKD,IAAI,EAAGzzB,EAAMg5C,QAAUnG,EAAY9iB,KAAO,KAC3F,CAQA,MAAMkpB,EAAwBp5C,KAAKu0C,cAAc7yC,OAAS,EAC1D1B,KAAKw4C,iBAAiBzC,OAAS/1C,KAAKm4C,YAAciB,EAAwB,SAAWp5C,KAAK+3C,SAASv0C,WAEnGrD,EAAMwqB,iBACNxqB,EAAMy/B,iBACV,EACAyZ,iBAAAA,CAAkBl5C,GAEd,GAAIA,EAAMkqB,SAAWlqB,EAAMgqB,SAA4B,IAAjBhqB,EAAMqqB,OAGxC,OAFArqB,EAAMwqB,iBACN/mB,OAAOa,MAAKm1B,EAAAA,GAAAA,IAAY,cAAe,CAAE+a,OAAQ30C,KAAKylC,WAC/C,EAEKzlC,KAAK22C,MAAM7qC,QACnButC,kBAAkBl5C,EAC9B,EACAm5C,sBAAAA,CAAuBn5C,GAAO,IAAAo5C,EAC1Bp5C,EAAMwqB,iBACNxqB,EAAMy/B,kBACF4Z,UAAsB,QAATD,EAAbC,GAAexU,eAAO,IAAAuU,GAAtBA,EAAAr4C,KAAAs4C,GAAyB,CAACx5C,KAAKmkB,QAASnkB,KAAKijC,cAC7CuW,GAAc7+B,KAAK3a,KAAKmkB,OAAQnkB,KAAKijC,YAAajjC,KAAK03C,WAE/D,EACA5C,UAAAA,CAAW30C,GACPH,KAAKw3C,SAAWx3C,KAAKq1C,QAChBr1C,KAAKq1C,QAKNl1C,EAAMkqB,QACNlqB,EAAM40C,aAAaC,WAAa,OAGhC70C,EAAM40C,aAAaC,WAAa,OARhC70C,EAAM40C,aAAaC,WAAa,MAUxC,EACAyE,WAAAA,CAAYt5C,GAGR,MAAMsqB,EAAgBtqB,EAAMsqB,cACxBA,SAAAA,EAAeivB,SAASv5C,EAAMw5C,iBAGlC35C,KAAKw3C,UAAW,EACpB,EACA,iBAAMoC,CAAYz5C,GAAO,IAAA+0C,EAAA2E,EAAA1E,EAErB,GADAh1C,EAAMy/B,mBACD5/B,KAAKs4C,UAAYt4C,KAAKylC,OAGvB,OAFAtlC,EAAMwqB,sBACNxqB,EAAMy/B,kBAGVT,GAAOwE,MAAM,eAAgB,CAAExjC,UAEb,QAAlB+0C,EAAA/0C,EAAM40C,oBAAY,IAAAG,GAAW,QAAX2E,EAAlB3E,EAAoB4E,iBAAS,IAAAD,GAA7BA,EAAA34C,KAAAg0C,GAEAl1C,KAAKi2C,cAAcroC,SAGf5N,KAAKu0C,cAAczrC,SAAS9I,KAAKylC,QACjCzlC,KAAKyzC,cAAczjC,IAAIhQ,KAAKu0C,eAG5Bv0C,KAAKyzC,cAAczjC,IAAI,CAAChQ,KAAKylC,SAEjC,MAAMR,EAAQjlC,KAAKyzC,cAAchB,SAC5BvjC,KAAIu2B,GAAUzlC,KAAK0zC,WAAW7N,QAAQJ,KACrCsU,OD5PmB/tC,UAC1B,IAAIc,SAASC,IACX+pC,KACDA,IAAU,IAAIG,IAAU+C,SACxBv0C,SAAS8B,KAAK04B,YAAY6W,GAAQ9W,MAEtC8W,GAAQhc,OAAOmK,GACf6R,GAAQmD,IAAI,UAAU,KAClBltC,EAAQ+pC,GAAQ9W,KAChB8W,GAAQoD,KAAK,SAAS,GACxB,ICkPsBC,CAAsBlV,GACxB,QAAlBkQ,EAAAh1C,EAAM40C,oBAAY,IAAAI,GAAlBA,EAAoBiF,aAAaL,GAAQ,IAAK,GAClD,EACAM,SAAAA,GACIr6C,KAAKyzC,cAAc5L,QACnB7nC,KAAKw3C,UAAW,EAChBrY,GAAOwE,MAAM,aACjB,EACA,YAAMsR,CAAO90C,GAAO,IAAAm6C,EAAAC,EAAAjG,EAEhB,KAAKt0C,KAAKw0C,eAAoC,QAAnB8F,EAACn6C,EAAM40C,oBAAY,IAAAuF,GAAO,QAAPA,EAAlBA,EAAoBrJ,aAAK,IAAAqJ,GAAzBA,EAA2B54C,QACnD,OAEJvB,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,MAAM+H,EAAY3nC,KAAKw0C,cACjBvD,EAAQ,KAAsB,QAAlBsJ,EAAAp6C,EAAM40C,oBAAY,IAAAwF,OAAA,EAAlBA,EAAoBtJ,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC7I,QAAiC,QAAtBkM,EAAMt0C,KAAKijC,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkBtH,YAAYhtC,KAAKmkB,OAAOrU,OAC3D49B,EAAStF,aAAQ,EAARA,EAAUsF,OACzB,IAAKA,EAED,YADAtO,EAAAA,GAAAA,IAAUp/B,KAAKg+B,EAAE,QAAS,0CAK9B,IAAKh+B,KAAKq1C,SAAWl1C,EAAMqqB,OACvB,OAEJ,MAAM+nB,EAASpyC,EAAMkqB,QAIrB,GAHArqB,KAAKw3C,UAAW,EAChBrY,GAAOwE,MAAM,UAAW,CAAExjC,QAAOutC,SAAQ/F,YAAW8J,aAEhDA,EAASrJ,SAAS1mC,OAAS,EAE3B,kBADMmwC,GAAoBJ,EAAU/D,EAAQtF,EAASA,UAIzD,MAAMnD,EAAQ0C,EAAUz4B,KAAIu2B,GAAUzlC,KAAK0zC,WAAW7N,QAAQJ,WACxD6M,GAAoBrN,EAAOyI,EAAQtF,EAASA,SAAUmK,GAGxD5K,EAAUuD,MAAKzF,GAAUzlC,KAAKu0C,cAAczrC,SAAS28B,OACrDtG,GAAOwE,MAAM,gDACb3jC,KAAK2zC,eAAe9L,QAE5B,EACA7J,EAACA,GAAAA,qBC7ST,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,KAAKq2B,mBACT,EACAvX,WAAAA,GACI,KAAKuX,mBACT,GAEJnc,OAAAA,GACI,KAAKmc,mBACT,EACA9b,QAAS,CACL,uBAAM8b,GACF,MAAMC,QAAgB,KAAKx5B,OAAO,KAAKkD,OAAQ,KAAK8e,aAChDwX,EACA,KAAKza,IAAI6W,gBAAgB4D,GAGzB,KAAKza,IAAI6W,iBAEjB,IExBR,IAXgB,QACd,IFRW,WAA+C,OAAO5c,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,IAAU4uC,EAAAA,GAAAA,MAChB,IAAetH,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,mBACN2X,WAAY,CACRgiC,cAAa,GACbC,oBAAmB,GACnBC,eAAc,KACdC,UAAS,KACTC,kBAAiB,KACjBnY,iBAAgB,KAChBoY,cAAaA,GAAAA,GAEjBj6B,MAAO,CACH2xB,eAAgB,CACZ1rC,KAAMiU,OACN8M,UAAU,GAEdwvB,QAAS,CACLvwC,KAAME,OACN6gB,UAAU,GAEdguB,OAAQ,CACJ/uC,KAAMyV,QACNuE,SAAS,GAEbmD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEd0vB,SAAU,CACNzwC,KAAMyV,QACNuE,SAAS,IAGjB9W,KAAIA,KACO,CACH+wC,cAAe,OAGvB3d,SAAU,CACNoa,UAAAA,GAAa,IAAA1U,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,EACAgR,SAAAA,GACI,OAAO,KAAK7zB,OAAO/e,SAAWgpC,GAAAA,GAAWC,OAC7C,EAEA6M,cAAAA,GACI,OAAI,KAAK/2B,OAAO8mB,WAAW8B,OAChB,GAEJjhC,GACFmD,QAAOlD,IAAWA,EAAOi5B,SAAWj5B,EAAOi5B,QAAQ,CAAC,KAAK7gB,QAAS,KAAK8e,eACvEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,IACrD,EAEA6X,oBAAAA,GACI,OAAI,KAAKzI,eAAiB,KAAO,KAAK+E,SAC3B,GAEJ,KAAKyD,eAAejsC,QAAOlD,IAAM,IAAAqvC,EAAA,OAAIrvC,SAAc,QAARqvC,EAANrvC,EAAQsvC,cAAM,IAAAD,OAAA,EAAdA,EAAAl6C,KAAA6K,EAAiB,KAAKoY,OAAQ,KAAK8e,YAAY,GAC/F,EAEAqY,oBAAAA,GACI,OAAI,KAAK7D,SACE,GAEJ,KAAKyD,eAAejsC,QAAOlD,GAAyC,mBAAxBA,EAAOwvC,cAC9D,EAEAC,qBAAAA,GACI,OAAO,KAAKN,eAAejsC,QAAOlD,KAAYA,UAAAA,EAAQiV,UAC1D,EAEAy6B,kBAAAA,GAGI,GAAI,KAAKR,cACL,OAAO,KAAKE,qBAEhB,MAAMrvC,EAAU,IAET,KAAKqvC,wBAEL,KAAKD,eAAejsC,QAAOlD,GAAUA,EAAOiV,UAAY06B,GAAAA,GAAYC,QAAyC,mBAAxB5vC,EAAOwvC,gBACjGtsC,QAAO,CAAC7F,EAAOyT,EAAO7Y,IAEb6Y,IAAU7Y,EAAK43C,WAAU7vC,GAAUA,EAAOnC,KAAOR,EAAMQ,OAG5DiyC,EAAgB/vC,EAAQmD,QAAOlD,IAAWA,EAAO4T,SAAQzQ,KAAInD,GAAUA,EAAOnC,KAEpF,OAAOkC,EAAQmD,QAAOlD,KAAYA,EAAO4T,QAAUk8B,EAAc/yC,SAASiD,EAAO4T,UACrF,EACAm8B,qBAAAA,GACI,OAAO,KAAKZ,eACPjsC,QAAOlD,GAAUA,EAAO4T,SACxB1V,QAAO,CAAC8Z,EAAKhY,KACTgY,EAAIhY,EAAO4T,UACZoE,EAAIhY,EAAO4T,QAAU,IAEzBoE,EAAIhY,EAAO4T,QAAQnf,KAAKuL,GACjBgY,IACR,CAAC,EACR,EACAw0B,WAAY,CACR5qC,GAAAA,GACI,OAAO,KAAKooC,MAChB,EACA/lC,GAAAA,CAAI5G,GACA,KAAKkxB,MAAM,gBAAiBlxB,EAChC,GAOJ2yC,qBAAoBA,IACTt2C,SAASoqB,cAAc,8BAElCmsB,SAAAA,GACI,OAAO,KAAK73B,OAAO8mB,WAAW,aAClC,GAEJvM,QAAS,CACLud,iBAAAA,CAAkBlwC,GACd,IAAK,KAAK0rC,UAAa,KAAK/E,eAAiB,KAAO3mC,EAAOsvC,SAAoC,mBAAjBtvC,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,mBAAMiZ,CAAcnwC,GAA2B,IAAnBowC,EAAS75C,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,IAAAA,UAAA,GAEjC,GAAI,KAAK01C,WAA8B,KAAjB,KAAKT,QACvB,OAGJ,GAAI,KAAKuE,sBAAsB/vC,EAAOnC,IAElC,YADA,KAAKqxC,cAAgBlvC,GAGzB,MAAM84B,EAAc94B,EAAO84B,YAAY,CAAC,KAAK1gB,QAAS,KAAK8e,aAC3D,IAEI,KAAK3I,MAAM,iBAAkBvuB,EAAOnC,IACpCyuB,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,SAAUiqB,GAAAA,GAAWC,SAC1C,MAAM+N,QAAgBrwC,EAAO4O,KAAK,KAAKwJ,OAAQ,KAAK8e,YAAa,KAAKyU,YAEtE,GAAI0E,QACA,OAEJ,GAAIA,EAEA,YADA/Z,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,GAE3B25C,IACA,KAAKlB,cAAgB,KAE7B,CACJ,EACA5B,iBAAAA,CAAkBl5C,GACV,KAAKq7C,sBAAsB95C,OAAS,IACpCvB,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,KAAK4b,sBAAsB,GAAG7gC,KAAK,KAAKwJ,OAAQ,KAAK8e,YAAa,KAAKyU,YAE/E,EACA2E,MAAAA,CAAOzyC,GAAI,IAAA0yC,EACP,OAAqC,QAA9BA,EAAA,KAAKR,sBAAsBlyC,UAAG,IAAA0yC,OAAA,EAA9BA,EAAgC56C,QAAS,CACpD,EACA,uBAAM66C,CAAkBxwC,GACpB,KAAKkvC,cAAgB,WAEf,KAAKtsB,YAEX,KAAKA,WAAU,KAAM,IAAA+pB,EAEjB,MAAM8D,EAA8C,QAApC9D,EAAG,KAAK/B,MAAK,UAAAt1C,OAAW0K,EAAOnC,YAAK,IAAA8uC,OAAA,EAAjCA,EAAoC,GACvC,IAAA+D,EAAZD,IACsC,QAAtCC,EAAAD,EAAWxc,IAAInQ,cAAc,iBAAS,IAAA4sB,GAAtCA,EAAwCC,QAC5C,GAER,EACA1e,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,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,OCjB1D,IAAI,IAAY,QACd,IJVW,WAAiB,IAAAgd,EAAAC,EAAK5iB,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,KAAK,CAACG,YAAY,0BAA0BlX,MAAM,CAAC,iCAAiC,KAAK,CAAC8W,EAAIsI,GAAItI,EAAIshB,sBAAsB,SAASvvC,GAAQ,OAAOkuB,EAAG,sBAAsB,CAAC/wB,IAAI6C,EAAOnC,GAAGwwB,YAAY,iCAAiC/Q,MAAM,0BAA4Btd,EAAOnC,GAAGsZ,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,OAASl3B,EAAOwvC,aAAa,OAASvhB,EAAI7V,SAAS,IAAG6V,EAAIQ,GAAG,KAAKP,EAAG,YAAY,CAACra,IAAI,cAAcsD,MAAM,CAAC,qBAAqB8W,EAAI+hB,qBAAqB,UAAY/hB,EAAI+hB,qBAAqB,cAAa,EAAK,KAAO,WAAW,aAAiD,IAApC/hB,EAAImhB,qBAAqBz5C,OAAuD,OAASs4B,EAAImhB,qBAAqBz5C,OAAO,KAAOs4B,EAAIue,YAAY51C,GAAG,CAAC,cAAc,SAAS03B,GAAQL,EAAIue,WAAWle,CAAM,EAAE,MAAQ,SAASA,GAAQL,EAAIihB,cAAgB,IAAI,IAAI,CAACjhB,EAAIsI,GAAItI,EAAIyhB,oBAAoB,SAAS1vC,GAAO,IAAA8wC,EAAC,OAAO5iB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGgW,IAAG,UAAAve,OAAW0K,EAAOnC,IAAKkzC,UAAS,EAAKzzB,MAAM,CAClhC,CAAC,0BAADhoB,OAA2B0K,EAAOnC,MAAO,EACzC,+BAAkCowB,EAAIqiB,OAAOtwC,EAAOnC,KACnDsZ,MAAM,CAAC,qBAAqB8W,EAAIqiB,OAAOtwC,EAAOnC,IAAI,gCAAgCmC,EAAOnC,GAAG,UAAUowB,EAAIqiB,OAAOtwC,EAAOnC,IAAI,MAAoB,QAAbizC,EAAC9wC,EAAOzE,aAAK,IAAAu1C,OAAA,EAAZA,EAAA37C,KAAA6K,EAAe,CAACiuB,EAAI7V,QAAS6V,EAAIiJ,cAActgC,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIkiB,cAAcnwC,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIud,UAAYxrC,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,EAAIgiB,WAAwC,mBAAdjwC,EAAOnC,GAA0B,GAAKowB,EAAIiiB,kBAAkBlwC,IAAS,WAAW,IAAGiuB,EAAIQ,GAAG,KAAMR,EAAIihB,eAAiBjhB,EAAI8hB,sBAAuC,QAAlBa,EAAC3iB,EAAIihB,qBAAa,IAAA0B,OAAA,EAAjBA,EAAmB/yC,IAAK,CAACqwB,EAAG,iBAAiB,CAACG,YAAY,8BAA8Bz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIuiB,kBAAkBviB,EAAIihB,cAAc,GAAG1Y,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,EAAIiiB,kBAAkBjiB,EAAIihB,gBAAgB,cAAcjhB,EAAIQ,GAAG,KAAKP,EAAG,qBAAqBD,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAI8hB,sBAAuC,QAAlBc,EAAC5iB,EAAIihB,qBAAa,IAAA2B,OAAA,EAAjBA,EAAmBhzC,KAAK,SAASmC,GAAO,IAAAgxC,EAAC,OAAO9iB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGwwB,YAAY,kCAAkC/Q,MAAK,0BAAAhoB,OAA2B0K,EAAOnC,IAAKsZ,MAAM,CAAC,qBAAoB,EAA8C,gCAAgCnX,EAAOnC,GAAG,MAAoB,QAAbmzC,EAAChxC,EAAOzE,aAAK,IAAAy1C,OAAA,EAAZA,EAAA77C,KAAA6K,EAAe,CAACiuB,EAAI7V,QAAS6V,EAAIiJ,cAActgC,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIkiB,cAAcnwC,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIud,UAAYxrC,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,EAAIiiB,kBAAkBlwC,IAAS,aAAa,KAAIiuB,EAAI1jB,MAAM,IAAI,EAC90D,GACsB,IIQpB,EACA,KACA,WACA,MAIF,SAAe,GAAiB,QCpB0O,ICQ3P88B,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,oBACN2X,WAAY,CACRkoB,sBAAqB,KACrBma,cAAaA,GAAAA,GAEjBj6B,MAAO,CACH0kB,OAAQ,CACJz+B,KAAMiU,OACN8M,UAAU,GAEdiwB,UAAW,CACPhxC,KAAMyV,QACNuE,SAAS,GAEbikB,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd5D,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,IAGlB3T,KAAAA,GACI,MAAMu/B,EAAiBpM,KACjByV,ECNkB,WAC5B,MAmBMA,EAnBQ5lC,GAAY,WAAY,CAClCnO,MAAOA,KAAA,CACHmhB,QAAQ,EACRC,SAAS,EACTF,SAAS,EACTG,UAAU,IAEdxe,QAAS,CACLmxC,OAAAA,CAAQ98C,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,OANK06C,EAAc1hB,eACf13B,OAAOwqB,iBAAiB,UAAW4uB,EAAcC,SACjDr5C,OAAOwqB,iBAAiB,QAAS4uB,EAAcC,SAC/Cr5C,OAAOwqB,iBAAiB,YAAa4uB,EAAcC,SACnDD,EAAc1hB,cAAe,GAE1B0hB,CACX,CDvB8BE,GACtB,MAAO,CACHF,gBACArJ,iBAER,EACArW,SAAU,CACNiX,aAAAA,GACI,OAAO,KAAKZ,eAAenM,QAC/B,EACA2Q,UAAAA,GACI,OAAO,KAAK5D,cAAczrC,SAAS,KAAK28B,OAC5C,EACA5oB,KAAAA,GACI,OAAO,KAAKooB,MAAM2W,WAAWt2C,GAASA,EAAKmgC,SAAW,KAAKA,QAC/D,EACAoD,MAAAA,GACI,OAAO,KAAK1kB,OAAOnd,OAASigC,GAAAA,GAASkB,IACzC,EACAgV,SAAAA,GACI,OAAO,KAAKtU,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,CACL0e,iBAAAA,CAAkB5V,GAAU,IAAA6V,EACxB,MAAMC,EAAmB,KAAKzgC,MACxB6qB,EAAoB,KAAKiM,eAAejM,kBAE9C,GAAsB,QAAlB2V,EAAA,KAAKL,qBAAa,IAAAK,GAAlBA,EAAoB/yB,UAAkC,OAAtBod,EAA4B,CAC5D,MAAM6V,EAAoB,KAAKhJ,cAAczrC,SAAS,KAAK28B,QACrD0M,EAAQte,KAAKiM,IAAIwd,EAAkB5V,GACnCphB,EAAMuN,KAAKD,IAAI8T,EAAmB4V,GAClC7V,EAAgB,KAAKkM,eAAelM,cACpC+V,EAAgB,KAAKvY,MACtB/1B,KAAI/B,GAAQA,EAAKs4B,SACjBtkC,MAAMgxC,EAAO7rB,EAAM,GACnBrX,OAAOwN,SAENkrB,EAAY,IAAIF,KAAkB+V,GACnCvuC,QAAOw2B,IAAW8X,GAAqB9X,IAAW,KAAKA,SAI5D,OAHAtG,GAAOwE,MAAM,oDAAqD,CAAEwO,QAAO7rB,MAAKk3B,gBAAeD,2BAE/F,KAAK5J,eAAe3jC,IAAI23B,EAE5B,CACA,MAAMA,EAAYH,EACZ,IAAI,KAAK+M,cAAe,KAAK9O,QAC7B,KAAK8O,cAActlC,QAAOw2B,GAAUA,IAAW,KAAKA,SAC1DtG,GAAOwE,MAAM,qBAAsB,CAAEgE,cACrC,KAAKgM,eAAe3jC,IAAI23B,GACxB,KAAKgM,eAAe/L,aAAa0V,EACrC,EACAG,cAAAA,GACI,KAAK9J,eAAe9L,OACxB,EACA7J,EAACA,GAAAA,MEzET,IAXgB,QACd,IFRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,KAAK,CAACG,YAAY,2BAA2Bz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAI0jB,GAAGrjB,EAAOsjB,QAAQ,MAAM,GAAGtjB,EAAOnxB,IAAI,CAAC,MAAM,YAA0BmxB,EAAOhQ,SAASgQ,EAAO/P,UAAU+P,EAAOjQ,QAAQiQ,EAAOlQ,QAA/D,KAA0F6P,EAAIyjB,eAAeh7C,MAAM,KAAMH,UAAU,IAAI,CAAE03B,EAAIge,UAAW/d,EAAG,iBAAiBA,EAAG,wBAAwB,CAAC/W,MAAM,CAAC,aAAa8W,EAAImjB,UAAU,QAAUnjB,EAAIme,YAAYx1C,GAAG,CAAC,iBAAiBq3B,EAAIojB,sBAAsB,EACnkB,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAUA,MAAMQ,IAAsBljB,EAAAA,GAAAA,GAAU,QAAS,sBAAuB,ICVgM,GDWvPrC,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,gBACN2X,WAAY,CACRklC,YAAWA,GAAAA,GAEf98B,MAAO,CACH8jB,YAAa,CACT79B,KAAME,OACN6gB,UAAU,GAEdkwB,UAAW,CACPjxC,KAAME,OACN6gB,UAAU,GAEd2qB,eAAgB,CACZ1rC,KAAMiU,OACN8M,UAAU,GAEdkd,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd5D,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEd0vB,SAAU,CACNzwC,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAEM,CACH6hC,cAFkBD,OAK1B1Y,SAAU,CACN8a,UAAAA,GACI,OAAO,KAAKnC,cAAcC,eAAiB,KAAK/xB,MACpD,EACAk0B,qBAAAA,GACI,OAAO,KAAKD,YAAc,KAAK1F,eAAiB,GACpD,EACA5D,QAAS,CACLnhC,GAAAA,GACI,OAAO,KAAKsoC,cAAcnH,OAC9B,EACA9+B,GAAAA,CAAI8+B,GACA,KAAKmH,cAAcnH,QAAUA,CACjC,GAEJgP,WAAAA,GAKI,MAJmB,CACf,CAAC7W,GAAAA,GAASkB,OAAOnK,EAAAA,GAAAA,IAAE,QAAS,aAC5B,CAACiJ,GAAAA,GAASC,SAASlJ,EAAAA,GAAAA,IAAE,QAAS,gBAEhB,KAAK7Z,OAAOnd,KAClC,EACA+2C,MAAAA,GAAS,IAAAC,EAAAlG,EACL,GAAI,KAAK3zB,OAAO8mB,WAAW8B,OACvB,MAAO,CACHkR,GAAI,OACJ7+B,OAAQ,CACJ9X,OAAO02B,EAAAA,GAAAA,IAAE,QAAS,8BAI9B,MAAMwd,EAAoC,QAAfwC,EAAG,KAAK97B,eAAO,IAAA87B,GAAO,QAAPA,EAAZA,EAAcrH,aAAK,IAAAqH,GAAS,QAATA,EAAnBA,EAAqBlyC,eAAO,IAAAkyC,OAAA,EAA5BA,EAA8BxC,sBAC5D,OAAIA,aAAqB,EAArBA,EAAuB95C,QAAS,EAGzB,CACHu8C,GAAI,IACJ7+B,OAAQ,CACJ9X,MALOk0C,EAAsB,GACV3W,YAAY,CAAC,KAAK1gB,QAAS,KAAK8e,aAKnDib,KAAM,SACNC,SAAU,OAIP,QAAXrG,EAAA,KAAK3zB,cAAM,IAAA2zB,OAAA,EAAXA,EAAa1S,aAAcC,GAAAA,GAAW+Y,KAC/B,CACHH,GAAI,IACJ7+B,OAAQ,CACJhb,SAAU,KAAK+f,OAAO+lB,SACtB5jC,KAAM,KAAK6d,OAAOA,OAClB7c,OAAO02B,EAAAA,GAAAA,IAAE,QAAS,uBAAwB,CAAEh9B,KAAM,KAAK6jC,cACvDsZ,SAAU,MAIf,CACHF,GAAI,OAEZ,GAEJza,MAAO,CAMH4U,WAAY,CACRiG,WAAW,EACXl1B,OAAAA,CAAQm1B,GACAA,GACA,KAAKC,eAEb,IAGR7f,QAAS,CAML8f,kBAAAA,CAAmBr+C,GAAO,IAAAs+C,EAAAC,EACtB,MAAMxlC,EAAQ/Y,EAAMsG,OACdqoC,GAA2B,QAAjB2P,GAAAC,EAAA,KAAK5P,SAAQvzB,YAAI,IAAAkjC,OAAA,EAAjBA,EAAAv9C,KAAAw9C,KAAyB,GACzCvf,GAAOwE,MAAM,0BAA2B,CAAEmL,YAC1C,IACI,KAAK6P,gBAAgB7P,GACrB51B,EAAM0lC,kBAAkB,IACxB1lC,EAAM5R,MAAQ,EAClB,CACA,MAAOnC,GACH+T,EAAM0lC,kBAAkBz5C,EAAEkD,SAC1B6Q,EAAM5R,MAAQnC,EAAEkD,OACpB,CAAC,QAEG6Q,EAAM2lC,gBACV,CACJ,EACAF,eAAAA,CAAgB39C,GACZ,MAAM89C,EAAc99C,EAAKua,OACzB,GAAoB,MAAhBujC,GAAuC,OAAhBA,EACvB,MAAM,IAAI92C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,oCAAqC,CAAEh9B,UAEjE,GAA2B,IAAvB89C,EAAYp9C,OACjB,MAAM,IAAIsG,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,+BAE1B,IAAkC,IAA9B8gB,EAAYzrC,QAAQ,KACzB,MAAM,IAAIrL,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,2CAE1B,GAAI8gB,EAAY1lC,MAAM2lC,GAAG/mC,OAAOgnC,uBACjC,MAAM,IAAIh3C,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,uCAAwC,CAAEh9B,UAEpE,GAAI,KAAKi+C,kBAAkBj+C,GAC5B,MAAM,IAAIgH,OAAMg2B,EAAAA,GAAAA,IAAE,QAAS,4BAA6B,CAAE8Q,QAAS9tC,KAQvE,OANgB89C,EAAYlmC,MAAM,IAC1BvK,SAAQ6wC,IACZ,IAA2C,IAAvCtB,GAAoBvqC,QAAQ6rC,GAC5B,MAAM,IAAIl3C,MAAM,KAAKg2B,EAAE,QAAS,8CAA+C,CAAEkhB,SACrF,KAEG,CACX,EACAD,iBAAAA,CAAkBj+C,GACd,OAAO,KAAKikC,MAAM9B,MAAK79B,GAAQA,EAAK4kC,WAAalpC,GAAQsE,IAAS,KAAK6e,QAC3E,EACAo6B,aAAAA,GACI,KAAK5vB,WAAU,KAAM,IAAAwwB,EAEjB,MAAMC,GAAa,KAAKj7B,OAAO8zB,WAAa,IAAIr/B,MAAM,IAAIlX,OACpDA,EAAS,KAAKyiB,OAAO+lB,SAAStxB,MAAM,IAAIlX,OAAS09C,EACjDlmC,EAA8B,QAAzBimC,EAAG,KAAKxI,MAAM0I,mBAAW,IAAAF,GAAO,QAAPA,EAAtBA,EAAwBxI,aAAK,IAAAwI,GAAY,QAAZA,EAA7BA,EAA+BG,kBAAU,IAAAH,GAAO,QAAPA,EAAzCA,EAA2CxI,aAAK,IAAAwI,OAAA,EAAhDA,EAAkDjmC,MAC3DA,GAILA,EAAMqmC,kBAAkB,EAAG79C,GAC3BwX,EAAMwjC,QAENxjC,EAAM3T,cAAc,IAAIi6C,MAAM,WAN1BrgB,GAAOn6B,MAAM,kCAMsB,GAE/C,EACAy6C,YAAAA,GACS,KAAKrH,YAIV,KAAKnC,cAAcroC,QACvB,EAEA,cAAM8xC,GAAW,IAAAC,EAAAC,EACb,MAAMC,EAAU,KAAK17B,OAAO+lB,SACtB4V,EAAmB,KAAK37B,OAAO47B,cAC/BjR,GAA2B,QAAjB6Q,GAAAC,EAAA,KAAK9Q,SAAQvzB,YAAI,IAAAokC,OAAA,EAAjBA,EAAAz+C,KAAA0+C,KAAyB,GACzC,GAAgB,KAAZ9Q,EAIJ,GAAI+Q,IAAY/Q,EAKhB,GAAI,KAAKmQ,kBAAkBnQ,IACvB1P,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,wDADzB,CAKA,KAAKuZ,QAAU,WACflf,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,SAAUiqB,GAAAA,GAAWC,SAE1C,KAAKlqB,OAAO67B,OAAOlR,GACnB3P,GAAOwE,MAAM,iBAAkB,CAAEqG,YAAa,KAAK7lB,OAAO47B,cAAeD,qBACzE,UACU/kB,EAAAA,GAAAA,GAAM,CACRmR,OAAQ,OACR7nC,IAAKy7C,EACL7T,QAAS,CACLgU,YAAa,KAAK97B,OAAO47B,cACzBG,UAAW,QAInBp+C,EAAAA,GAAAA,IAAK,qBAAsB,KAAKqiB,SAChCriB,EAAAA,GAAAA,IAAK,qBAAsB,KAAKqiB,SAChCke,EAAAA,GAAAA,KAAYrE,EAAAA,GAAAA,IAAE,QAAS,qCAAsC,CAAE6hB,UAAS/Q,aAExE,KAAK2Q,eACL,KAAK9wB,WAAU,KACX,KAAKgoB,MAAMzM,SAASwS,OAAO,GAEnC,CACA,MAAO13C,GAAO,IAAAuqC,EAAAC,EAKV,GAJArQ,GAAOn6B,MAAM,4BAA6B,CAAEA,UAC5C,KAAKmf,OAAO67B,OAAOH,GACnB,KAAKlJ,MAAM0I,YAAY3C,QAES,OAA5B13C,SAAe,QAAVuqC,EAALvqC,EAAOH,gBAAQ,IAAA0qC,OAAA,EAAfA,EAAiBnqC,QAEjB,YADAg6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,2DAA4D,CAAE6hB,aAGlF,GAAgC,OAA5B76C,SAAe,QAAVwqC,EAALxqC,EAAOH,gBAAQ,IAAA2qC,OAAA,EAAfA,EAAiBpqC,QAEtB,YADAg6B,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,8FAA+F,CAAE8Q,UAASvK,IAAK,KAAKmT,eAI7ItY,EAAAA,GAAAA,KAAUpB,EAAAA,GAAAA,IAAE,QAAS,+BAAgC,CAAE6hB,YAC3D,CAAC,QAEG,KAAKtI,SAAU,EACflf,GAAAA,GAAAA,IAAQ,KAAKlU,OAAQ,cAAU3hB,EACnC,CA7CA,MAPI,KAAKi9C,oBAJLrgB,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,MAAMyb,YAAoB3b,EAAIoe,WAAYne,EAAG,OAAO,CAACkmB,WAAW,CAAC,CAACn/C,KAAK,mBAAmBo/C,QAAQ,qBAAqBh3C,MAAO4wB,EAAIylB,aAAcY,WAAW,iBAAiBjmB,YAAY,yBAAyBlX,MAAM,CAAC,aAAa8W,EAAIgE,EAAE,QAAS,gBAAgBr7B,GAAG,CAAC,OAAS,SAAS03B,GAAyD,OAAjDA,EAAO1P,iBAAiB0P,EAAOuF,kBAAyB5F,EAAI0lB,SAASj9C,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,cAAc,CAACra,IAAI,cAAcsD,MAAM,CAAC,MAAQ8W,EAAI8jB,YAAY,WAAY,EAAK,UAAY,EAAE,UAAW,EAAK,MAAQ9jB,EAAI8U,QAAQ,aAAe,QAAQnsC,GAAG,CAAC,eAAe,SAAS03B,GAAQL,EAAI8U,QAAQzU,CAAM,EAAE,MAAQ,CAACL,EAAIwkB,mBAAmB,SAASnkB,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAI0jB,GAAGrjB,EAAOsjB,QAAQ,MAAM,GAAGtjB,EAAOnxB,IAAI,CAAC,MAAM,WAAkB,KAAY8wB,EAAIylB,aAAah9C,MAAM,KAAMH,UAAU,OAAO,GAAG23B,EAAGD,EAAI+jB,OAAOE,GAAGjkB,EAAIG,GAAG,CAACva,IAAI,WAAWoI,IAAI,YAAYoS,YAAY,4BAA4BlX,MAAM,CAAC,cAAc8W,EAAIoe,WAAW,mCAAmC,KAAK,YAAYpe,EAAI+jB,OAAO3+B,QAAO,GAAO,CAAC6a,EAAG,OAAO,CAACG,YAAY,6BAA6B,CAACH,EAAG,OAAO,CAACG,YAAY,wBAAwBkmB,SAAS,CAAC,YAActmB,EAAItsB,GAAGssB,EAAI6K,gBAAgB7K,EAAIQ,GAAG,KAAKP,EAAG,OAAO,CAACG,YAAY,2BAA2BkmB,SAAS,CAAC,YAActmB,EAAItsB,GAAGssB,EAAIie,iBACzzC,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QClBhC,gBCoBA,MCpBuG,GDoBvG,CACEj3C,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,ICetPkwB,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,eACN2X,WAAY,CACRiqB,iBAAgBA,GAAAA,GAEpB14B,KAAIA,KACO,CACHq2C,8MAGR,aAAMliB,GAAU,IAAAmiB,QACN,KAAK7xB,YAEX,MAAMgB,EAAK,KAAKqQ,IAAInQ,cAAc,OAClCF,SAAgB,QAAd6wB,EAAF7wB,EAAI8wB,oBAAY,IAAAD,GAAhBA,EAAAt/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,MAAMyb,YAAmB1b,EAAG,mBAAmB,CAACG,YAAY,uBAAuBlX,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,IAAMhE,EAAIumB,UAC7M,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnByO,GjCmB1PloB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,mBACN2X,WAAY,CACR+nC,iBAAgB,KAChBC,gBAAe,GACfC,gBAAe,GACfC,aAAY,GACZC,SAAQ,GACR1K,WAAU,GACV2K,eAAc,GACdC,QAAO,GACPC,SAAQ,KACRC,YAAW,GACXC,QAAOA,IAEXpgC,MAAO,CACHoD,OAAQ,CACJnd,KAAMzH,OACNwoB,UAAU,GAEdyvB,SAAU,CACNxwC,KAAMyV,QACNuE,SAAS,GAEby2B,SAAU,CACNzwC,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAEM,CACHqsB,gBAFoBD,OAK5Bt2B,KAAIA,KACO,CACHk3C,sBAAkB5+C,IAG1B86B,SAAU,CACNmI,MAAAA,GAAS,IAAAqS,EAAAuJ,EACL,OAAkB,QAAlBvJ,EAAO,KAAK3zB,cAAM,IAAA2zB,GAAQ,QAARA,EAAXA,EAAarS,cAAM,IAAAqS,GAAU,QAAVuJ,EAAnBvJ,EAAqBt0C,gBAAQ,IAAA69C,OAAA,EAA7BA,EAAAngD,KAAA42C,EACX,EACAwJ,UAAAA,GACI,OAA2C,IAApC,KAAKn9B,OAAO8mB,WAAWsW,QAClC,EACArhB,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACAshB,YAAAA,GACI,OAA+C,IAAxC,KAAKthB,WAAWE,mBAC3B,EACAqhB,UAAAA,GACI,GAAI,KAAKt9B,OAAOnd,OAASigC,GAAAA,GAASC,OAC9B,OAAO,KAEX,IAA8B,IAA1B,KAAKka,iBACL,OAAO,KAEX,IACI,MAAMK,EAAa,KAAKt9B,OAAO8mB,WAAWwW,aACnC7nB,EAAAA,GAAAA,IAAY,gCAAiC,CAC5C6L,OAAQ,KAAKA,SAEfphC,EAAM,IAAIqC,IAAI9C,OAAO4C,SAASD,OAASk7C,GAO7C,OALAp9C,EAAIq9C,aAAa1xC,IAAI,IAAK,KAAKynC,SAAW,MAAQ,MAClDpzC,EAAIq9C,aAAa1xC,IAAI,IAAK,KAAKynC,SAAW,MAAQ,MAClDpzC,EAAIq9C,aAAa1xC,IAAI,eAAgB,QAErC3L,EAAIq9C,aAAa1xC,IAAI,KAA2B,IAAtB,KAAKwxC,aAAwB,IAAM,KACtDn9C,EAAIiC,IACf,CACA,MAAOnB,GACH,OAAO,IACX,CACJ,EACAw8C,WAAAA,GACI,YkCrEgDn/C,IlCqEhC,KAAK2hB,OkCrEjB8mB,WAAW,6BlCsEJ2W,GAEJ,IACX,EACAC,aAAAA,GAAgB,IAAAC,EAAAC,EAAAC,EAAAC,EACZ,GAAI,KAAK99B,OAAOnd,OAASigC,GAAAA,GAASC,OAC9B,OAAO,KAGX,GAAkD,KAAnC,QAAX4a,EAAA,KAAK39B,cAAM,IAAA29B,GAAY,QAAZA,EAAXA,EAAa7W,kBAAU,IAAA6W,OAAA,EAAvBA,EAA0B,iBAC1B,OAAOd,GAGX,GAAe,QAAfe,EAAI,KAAK59B,cAAM,IAAA49B,GAAY,QAAZA,EAAXA,EAAa9W,kBAAU,IAAA8W,GAAvBA,EAA0B,UAC1B,OAAOZ,GAGX,MAAMe,EAAa3iD,OAAO6O,QAAkB,QAAX4zC,EAAA,KAAK79B,cAAM,IAAA69B,GAAY,QAAZA,EAAXA,EAAa/W,kBAAU,IAAA+W,OAAA,EAAvBA,EAA0B,iBAAkB,CAAC,GAAG9lC,OACjF,GAAIgmC,EAAWhX,MAAKlkC,GAAQA,IAASm7C,GAAAA,EAAUC,iBAAmBp7C,IAASm7C,GAAAA,EAAUE,mBACjF,OAAOpB,GAAAA,EAGX,GAAIiB,EAAWxgD,OAAS,EACpB,OAAOi/C,GAEX,OAAmB,QAAnBsB,EAAQ,KAAK99B,cAAM,IAAA89B,GAAY,QAAZA,EAAXA,EAAahX,kBAAU,IAAAgX,OAAA,EAAvBA,EAA0B,eAC9B,IAAK,WACL,IAAK,mBACD,OAAOf,GACX,IAAK,QACD,OAAOR,GAAAA,EACX,IAAK,aACD,OAAOE,GAEf,OAAO,IACX,GAEJliB,QAAS,CAELmJ,KAAAA,GAEI,KAAKuZ,sBAAmB5+C,EACpB,KAAKm0C,MAAMC,aACX,KAAKD,MAAMC,WAAW0L,IAAM,GAEpC,EACAC,iBAAAA,CAAkBpiD,GAAO,IAAAqiD,EAEK,MAAV,QAAZA,EAAAriD,EAAMsG,cAAM,IAAA+7C,OAAA,EAAZA,EAAcF,OAGlB,KAAKlB,kBAAmB,EAC5B,EACApjB,EAACA,GAAAA,MmCtIT,IAXgB,QACd,InCRW,WAAkB,IAAIhE,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,OAAO,CAACG,YAAY,wBAAwB,CAAsB,WAApBJ,EAAI7V,OAAOnd,KAAmB,CAAEgzB,EAAIwd,SAAUxd,EAAIyoB,GAAG,GAAG,CAACzoB,EAAIyoB,GAAG,GAAGzoB,EAAIQ,GAAG,KAAMR,EAAI6nB,cAAe5nB,EAAGD,EAAI6nB,cAAc,CAAC75B,IAAI,cAAcoS,YAAY,iCAAiCJ,EAAI1jB,OAAQ0jB,EAAIynB,aAAuC,IAAzBznB,EAAIonB,iBAA2BnnB,EAAG,MAAM,CAACra,IAAI,aAAawa,YAAY,+BAA+B/Q,MAAM,CAAC,wCAAiE,IAAzB2Q,EAAIonB,kBAA4Bl+B,MAAM,CAAC,IAAM,GAAG,QAAU,OAAO,IAAM8W,EAAIynB,YAAY9+C,GAAG,CAAC,MAAQq3B,EAAIuoB,kBAAkB,KAAO,SAASloB,GAAQL,EAAIonB,kBAAmB,CAAK,KAAKpnB,EAAIyoB,GAAG,GAAGzoB,EAAIQ,GAAG,KAAMR,EAAIsnB,WAAYrnB,EAAG,OAAO,CAACG,YAAY,iCAAiC,CAACJ,EAAIyoB,GAAG,IAAI,GAAGzoB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAI2nB,YAAa1nB,EAAGD,EAAI2nB,YAAY,CAAC35B,IAAI,cAAcoS,YAAY,oEAAoEJ,EAAI1jB,MAAM,EACl8B,GACsB,CAAC,WAAY,IAAa2jB,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMyb,YAAmB1b,EAAG,iBACvG,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMyb,YAAmB1b,EAAG,aAClF,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMyb,YAAmB1b,EAAG,WAClF,EAAE,WAAY,IAAaA,EAALj6B,KAAYk6B,MAAMD,GAAgC,OAAlDj6B,KAAgCk6B,MAAMyb,YAAmB1b,EAAG,eAClF,ImCKE,EACA,KACA,KACA,MAI8B,QClByN,ICe1OmZ,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,YACN2X,WAAY,CACRiiC,oBAAmB,GACnB8H,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgB,GAChBC,WAAUA,GAAAA,GAEdvP,OAAQ,CACJwP,IAEJhiC,MAAO,CACHiiC,iBAAkB,CACdh8C,KAAMyV,QACNuE,SAAS,GAEbiiC,gBAAiB,CACbj8C,KAAMyV,QACNuE,SAAS,GAEbkiC,QAAS,CACLl8C,KAAMyV,QACNuE,SAAS,IAGjB5M,MAAKA,KAMM,CACHokC,iBANqB1C,KAOrBrC,cANkBjB,KAOlBkB,WANehO,KAOfuQ,cANkBD,KAOlBrC,eANmBpM,OAS3BjK,SAAU,CAKN6lB,YAAAA,GAOI,MAAO,IANc,KAAK/K,WACpB,CAAC,EACD,CACEgL,UAAW,KAAKxJ,YAChBpC,SAAU,KAAK1C,YAInBuO,YAAa,KAAKzK,aAClB0K,UAAW,KAAK7J,YAChB8J,QAAS,KAAKlJ,UACdmJ,KAAM,KAAKvO,OAEnB,EACAwO,OAAAA,GAAU,IAAAnP,EAEN,OAAI,KAAK5B,eAAiB,KAAO,KAAKwQ,QAC3B,IAEY,QAAhB5O,EAAA,KAAKrR,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkBmP,UAAW,EACxC,EACA/zC,IAAAA,GACI,MAAMA,EAAOgnC,SAAS,KAAKvyB,OAAOzU,KAAM,IACxC,MAAoB,iBAATA,GAAqB4L,MAAM5L,IAASA,EAAO,EAC3C,KAAKsuB,EAAE,QAAS,YAEpBJ,EAAAA,GAAAA,IAAeluB,GAAM,EAChC,EACAg0C,WAAAA,GACI,MACMh0C,EAAOgnC,SAAS,KAAKvyB,OAAOzU,KAAM,IACxC,IAAKA,GAAQ4L,MAAM5L,IAASA,EAAO,EAC/B,MAAO,CAAC,EAEZ,MAAMi0C,EAAQ9vB,KAAK+vB,MAAM/vB,KAAKiM,IAAI,IAAK,IAAMjM,KAAKgwB,IAAK,KAAK1/B,OAAOzU,KAL5C,SAKoE,KAC3F,MAAO,CACHhE,MAAK,6CAAArK,OAA+CsiD,EAAK,qCAEjE,EACAG,YAAAA,GAAe,IAAAC,EAAAC,EACX,MAAMC,EAAiB,QACjBtX,EAAyB,QAApBoX,EAAG,KAAK5/B,OAAOwoB,aAAK,IAAAoX,GAAS,QAATC,EAAjBD,EAAmBG,eAAO,IAAAF,OAAA,EAA1BA,EAAA9iD,KAAA6iD,GACd,IAAKpX,EACD,MAAO,CAAC,EAGZ,MAAMgX,EAAQ9vB,KAAK+vB,MAAM/vB,KAAKiM,IAAI,IAAK,KAAOmkB,GAAkBxyC,KAAKjG,MAAQmhC,IAAUsX,IACvF,OAAIN,EAAQ,EACD,CAAC,EAEL,CACHj4C,MAAK,6CAAArK,OAA+CsiD,EAAK,qCAEjE,EACAQ,UAAAA,GACI,OAAI,KAAKhgC,OAAOwoB,OACLyX,EAAAA,GAAAA,GAAO,KAAKjgC,OAAOwoB,OAAO0X,OAAO,OAErC,EACX,GAEJ3lB,QAAS,CACLd,eAAcA,GAAAA,MC1GtB,IAXgB,QACd,IDRW,WAAkB,IAAI5D,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,KAAKD,EAAIsqB,GAAG,CAAClqB,YAAY,kBAAkB/Q,MAAM,CAClJ,4BAA6B2Q,EAAIwd,SACjC,2BAA4Bxd,EAAIge,UAChC,0BAA2Bhe,EAAItQ,UAC9BxG,MAAM,CAAC,yBAAyB,GAAG,gCAAgC8W,EAAIyL,OAAO,8BAA8BzL,EAAI7V,OAAO+lB,SAAS,UAAYlQ,EAAIse,UAAUte,EAAImpB,cAAc,CAAEnpB,EAAI7V,OAAO8mB,WAAW8B,OAAQ9S,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,OAAS8W,EAAIyL,OAAO,aAAazL,EAAIge,UAAU,MAAQhe,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,EAAIwd,UAAU3B,SAAS,CAAC,SAAW,SAASxb,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,EAAE,MAAQ,SAAS+3B,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,KAAK03B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACra,IAAI,OAAOsD,MAAM,CAAC,eAAe8W,EAAI6K,YAAY,UAAY7K,EAAIie,UAAU,mBAAmBje,EAAI0Y,eAAe,MAAQ1Y,EAAIiL,MAAM,OAASjL,EAAI7V,QAAQ0xB,SAAS,CAAC,SAAW,SAASxb,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,EAAE,MAAQ,SAAS+3B,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,MAAM,GAAG03B,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACkmB,WAAW,CAAC,CAACn/C,KAAK,OAAOo/C,QAAQ,SAASh3C,OAAQ4wB,EAAIqe,sBAAuBgI,WAAW,2BAA2BzgC,IAAI,UAAUyJ,MAAK,2BAAAhoB,OAA4B24B,EAAI+d,UAAW70B,MAAM,CAAC,mBAAmB8W,EAAI0Y,eAAe,QAAU1Y,EAAIud,QAAQ,OAASvd,EAAIue,WAAW,OAASve,EAAI7V,QAAQxhB,GAAG,CAAC,iBAAiB,SAAS03B,GAAQL,EAAIud,QAAQld,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAIue,WAAWle,CAAM,KAAKL,EAAIQ,GAAG,MAAOR,EAAIkpB,SAAWlpB,EAAIipB,gBAAiBhpB,EAAG,KAAK,CAACG,YAAY,uBAAuBhK,MAAO4J,EAAI0pB,YAAaxgC,MAAM,CAAC,8BAA8B,IAAIvgB,GAAG,CAAC,MAAQq3B,EAAIsf,yBAAyB,CAACrf,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAItqB,WAAWsqB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,MAAOR,EAAIkpB,SAAWlpB,EAAIgpB,iBAAkB/oB,EAAG,KAAK,CAACG,YAAY,wBAAwBhK,MAAO4J,EAAI8pB,aAAc5gC,MAAM,CAAC,+BAA+B,IAAIvgB,GAAG,CAAC,MAAQq3B,EAAIsf,yBAAyB,CAAEtf,EAAI7V,OAAOwoB,MAAO1S,EAAG,aAAa,CAAC/W,MAAM,CAAC,UAAY8W,EAAI7V,OAAOwoB,MAAM,kBAAiB,KAAQ3S,EAAI1jB,MAAM,GAAG0jB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIypB,SAAS,SAASc,GAAO,IAAAC,EAAC,OAAOvqB,EAAG,KAAK,CAAC/wB,IAAIq7C,EAAO36C,GAAGwwB,YAAY,gCAAgC/Q,MAAK,mBAAAhoB,OAAmC,QAAnCmjD,EAAoBxqB,EAAIiJ,mBAAW,IAAAuhB,OAAA,EAAfA,EAAiB56C,GAAE,KAAAvI,OAAIkjD,EAAO36C,IAAKsZ,MAAM,CAAC,uCAAuCqhC,EAAO36C,IAAIjH,GAAG,CAAC,MAAQq3B,EAAIsf,yBAAyB,CAACrf,EAAG,sBAAsB,CAAC/W,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,OAASshB,EAAOtjC,OAAO,OAAS+Y,EAAI7V,WAAW,EAAE,KAAI,EACr+E,GACsB,ICKpB,EACA,KACA,KACA,MAI8B,QClB6N,ICW9OivB,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,gBACN2X,WAAY,CACR+pC,iBAAgB,GAChBC,kBAAiB,GACjBC,cAAa,GACbC,iBAAgBA,IAEpBtP,OAAQ,CACJwP,IAEJ0B,cAAc,EACdrwC,MAAKA,KAMM,CACHokC,iBANqB1C,KAOrBrC,cANkBjB,KAOlBkB,WANehO,KAOfuQ,cANkBD,KAOlBrC,eANmBpM,OAS3Br9B,KAAIA,KACO,CACHutC,UAAU,MCrBtB,IAXgB,QACd,IDRW,WAAkB,IAAIzd,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,KAAK,CAACG,YAAY,kBAAkB/Q,MAAM,CAAC,0BAA2B2Q,EAAItQ,SAAU,4BAA6BsQ,EAAIwd,SAAU,2BAA4Bxd,EAAIge,WAAW90B,MAAM,CAAC,yBAAyB,GAAG,gCAAgC8W,EAAIyL,OAAO,8BAA8BzL,EAAI7V,OAAO+lB,SAAS,UAAYlQ,EAAIse,SAAS31C,GAAG,CAAC,YAAcq3B,EAAI4e,aAAa,SAAW5e,EAAI8a,WAAW,UAAY9a,EAAIyf,YAAY,UAAYzf,EAAI4f,YAAY,QAAU5f,EAAIqgB,UAAU,KAAOrgB,EAAIib,SAAS,CAAEjb,EAAI7V,OAAO8mB,WAAW8B,OAAQ9S,EAAG,OAAO,CAACG,YAAY,4BAA4BJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,OAAS8W,EAAIyL,OAAO,aAAazL,EAAIge,UAAU,MAAQhe,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,EAAIwd,SAAS,aAAY,EAAK,OAASxd,EAAI7V,QAAQ0xB,SAAS,CAAC,SAAW,SAASxb,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,EAAE,MAAQ,SAAS+3B,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,KAAK03B,EAAIQ,GAAG,KAAKP,EAAG,gBAAgB,CAACra,IAAI,OAAOsD,MAAM,CAAC,eAAe8W,EAAI6K,YAAY,UAAY7K,EAAIie,UAAU,mBAAmBje,EAAI0Y,eAAe,aAAY,EAAK,MAAQ1Y,EAAIiL,MAAM,OAASjL,EAAI7V,QAAQ0xB,SAAS,CAAC,SAAW,SAASxb,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,EAAE,MAAQ,SAAS+3B,GAAQ,OAAOL,EAAIqf,kBAAkB52C,MAAM,KAAMH,UAAU,MAAM,GAAG03B,EAAIQ,GAAG,KAAKP,EAAG,mBAAmB,CAACra,IAAI,UAAUyJ,MAAK,2BAAAhoB,OAA4B24B,EAAI+d,UAAW70B,MAAM,CAAC,mBAAmB8W,EAAI0Y,eAAe,aAAY,EAAK,QAAU1Y,EAAIud,QAAQ,OAASvd,EAAIue,WAAW,OAASve,EAAI7V,QAAQxhB,GAAG,CAAC,iBAAiB,SAAS03B,GAAQL,EAAIud,QAAQld,CAAM,EAAE,gBAAgB,SAASA,GAAQL,EAAIue,WAAWle,CAAM,MAAM,EACh3D,GACsB,ICSpB,EACA,KACA,KACA,MAI8B,QClBhC,gBAMA,MCN+P,GDM/P,CACIr5B,KAAM,kBACN+f,MAAO,CACH2jC,OAAQ,CACJ19C,KAAMzH,OACNwoB,UAAU,GAEd48B,cAAe,CACX39C,KAAMzH,OACNwoB,UAAU,GAEdkb,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,IAGlBuV,SAAU,CACN0H,OAAAA,GACI,OAAO,KAAK0f,OAAO1f,QAAQ,KAAK2f,cAAe,KAAK1hB,YACxD,GAEJO,MAAO,CACHwB,OAAAA,CAAQA,GACCA,GAGL,KAAK0f,OAAO5wB,QAAQ,KAAK6wB,cAAe,KAAK1hB,YACjD,EACA0hB,aAAAA,GACI,KAAKD,OAAO5wB,QAAQ,KAAK6wB,cAAe,KAAK1hB,YACjD,GAEJ5E,OAAAA,GACIt5B,GAAQ4+B,MAAM,UAAW,KAAK+gB,OAAO96C,IACrC,KAAK86C,OAAOzjC,OAAO,KAAK01B,MAAMiO,MAAO,KAAKD,cAAe,KAAK1hB,YAClE,GEvBJ,IAXgB,QACd,IFRW,WAAkB,IAAIjJ,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAG,OAAOA,EAAG,MAAM,CAACkmB,WAAW,CAAC,CAACn/C,KAAK,OAAOo/C,QAAQ,SAASh3C,MAAO4wB,EAAIgL,QAASqb,WAAW,YAAYh3B,MAAK,sBAAAhoB,OAAuB24B,EAAI0qB,OAAO96C,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,CACHiiC,iBAAkB,CACdh8C,KAAMyV,QACNuE,SAAS,GAEbiiC,gBAAiB,CACbj8C,KAAMyV,QACNuE,SAAS,GAEbikB,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEdwuB,QAAS,CACLvvC,KAAME,OACN8Z,QAAS,IAEb0xB,eAAgB,CACZ1rC,KAAMiU,OACN+F,QAAS,IAGjB5M,KAAAA,GACI,MAAMsyB,EAAaD,KAEnB,MAAO,CACHiN,WAFehO,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,EACA08C,aAAAA,GAAgB,IAAArQ,EACZ,GAAqB,QAAjBA,EAAC,KAAKrR,mBAAW,IAAAqR,IAAhBA,EAAkB1qC,GACnB,OAEJ,GAAiB,MAAb,KAAK26B,IACL,OAAO,KAAKmP,WAAW1N,QAAQ,KAAK/C,YAAYr5B,IAEpD,MAAM+qC,EAAS,KAAKjO,WAAWE,QAAQ,KAAK3D,YAAYr5B,GAAI,KAAK26B,KACjE,OAAO,KAAKmP,WAAW7N,QAAQ8O,EACnC,EACA8O,OAAAA,GAAU,IAAArO,EAEN,OAAI,KAAK1C,eAAiB,IACf,IAEY,QAAhB0C,EAAA,KAAKnS,mBAAW,IAAAmS,OAAA,EAAhBA,EAAkBqO,UAAW,EACxC,EACAjN,SAAAA,GAAY,IAAAqO,EAER,OAAsB,QAAtBA,EAAI,KAAKF,qBAAa,IAAAE,GAAlBA,EAAoBn1C,MACbkuB,EAAAA,GAAAA,IAAe,KAAK+mB,cAAcj1C,MAAM,IAG5CkuB,EAAAA,GAAAA,IAAe,KAAKqH,MAAMh7B,QAAO,CAACwsC,EAAOnxC,IAASmxC,EAAQnxC,EAAKoK,MAAQ,GAAG,IAAI,EACzF,GAEJgvB,QAAS,CACLomB,cAAAA,CAAeP,GACX,MAAO,CACH,iCAAiC,EACjC,oBAAAljD,OAAoB,KAAK4hC,YAAYr5B,GAAE,KAAAvI,OAAIkjD,EAAO36C,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,MAAMyb,YAAmB1b,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,EAAIuc,cAAcvc,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,4BAA4BJ,EAAIQ,GAAG,KAAMR,EAAIipB,gBAAiBhpB,EAAG,KAAK,CAACG,YAAY,2CAA2C,CAACH,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIwc,gBAAgBxc,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIgpB,iBAAkB/oB,EAAG,KAAK,CAACG,YAAY,6CAA6CJ,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIypB,SAAS,SAASc,GAAO,IAAAQ,EAAC,OAAO9qB,EAAG,KAAK,CAAC/wB,IAAIq7C,EAAO36C,GAAGyf,MAAM2Q,EAAI8qB,eAAeP,IAAS,CAACtqB,EAAG,OAAO,CAACD,EAAIQ,GAAGR,EAAItsB,GAAiB,QAAfq3C,EAACR,EAAOhO,eAAO,IAAAwO,OAAA,EAAdA,EAAA7jD,KAAAqjD,EAAiBvqB,EAAIiL,MAAOjL,EAAIiJ,kBAAkB,KAAI,EACt6B,GACsB,IEUpB,EACA,KACA,WACA,MAI8B,QCnBhC,2BCyBA,SAAe5K,GAAAA,GAAIza,OAAO,CACtB0f,SAAU,KpK+vDI9lB,GoK9vDEmjB,GpK8vDQqqB,GoK9vDY,CAAC,YAAa,eAAgB,0BpK+vD3DpjD,MAAMoI,QAAQg7C,IACfA,GAAa/6C,QAAO,CAACg7C,EAAS/7C,KAC5B+7C,EAAQ/7C,GAAO,WACX,OAAOsO,GAASxX,KAAKkY,QAAQhP,EACjC,EACO+7C,IACR,CAAC,GACF1lD,OAAO4K,KAAK66C,IAAc/6C,QAAO,CAACg7C,EAAS/7C,KAEzC+7C,EAAQ/7C,GAAO,WACX,MAAMS,EAAQ6N,GAASxX,KAAKkY,QACtBgtC,EAAWF,GAAa97C,GAG9B,MAA2B,mBAAbg8C,EACRA,EAAShkD,KAAKlB,KAAM2J,GACpBA,EAAMu7C,EAChB,EACOD,IACR,CAAC,IoKjxDJhiB,WAAAA,GACI,OAAOjjC,KAAKojC,YAAY4D,MAC5B,EAIAme,WAAAA,GAAc,IAAAC,EAAA9Q,EACV,OAA0C,QAAnC8Q,EAAAplD,KAAK46B,UAAU56B,KAAKijC,YAAYr5B,WAAG,IAAAw7C,OAAA,EAAnCA,EAAqCC,gBACrB,QADiC/Q,EACjDt0C,KAAKijC,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkBgR,iBAClB,UACX,EAIAC,YAAAA,GAAe,IAAAC,EAEX,MAA4B,UADgC,QAAtCA,EAAGxlD,KAAK46B,UAAU56B,KAAKijC,YAAYr5B,WAAG,IAAA47C,OAAA,EAAnCA,EAAqCpqB,kBAElE,GAEJsD,QAAS,CACL+mB,YAAAA,CAAav8C,GAELlJ,KAAKmlD,cAAgBj8C,EAKzBlJ,KAAKi7B,aAAa/xB,EAAKlJ,KAAKijC,YAAYr5B,IAJpC5J,KAAKk7B,uBAAuBl7B,KAAKijC,YAAYr5B,GAKrD,KCxDkQ,ICM3PwpC,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,6BACN2X,WAAY,CACR+sC,SAAQ,KACRC,OAAM,KACNC,SAAQA,GAAAA,GAEZrS,OAAQ,CACJsS,IAEJ9kC,MAAO,CACH/f,KAAM,CACFgG,KAAME,OACN6gB,UAAU,GAEdoP,KAAM,CACFnwB,KAAME,OACN6gB,UAAU,IAGlB2W,QAAS,CACLV,EAAGqB,GAAAA,MtK8vDX,IAAkB7nB,GAAUwtC,euK9wDxB,GAAU,CAAC,EAEf,GAAQ1lB,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,MAAMyb,YAAmB1b,EAAG,WAAW,CAAC5Q,MAAM,CAAC,iCAAkC,CACtJ,yCAA0C2Q,EAAImrB,cAAgBnrB,EAAI7C,KAClE,uCAA4D,SAApB6C,EAAImrB,cAC1CjiC,MAAM,CAAC,UAAyB,SAAb8W,EAAI7C,KAAkB,MAAQ,gBAAgB,KAAO,YAAYx0B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIyrB,aAAazrB,EAAI7C,KAAK,GAAGoL,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAImrB,cAAgBnrB,EAAI7C,MAAQ6C,EAAIurB,aAActrB,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,INQrPoyC,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,uBACN2X,WAAY,CACRmtC,2BAA0B,GAC1BjlB,sBAAqBA,GAAAA,GAEzB0S,OAAQ,CACJsS,IAEJ9kC,MAAO,CACHiiC,iBAAkB,CACdh8C,KAAMyV,QACNuE,SAAS,GAEbiiC,gBAAiB,CACbj8C,KAAMyV,QACNuE,SAAS,GAEbikB,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,GAEd2qB,eAAgB,CACZ1rC,KAAMiU,OACN+F,QAAS,IAGjB5M,MAAKA,KAGM,CACHs/B,WAHehO,KAIfiO,eAHmBpM,OAM3BjK,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EACAyc,OAAAA,GAAU,IAAAnP,EAEN,OAAI,KAAK5B,eAAiB,IACf,IAEY,QAAhB4B,EAAA,KAAKrR,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkBmP,UAAW,EACxC,EACAlf,GAAAA,GAAM,IAAAvB,EAEF,QAAmB,QAAXA,EAAA,KAAKzhB,cAAM,IAAAyhB,GAAO,QAAPA,EAAXA,EAAarnB,aAAK,IAAAqnB,OAAA,EAAlBA,EAAoBuB,MAAO,KAAKt8B,QAAQ,WAAY,KAChE,EACA89C,aAAAA,GACI,MAAMl8C,GAAQm0B,EAAAA,GAAAA,IAAE,QAAS,8CACzB,MAAO,CACH,aAAcn0B,EACdm8C,QAAS,KAAKC,cACdC,cAAe,KAAKC,eACpB7+C,MAAOuC,EAEf,EACAu8C,aAAAA,GACI,OAAO,KAAKzS,eAAenM,QAC/B,EACAye,aAAAA,GACI,OAAO,KAAKG,cAAc1kD,SAAW,KAAKujC,MAAMvjC,MACpD,EACA2kD,cAAAA,GACI,OAAqC,IAA9B,KAAKD,cAAc1kD,MAC9B,EACAykD,cAAAA,GACI,OAAQ,KAAKF,gBAAkB,KAAKI,cACxC,GAEJ3nB,QAAS,CACL4nB,eAAAA,CAAgBnvB,GACZ,OAAI,KAAKguB,cAAgBhuB,EACd,KAAKouB,aAAe,YAAc,aAEtC,IACX,EACAT,cAAAA,CAAeP,GAAQ,IAAAnP,EACnB,MAAO,CACH,sBAAsB,EACtB,iCAAkCmP,EAAOxpC,KACzC,iCAAiC,EACjC,oBAAA1Z,OAAoC,QAApC+zC,EAAoB,KAAKnS,mBAAW,IAAAmS,OAAA,EAAhBA,EAAkBxrC,GAAE,KAAAvI,OAAIkjD,EAAO36C,MAAO,EAElE,EACA28C,WAAAA,CAAY/e,GACR,GAAIA,EAAU,CACV,MAAMG,EAAY,KAAK1C,MAAM/1B,KAAI5J,GAAQA,EAAKmgC,SAAQx2B,OAAOwN,SAC7D0iB,GAAOwE,MAAM,+BAAgC,CAAEgE,cAC/C,KAAKgM,eAAe/L,aAAa,MACjC,KAAK+L,eAAe3jC,IAAI23B,EAC5B,MAEIxI,GAAOwE,MAAM,qBACb,KAAKgQ,eAAe9L,OAE5B,EACA4V,cAAAA,GACI,KAAK9J,eAAe9L,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,MAAMyb,YAAmB1b,EAAG,KAAK,CAACG,YAAY,wBAAwB,CAACH,EAAG,KAAK,CAACG,YAAY,8CAA8Cz3B,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAIA,EAAOrzB,KAAKqM,QAAQ,QAAQ2mB,EAAI0jB,GAAGrjB,EAAOsjB,QAAQ,MAAM,GAAGtjB,EAAOnxB,IAAI,CAAC,MAAM,YAA0BmxB,EAAOhQ,SAASgQ,EAAO/P,UAAU+P,EAAOjQ,QAAQiQ,EAAOlQ,QAA/D,KAA0F6P,EAAIyjB,eAAeh7C,MAAM,KAAMH,UAAU,IAAI,CAAC23B,EAAG,wBAAwBD,EAAIG,GAAG,CAACx3B,GAAG,CAAC,iBAAiBq3B,EAAIusB,cAAc,wBAAwBvsB,EAAI+rB,eAAc,KAAS,GAAG/rB,EAAIQ,GAAG,KAAKP,EAAG,KAAK,CAACG,YAAY,uEAAuElX,MAAM,CAAC,YAAY8W,EAAIssB,gBAAgB,cAAc,CAACrsB,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,EAAIipB,gBAAiBhpB,EAAG,KAAK,CAACG,YAAY,0CAA0C/Q,MAAM,CAAE,+BAAgC2Q,EAAIipB,iBAAkB//B,MAAM,CAAC,YAAY8W,EAAIssB,gBAAgB,UAAU,CAACrsB,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,QAAQ,KAAO,WAAW,GAAGhE,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIgpB,iBAAkB/oB,EAAG,KAAK,CAACG,YAAY,2CAA2C/Q,MAAM,CAAE,+BAAgC2Q,EAAIgpB,kBAAmB9/B,MAAM,CAAC,YAAY8W,EAAIssB,gBAAgB,WAAW,CAACrsB,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAO8W,EAAIgE,EAAE,QAAS,YAAY,KAAO,YAAY,GAAGhE,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKR,EAAIsI,GAAItI,EAAIypB,SAAS,SAASc,GAAQ,OAAOtqB,EAAG,KAAK,CAAC/wB,IAAIq7C,EAAO36C,GAAGyf,MAAM2Q,EAAI8qB,eAAeP,GAAQrhC,MAAM,CAAC,YAAY8W,EAAIssB,gBAAgB/B,EAAO36C,MAAM,CAAI26C,EAAOxpC,KAAMkf,EAAG,6BAA6B,CAAC/W,MAAM,CAAC,KAAOqhC,EAAOj9C,MAAM,KAAOi9C,EAAO36C,MAAMqwB,EAAG,OAAO,CAACD,EAAIQ,GAAG,WAAWR,EAAItsB,GAAG62C,EAAOj9C,OAAO,aAAa,EAAE,KAAI,EAC74D,GACsB,IQUpB,EACA,KACA,WACA,MAI8B,QCnBhC,uCAIA,MCJ2P,GDI5O+wB,GAAAA,GAAIza,OAAO,CACtB5c,KAAM,cACNuyC,OAAQ,CAACC,IACTzyB,MAAO,CACHylC,cAAe,CACXx/C,KAAM,CAACzH,OAAQwgC,UACfhY,UAAU,GAEd0+B,QAAS,CACLz/C,KAAME,OACN6gB,UAAU,GAEd2+B,YAAa,CACT1/C,KAAMpF,MACNmmB,UAAU,GAEd4+B,WAAY,CACR3/C,KAAMzH,OACNyhB,QAASA,KAAA,CAAS,IAEtB4lC,cAAe,CACX5/C,KAAMiU,OACN+F,QAAS,GAEby2B,SAAU,CACNzwC,KAAMyV,QACNuE,SAAS,GAKb6lC,QAAS,CACL7/C,KAAME,OACN8Z,QAAS,KAGjB9W,IAAAA,GACI,MAAO,CACH2S,MAAO,KAAK+pC,cACZE,aAAc,EACdC,aAAc,EACdC,YAAa,EACbC,eAAgB,KAExB,EACA3pB,SAAU,CAEN4pB,OAAAA,GACI,OAAO,KAAKF,YAAc,CAC9B,EAEAG,WAAAA,GACI,OAAI,KAAK1P,SACE,KAAK2P,YAET,CACX,EACAC,UAAAA,GAGI,OAAO,KAAK5P,SAAY,IAAiB,EAC7C,EAEA6P,UAASA,IAEE,IAEXC,QAAAA,GACI,OAAO1zB,KAAK2zB,MAAM,KAAKR,YAAc,KAAKD,cAAgB,KAAKM,YAAe,KAAKF,YAAc,KAAKC,YAAe,EAAI,CAC7H,EACAA,WAAAA,GACI,OAAK,KAAK3P,SAGH5jB,KAAK4zB,MAAM,KAAK/U,eAAiB,KAAK4U,WAFlC,CAGf,EAIAI,UAAAA,GACI,OAAO7zB,KAAKD,IAAI,EAAG,KAAK/W,MAAQ,KAAKsqC,YACzC,EAKAQ,UAAAA,GAEI,OAAI,KAAKlQ,SACE,KAAK8P,SAAW,KAAKH,YAEzB,KAAKG,QAChB,EACAK,aAAAA,GACI,IAAK,KAAKV,QACN,MAAO,GAEX,MAAMjW,EAAQ,KAAKyV,YAAYvlD,MAAM,KAAKumD,WAAY,KAAKA,WAAa,KAAKC,YAEvEE,EADW5W,EAAMhiC,QAAO7B,GAAQ7N,OAAO6O,OAAO,KAAK05C,gBAAgBh/C,SAASsE,EAAK,KAAKq5C,YAC9Dv3C,KAAI9B,GAAQA,EAAK,KAAKq5C,WAC9CsB,EAAaxoD,OAAO4K,KAAK,KAAK29C,gBAAgB74C,QAAO/F,IAAQ2+C,EAAa/+C,SAAS,KAAKg/C,eAAe5+C,MAC7G,OAAO+nC,EAAM/hC,KAAI9B,IACb,MAAMyP,EAAQtd,OAAO6O,OAAO,KAAK05C,gBAAgBz0C,QAAQjG,EAAK,KAAKq5C,UAEnE,IAAe,IAAX5pC,EACA,MAAO,CACH3T,IAAK3J,OAAO4K,KAAK,KAAK29C,gBAAgBjrC,GACtCzP,QAIR,MAAMlE,EAAM6+C,EAAWrkC,OAASmQ,KAAKm0B,SAASxkD,SAAS,IAAIuiB,OAAO,GAElE,OADA,KAAK+hC,eAAe5+C,GAAOkE,EAAK,KAAKq5C,SAC9B,CAAEv9C,MAAKkE,OAAM,GAE5B,EAIA66C,aAAAA,GACI,OAAOp0B,KAAK4zB,MAAM,KAAKf,YAAYhlD,OAAS,KAAK0lD,YACrD,EACAc,UAAAA,GACI,MAAMC,EAAiB,KAAKT,WAAa,KAAKH,SAAW,KAAKb,YAAYhlD,OACpE0mD,EAAY,KAAK1B,YAAYhlD,OAAS,KAAKgmD,WAAa,KAAKC,WAC7DU,EAAmBx0B,KAAK4zB,MAAM5zB,KAAKiM,IAAI,KAAK4mB,YAAYhlD,OAAS,KAAKgmD,WAAYU,GAAa,KAAKhB,aAC1G,MAAO,CACHkB,WAAU,GAAAjnD,OAAKwyB,KAAK4zB,MAAM,KAAKC,WAAa,KAAKN,aAAe,KAAKC,WAAU,MAC/EkB,cAAeJ,EAAiB,EAAC,GAAA9mD,OAAMgnD,EAAmB,KAAKhB,WAAU,MACzEmB,UAAS,GAAAnnD,OAAK,KAAK4mD,cAAgB,KAAKZ,WAAa,KAAKP,aAAY,MAE9E,GAEJtjB,MAAO,CACHojB,aAAAA,CAAc/pC,GACV,KAAKwT,SAASxT,EAClB,EACAorC,aAAAA,GACQ,KAAKrB,eACL,KAAKj4B,WAAU,IAAM,KAAK0B,SAAS,KAAKu2B,gBAEhD,EACAQ,WAAAA,CAAYA,EAAaqB,GACE,IAAnBA,EAQJ,KAAKp4B,SAAS,KAAKxT,OALf9X,GAAQ4+B,MAAM,iDAMtB,GAEJtF,OAAAA,GAAU,IAAAqa,EAAAgQ,EACN,MAAMC,EAAmB,QAAbjQ,EAAG,KAAK/B,aAAK,IAAA+B,OAAA,EAAVA,EAAYiQ,OACrBxjB,EAAO,KAAKnF,IACZ4oB,EAAkB,QAAbF,EAAG,KAAK/R,aAAK,IAAA+R,OAAA,EAAVA,EAAYE,MAC1B,KAAK3B,eAAiB,IAAIlU,gBAAe8V,EAAAA,GAAAA,WAAS,KAAM,IAAAC,EAAAC,EAAAC,EACpD,KAAKlC,aAAmC,QAAvBgC,EAAGH,aAAM,EAANA,EAAQM,oBAAY,IAAAH,EAAAA,EAAI,EAC5C,KAAK/B,aAAkC,QAAtBgC,EAAGH,aAAK,EAALA,EAAOK,oBAAY,IAAAF,EAAAA,EAAI,EAC3C,KAAK/B,YAAgC,QAArBgC,EAAG7jB,aAAI,EAAJA,EAAM8jB,oBAAY,IAAAD,EAAAA,EAAI,EACzC7pB,GAAOwE,MAAM,uCACb,KAAKulB,UAAU,GAChB,KAAK,IACR,KAAKjC,eAAe/T,QAAQyV,GAC5B,KAAK1B,eAAe/T,QAAQ/N,GAC5B,KAAK8hB,eAAe/T,QAAQ0V,GACxB,KAAKhC,eACL,KAAKv2B,SAAS,KAAKu2B,eAGvB,KAAK5mB,IAAI5R,iBAAiB,SAAU,KAAK86B,SAAU,CAAEC,SAAS,IAC9D,KAAKrB,eAAiB,CAAC,CAC3B,EACA/lB,aAAAA,GACQ,KAAKklB,gBACL,KAAKA,eAAe9T,YAE5B,EACAzU,QAAS,CACLrO,QAAAA,CAASxT,GACL,MAAMusC,EAAYv1B,KAAK2zB,KAAK,KAAKd,YAAYhlD,OAAS,KAAK0lD,aAC3D,GAAIgC,EAAY,KAAK7B,SAEjB,YADApoB,GAAOwE,MAAM,iDAAkD,CAAE9mB,QAAOusC,YAAW7B,SAAU,KAAKA,WAGtG,KAAK1qC,MAAQA,EAEb,MAAMwsC,GAAax1B,KAAK4zB,MAAM5qC,EAAQ,KAAKuqC,aAAe,IAAO,KAAKC,WAAa,KAAKP,aACxF3nB,GAAOwE,MAAM,mCAAqC9mB,EAAO,CAAEwsC,YAAWjC,YAAa,KAAKA,cACxF,KAAKpnB,IAAIqpB,UAAYA,CACzB,EACAH,QAAAA,GAAW,IAAAI,EACa,QAApBA,EAAA,KAAKC,uBAAe,IAAAD,IAApB,KAAKC,gBAAoBC,uBAAsB,KAC3C,KAAKD,gBAAkB,KACvB,MAAME,EAAY,KAAKzpB,IAAIqpB,UAAY,KAAKvC,aACtCjqC,EAAQgX,KAAK4zB,MAAMgC,EAAY,KAAKpC,YAAc,KAAKD,YAE7D,KAAKvqC,MAAQgX,KAAKD,IAAI,EAAG/W,GACzB,KAAKyd,MAAM,SAAS,IAE5B,KE5LR,IAXgB,QACd,IFRW,WAAkB,IAAIN,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,MAAM,CAACG,YAAY,aAAalX,MAAM,CAAC,qBAAqB,KAAK,CAAC+W,EAAG,MAAM,CAACra,IAAI,SAASwa,YAAY,sBAAsB,CAACJ,EAAI4b,GAAG,WAAW,GAAG5b,EAAIQ,GAAG,KAAQR,EAAIzQ,aAAa,kBAAmB0Q,EAAG,MAAM,CAACG,YAAY,6BAA6B,CAACJ,EAAI4b,GAAG,mBAAmB,GAAG5b,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoB/Q,MAAM,CAAE,0CAA2C2Q,EAAIzQ,aAAa,oBAAqB,CAAEyQ,EAAI6sB,QAAS5sB,EAAG,UAAU,CAACG,YAAY,mBAAmB,CAACJ,EAAIQ,GAAG,WAAWR,EAAItsB,GAAGssB,EAAI6sB,SAAS,YAAY7sB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACra,IAAI,QAAQwa,YAAY,oBAAoBlX,MAAM,CAAC,2BAA2B,KAAK,CAAC8W,EAAI4b,GAAG,WAAW,GAAG5b,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACG,YAAY,oBAAoB/Q,MAAM2Q,EAAIyd,SAAW,0BAA4B,0BAA0BrnB,MAAO4J,EAAIkuB,WAAYhlC,MAAM,CAAC,2BAA2B,KAAK8W,EAAIsI,GAAItI,EAAI4tB,eAAe,SAAApsB,EAAqBh6B,GAAE,IAAd,IAAC0H,EAAG,KAAEkE,GAAKouB,EAAI,OAAOvB,EAAGD,EAAIwsB,cAAcxsB,EAAIG,GAAG,CAACjxB,IAAIA,EAAI8e,IAAI,YAAY9E,MAAM,CAAC,OAAS9V,EAAK,MAAQ5L,IAAI,YAAYw4B,EAAI2sB,YAAW,GAAO,IAAG,GAAG3sB,EAAIQ,GAAG,KAAKP,EAAG,QAAQ,CAACkmB,WAAW,CAAC,CAACn/C,KAAK,OAAOo/C,QAAQ,SAASh3C,MAAO4wB,EAAIktB,QAAS7G,WAAW,YAAYjmB,YAAY,oBAAoBlX,MAAM,CAAC,2BAA2B,KAAK,CAAC8W,EAAI4b,GAAG,WAAW,MAC30C,GACsB,IESpB,EACA,KACA,KACA,MAI8B,QCJ1B9pC,IAAU4uC,EAAAA,GAAAA,MAChB,IAAetH,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,8BACN2X,WAAY,CACRmiC,UAAS,KACTD,eAAc,KACdjY,iBAAgB,KAChBoY,cAAaA,GAAAA,GAEjBzH,OAAQ,CACJC,IAEJzyB,MAAO,CACHkiB,YAAa,CACTj8B,KAAMzH,OACNwoB,UAAU,GAEdq+B,cAAe,CACXp/C,KAAMpF,MACNof,QAASA,IAAO,KAGxB5M,MAAKA,KAIM,CACHokC,iBAJqB1C,KAKrBpC,WAJehO,KAKfiO,eAJmBpM,OAO3Br9B,KAAIA,KACO,CACHqtC,QAAS,OAGjBja,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,EACAizC,cAAAA,GACI,OAAOpvC,GACFmD,QAAOlD,GAAUA,EAAO+kC,YACxB7hC,QAAOlD,IAAWA,EAAOi5B,SAAWj5B,EAAOi5B,QAAQ,KAAKC,MAAO,KAAKhC,eACpEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,IACrD,EACA2B,KAAAA,GACI,OAAO,KAAKmhB,cACPl3C,KAAIu2B,GAAU,KAAKI,QAAQJ,KAC3Bx2B,OAAOwN,QAChB,EACAitC,mBAAAA,GACI,OAAO,KAAKzkB,MAAMiG,MAAK5lC,GAAQA,EAAKF,SAAWgpC,GAAAA,GAAWC,SAC9D,EACAkK,WAAY,CACR5qC,GAAAA,GACI,MAAwC,WAAjC,KAAK6qC,iBAAiBzC,MACjC,EACA/lC,GAAAA,CAAI+lC,GACA,KAAKyC,iBAAiBzC,OAASA,EAAS,SAAW,IACvD,GAEJ4T,aAAAA,GACI,OAAI,KAAKjX,eAAiB,IACf,EAEP,KAAKA,eAAiB,IACf,EAEP,KAAKA,eAAiB,KACf,EAEJ,CACX,GAEJhU,QAAS,CAOLmH,OAAAA,CAAQ8O,GACJ,OAAO,KAAKjB,WAAW7N,QAAQ8O,EACnC,EACA,mBAAMuH,CAAcnwC,GAChB,MAAM84B,EAAc94B,EAAO84B,YAAY,KAAKI,MAAO,KAAKhC,aAClD2mB,EAAe,KAAKxD,cAC1B,IAEI,KAAK7O,QAAUxrC,EAAOnC,GACtB,KAAKq7B,MAAM52B,SAAQ/I,IACf+yB,GAAAA,GAAAA,IAAQ/yB,EAAM,SAAU8oC,GAAAA,GAAWC,QAAQ,IAG/C,MAAMjF,QAAgBr9B,EAAO+kC,UAAU,KAAK7L,MAAO,KAAKhC,YAAa,KAAKsB,KAE1E,IAAK6E,EAAQ8B,MAAKnjC,GAAqB,OAAXA,IAGxB,YADA,KAAK4rC,eAAe9L,QAIxB,GAAIuB,EAAQ8B,MAAKnjC,IAAqB,IAAXA,IAAmB,CAE1C,MAAM8hD,EAAYD,EACb36C,QAAO,CAACw2B,EAAQ5oB,KAA6B,IAAnBusB,EAAQvsB,KAEvC,GADA,KAAK82B,eAAe3jC,IAAI65C,GACpBzgB,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,KAAK8O,eAAe9L,OACxB,CACA,MAAO1iC,GACHg6B,GAAOn6B,MAAM,+BAAgC,CAAE+G,SAAQ5G,OACvDi6B,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,gCAAiC,CAAE6G,gBACjE,CAAC,QAGG,KAAK0S,QAAU,KACf,KAAKtS,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,MAAMyb,YAAmB1b,EAAG,MAAM,CAACG,YAAY,oDAAoD,CAACH,EAAG,YAAY,CAACra,IAAI,cAAcsD,MAAM,CAAC,WAAa8W,EAAIud,SAAWvd,EAAI0vB,oBAAoB,cAAa,EAAK,OAAS1vB,EAAI2vB,cAAc,YAAY3vB,EAAI2vB,eAAiB,EAAI3vB,EAAIgE,EAAE,QAAS,WAAa,KAAK,KAAOhE,EAAIue,YAAY51C,GAAG,CAAC,cAAc,SAAS03B,GAAQL,EAAIue,WAAWle,CAAM,IAAIL,EAAIsI,GAAItI,EAAIkhB,gBAAgB,SAASnvC,GAAQ,OAAOkuB,EAAG,iBAAiB,CAAC/wB,IAAI6C,EAAOnC,GAAGyf,MAAM,iCAAmCtd,EAAOnC,GAAGjH,GAAG,CAAC,MAAQ,SAAS03B,GAAQ,OAAOL,EAAIkiB,cAAcnwC,EAAO,GAAGw2B,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIud,UAAYxrC,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,IrGkBjPmQ,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,mBACN2X,WAAY,CACRmxC,gBAAe,GACfC,qBAAoB,GACpBC,qBAAoB,GACpBC,YAAW,GACXC,4BAA2BA,IAE/B3W,OAAQ,CACJC,IAEJzyB,MAAO,CACHkiB,YAAa,CACTj8B,KAAM6Z,GAAAA,GACNkH,UAAU,GAEd48B,cAAe,CACX39C,KAAMkgC,GAAAA,GACNnf,UAAU,GAEdkd,MAAO,CACHj+B,KAAMpF,MACNmmB,UAAU,IAGlB3T,MAAKA,KAGM,CACHqsB,gBAHoBD,KAIpBmT,eAHmBpM,OAM3Br9B,KAAIA,KACO,CACHigD,UAAS,GACTC,cAAa,GACbne,SAASoe,EAAAA,GAAAA,MACTzD,cAAe,EACf0D,WAAY,OAGpBhtB,SAAU,CACN4C,UAAAA,GACI,OAAO,KAAKO,gBAAgBP,UAChC,EACAyU,MAAAA,GACI,OAAO+B,SAAS,KAAKn1B,OAAOnC,OAAOqmB,SAAW,IAClD,EAKA8kB,QAAAA,GACI,QAAS,KAAKhpC,OAAO5F,MAAM6uC,QAC/B,EACAjU,OAAAA,GACI,OAAO5I,GAAc,KAAK1I,MAC9B,EACA+d,gBAAAA,GAEI,QAAI,KAAKtQ,eAAiB,MAGnB,KAAKzN,MAAMiG,MAAK5lC,QAAuB9C,IAAf8C,EAAKqnC,OACxC,EACAsW,eAAAA,GAEI,QAAI,KAAKvQ,eAAiB,MAGnB,KAAKzN,MAAMiG,MAAK5lC,QAAsB9C,IAAd8C,EAAKoK,MACxC,EACA+6C,aAAAA,GACI,OAAK,KAAK9F,eAAkB,KAAK1hB,YAG1B,IAAI,KAAKgJ,SAASlxB,MAAK,CAAC5U,EAAG6U,IAAM7U,EAAEm9B,MAAQtoB,EAAEsoB,QAFzC,EAGf,EACAujB,OAAAA,GACI,MAAM6D,GAAiB1sB,EAAAA,GAAAA,IAAE,QAAS,8BAC5B2sB,EAAc,KAAK1nB,YAAY4jB,SAAW6D,EAC1CE,GAAkB5sB,EAAAA,GAAAA,IAAE,QAAS,6CAC7B6sB,GAAkB7sB,EAAAA,GAAAA,IAAE,QAAS,yHACnC,SAAA38B,OAAUspD,EAAW,MAAAtpD,OAAKupD,EAAe,MAAAvpD,OAAKwpD,EAClD,EACAzE,aAAAA,GACI,OAAO,KAAKzS,eAAenM,QAC/B,EACA6e,cAAAA,GACI,OAAqC,IAA9B,KAAKD,cAAc1kD,MAC9B,GAEJ8hC,MAAO,CACHmR,MAAAA,CAAOA,GACH,KAAKmW,aAAanW,GAAQ,EAC9B,EACA4V,QAAAA,CAAS9lD,GACDA,GACA,KAAKkqB,WAAU,IAAM,KAAKo8B,eAAe,KAAKpW,SAEtD,GAEJtW,OAAAA,GAEwBz6B,OAAO6B,SAASoqB,cAAc,oBACtCzB,iBAAiB,WAAY,KAAK0mB,YAE9C,MAAM,GAAElrC,IAAO8wB,EAAAA,GAAAA,GAAU,QAAS,eAAgB,CAAC,GACnD,KAAKowB,aAAalhD,QAAAA,EAAM,KAAK+qC,QAC7B,KAAKqW,mBAAmBphD,QAAAA,EAAM,KAAK+qC,QACnC,KAAKoW,eAAenhD,QAAAA,EAAM,KAC9B,EACAm4B,aAAAA,GACwBn+B,OAAO6B,SAASoqB,cAAc,oBACtCvB,oBAAoB,WAAY,KAAKwmB,WACrD,EACApW,QAAS,CAGLssB,kBAAAA,CAAmBrW,GACf,GAAIlvC,SAASsqB,gBAAgB8iB,YAAc,MAAQ,KAAK8R,cAAclf,SAAWkP,EAAQ,KAAA4E,EAGrF,MAAMj0C,EAAO,KAAK2/B,MAAM9B,MAAKpN,GAAKA,EAAE0P,SAAWkP,IAC3CrvC,SAAQk0C,IAAsB,QAATD,EAAbC,GAAexU,eAAO,IAAAuU,GAAtBA,EAAAr4C,KAAAs4C,GAAyB,CAACl0C,GAAO,KAAK29B,eAC9C9D,GAAOwE,MAAM,2BAA6Br+B,EAAKwK,KAAM,CAAExK,SACvDk0C,GAAc7+B,KAAKrV,EAAM,KAAK29B,YAAa,KAAK0hB,cAAc70C,MAEtE,CACJ,EACAg7C,YAAAA,CAAanW,GAAqB,IAAbnsC,IAAIlG,UAAAZ,OAAA,QAAAc,IAAAF,UAAA,KAAAA,UAAA,GACrB,GAAIqyC,EAAQ,CACR,MAAM93B,EAAQ,KAAKooB,MAAM2W,WAAUt2C,GAAQA,EAAKmgC,SAAWkP,IACvDnsC,IAAmB,IAAXqU,GAAgB83B,IAAW,KAAKgQ,cAAclf,SACtDrG,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,mBAE9B,KAAK4oB,cAAgB/yB,KAAKD,IAAI,EAAG/W,EACrC,CACJ,EAKAkuC,cAAAA,CAAepW,GACX,GAAe,OAAXA,GAAmB,KAAK2V,aAAe3V,EACvC,OAEJ,MAAMrvC,EAAO,KAAK2/B,MAAM9B,MAAKpN,GAAKA,EAAE0P,SAAWkP,IAC/C,QAAanyC,IAAT8C,GAAsBA,EAAK0B,OAASigC,GAAAA,GAASC,OAC7C,OAEJ/H,GAAOwE,MAAM,gBAAkBr+B,EAAKwK,KAAM,CAAExK,SAC5C,KAAKglD,WAAa3V,EAClB,MAAMsW,GAAgBvQ,EAAAA,GAAAA,MAEjBzrC,QAAOlD,KAAYA,UAAAA,EAAQiV,WAE3B/R,QAAQlD,IAAYA,EAAOi5B,SAAWj5B,EAAOi5B,QAAQ,CAAC1/B,GAAO,KAAK29B,eAElEloB,MAAK,CAAC5U,EAAG6U,KAAO7U,EAAEm9B,OAAS,IAAMtoB,EAAEsoB,OAAS,KAE5C4nB,GAAG,GAGRD,SAAAA,EAAetwC,KAAKrV,EAAM,KAAK29B,YAAa,KAAK0hB,cAAc70C,KACnE,EACAglC,UAAAA,CAAW30C,GAAO,IAAA+0C,EAGd,GADwC,QAArBA,EAAG/0C,EAAM40C,oBAAY,IAAAG,OAAA,EAAlBA,EAAoBiW,MAAMriD,SAAS,SAIrD,OAEJ3I,EAAMwqB,iBACNxqB,EAAMy/B,kBACN,MAAMwrB,EAAW,KAAKzU,MAAM0U,MAAMrrB,IAAIhQ,wBAAwBE,IACxDo7B,EAAcF,EAAW,KAAKzU,MAAM0U,MAAMrrB,IAAIhQ,wBAAwBu7B,OAExEprD,EAAMg5C,QAAUiS,EAAW,IAC3B,KAAKzU,MAAM0U,MAAMrrB,IAAIqpB,UAAY,KAAK1S,MAAM0U,MAAMrrB,IAAIqpB,UAAY,GAIlElpD,EAAMg5C,QAAUmS,EAAc,KAC9B,KAAK3U,MAAM0U,MAAMrrB,IAAIqpB,UAAY,KAAK1S,MAAM0U,MAAMrrB,IAAIqpB,UAAY,GAE1E,EACArrB,EAACA,GAAAA,sBsGrML,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,OCN1D,UAXgB,QACd,IxGVW,WAAkB,IAAI3F,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,cAAc,CAACra,IAAI,QAAQsD,MAAM,CAAC,iBAAiB8W,EAAIkG,WAAWK,UAAYvG,EAAIowB,cAAgBpwB,EAAImwB,UAAU,WAAW,SAAS,eAAenwB,EAAIiL,MAAM,YAAYjL,EAAIkG,WAAWK,UAAU,cAAc,CACjTyiB,iBAAkBhpB,EAAIgpB,iBACtBC,gBAAiBjpB,EAAIipB,gBACrBhe,MAAOjL,EAAIiL,MACXyN,eAAgB1Y,EAAI0Y,gBACnB,kBAAkB1Y,EAAI4sB,cAAc,QAAU5sB,EAAI6sB,SAAStkB,YAAYvI,EAAIwI,GAAG,CAAGxI,EAAIqsB,eAA8U,KAA9T,CAACn9C,IAAI,iBAAiBrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,OAAO,CAACG,YAAY,wBAAwB,CAACJ,EAAIQ,GAAGR,EAAItsB,GAAGssB,EAAIgE,EAAE,QAAS,mBAAoB,CAAEwtB,MAAOxxB,EAAIosB,cAAc1kD,aAAcs4B,EAAIQ,GAAG,KAAKP,EAAG,8BAA8B,CAAC/W,MAAM,CAAC,eAAe8W,EAAIiJ,YAAY,iBAAiBjJ,EAAIosB,iBAAiB,EAAEp4C,OAAM,GAAW,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,OAAOm6B,EAAIsI,GAAItI,EAAIywB,eAAe,SAAS/F,GAAQ,OAAOzqB,EAAG,kBAAkB,CAAC/wB,IAAIw7C,EAAO96C,GAAGsZ,MAAM,CAAC,iBAAiB8W,EAAI2qB,cAAc,eAAe3qB,EAAIiJ,YAAY,OAASyhB,IAAS,GAAE,EAAE12C,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,uBAAuB,CAACra,IAAI,QAAQsD,MAAM,CAAC,mBAAmB8W,EAAI0Y,eAAe,qBAAqB1Y,EAAIgpB,iBAAiB,oBAAoBhpB,EAAIipB,gBAAgB,MAAQjpB,EAAIiL,SAAS,EAAEj3B,OAAM,GAAM,CAAC9E,IAAI,SAASrJ,GAAG,WAAW,MAAO,CAACo6B,EAAG,uBAAuB,CAAC/W,MAAM,CAAC,mBAAmB8W,EAAI0Y,eAAe,qBAAqB1Y,EAAIgpB,iBAAiB,oBAAoBhpB,EAAIipB,gBAAgB,MAAQjpB,EAAIiL,MAAM,QAAUjL,EAAIuc,WAAW,EAAEvoC,OAAM,IAAO,MAAK,IAC1nC,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,ICQlP88B,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,oBACN2X,WAAY,CACR8yC,kBAAiBA,IAErB1qC,MAAO,CACH4jC,cAAe,CACX39C,KAAMkgC,GAAAA,GACNnf,UAAU,IAGlB7d,KAAIA,KACO,CACHstC,UAAU,IAGlBla,SAAU,CACN2F,WAAAA,GACI,OAAO,KAAKG,YAAY4D,MAC5B,EAIA0kB,SAAAA,GACI,OAAO,KAAK/G,kBAAkB,KAAKA,cAAcvf,YAAcC,GAAAA,GAAW2K,OAC9E,EACA2b,eAAAA,GAAkB,IAAA9G,EACd,OAAqE,KAA5C,QAAlBA,EAAA,KAAKF,qBAAa,IAAAE,GAAY,QAAZA,EAAlBA,EAAoB5Z,kBAAU,IAAA4Z,OAAA,EAA9BA,EAAiC,yBAC5C,EACA+G,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,KAAK0mB,YAC9C+W,EAAYz9B,iBAAiB,YAAa,KAAKqrB,aAC/CoS,EAAYz9B,iBAAiB,OAAQ,KAAK09B,cAC9C,EACA/pB,aAAAA,GACI,MAAM8pB,EAAcjoD,OAAO6B,SAASoqB,cAAc,oBAClDg8B,EAAYv9B,oBAAoB,WAAY,KAAKwmB,YACjD+W,EAAYv9B,oBAAoB,YAAa,KAAKmrB,aAClDoS,EAAYv9B,oBAAoB,OAAQ,KAAKw9B,cACjD,EACAptB,QAAS,CACLoW,UAAAA,CAAW30C,GAAO,IAAA+0C,EAEd/0C,EAAMwqB,kBACkC,QAArBuqB,EAAG/0C,EAAM40C,oBAAY,IAAAG,OAAA,EAAlBA,EAAoBiW,MAAMriD,SAAS,YAGrD,KAAK0uC,UAAW,EAExB,EACAiC,WAAAA,CAAYt5C,GAAO,IAAA4rD,EAIf,MAAMthC,EAAgBtqB,EAAMsqB,cACxBA,SAAAA,EAAeivB,SAA6B,QAArBqS,EAAE5rD,EAAMw5C,qBAAa,IAAAoS,EAAAA,EAAI5rD,EAAMsG,SAGtD,KAAK+wC,WACL,KAAKA,UAAW,EAExB,EACAsU,aAAAA,CAAc3rD,GACVg/B,GAAOwE,MAAM,kDAAmD,CAAExjC,UAClEA,EAAMwqB,iBACF,KAAK6sB,WACL,KAAKA,UAAW,EAExB,EACA,YAAMvC,CAAO90C,GAAO,IAAA6rD,EAAA7W,EAAAb,EAEhB,GAAI,KAAKsX,gBAEL,YADAxsB,EAAAA,GAAAA,IAAU,KAAKwsB,iBAGnB,GAAmC,QAAnCI,EAAI,KAAKhsB,IAAInQ,cAAc,gBAAQ,IAAAm8B,GAA/BA,EAAiCtS,SAASv5C,EAAMsG,QAChD,OAEJtG,EAAMwqB,iBACNxqB,EAAMy/B,kBAEN,MAAMqR,EAAQ,KAAsB,QAAlBkE,EAAAh1C,EAAM40C,oBAAY,IAAAI,OAAA,EAAlBA,EAAoBlE,QAAS,IAGzCQ,QAAiBT,GAAuBC,GAExC7I,QAAiC,QAAtBkM,EAAM,KAAKrR,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkBtH,YAAY,KAAK2X,cAAc70C,OAClE49B,EAAStF,aAAQ,EAARA,EAAUsF,OACzB,IAAKA,EAED,YADAtO,EAAAA,GAAAA,IAAU,KAAKpB,EAAE,QAAS,0CAK9B,GAAI79B,EAAMqqB,OACN,OAEJ2U,GAAOwE,MAAM,UAAW,CAAExjC,QAAOutC,SAAQ+D,aAEzC,MAEMwa,SAFgBpa,GAAoBJ,EAAU/D,EAAQtF,EAASA,WAE1C8jB,UAAUja,IAAM,IAAAka,EAAA,OAAKla,EAAO7sC,SAAWgnD,GAAAA,EAAaC,SACvEpa,EAAO9kC,KAAKm/C,mBAAmBxjD,SAAS,OAC1B,QAD8BqjD,EAC7Cla,EAAOptC,gBAAQ,IAAAsnD,GAAS,QAATA,EAAfA,EAAiBlgB,eAAO,IAAAkgB,OAAA,EAAxBA,EAA2B,eAEoC,IAA/Dla,EAAO9tB,OAAOlc,QAAQylC,EAAOvpB,OAAQ,IAAIvL,MAAM,KAAKlX,MAAY,IACzC,IAAA6qD,EAAA3U,OAAXp1C,IAAfypD,IACA9sB,GAAOwE,MAAM,6CAA8C,CAAEsoB,eAC7D,KAAKzjC,QAAQhoB,KAAK,IACX,KAAK+gB,OACRnC,OAAQ,CACJya,KAA8B,QAA1B0yB,EAAoB,QAApB3U,EAAE,KAAKr2B,OAAOnC,cAAM,IAAAw4B,OAAA,EAAlBA,EAAoB/d,YAAI,IAAA0yB,EAAAA,EAAI,QAClC9mB,OAAQiR,SAASuV,EAAWpnD,SAASonC,QAAQ,kBAIzD,KAAKuL,UAAW,CACpB,EACAxZ,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,MAAMyb,YAAmB1b,EAAG,MAAM,CAACkmB,WAAW,CAAC,CAACn/C,KAAK,OAAOo/C,QAAQ,SAASh3C,MAAO4wB,EAAIwd,SAAU6I,WAAW,aAAajmB,YAAY,+BAA+BlX,MAAM,CAAC,+BAA+B,IAAIvgB,GAAG,CAAC,KAAOq3B,EAAIib,SAAS,CAAChb,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,InJqC1OvZ,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,YACN2X,WAAY,CACRi0C,YAAW,GACXC,kBAAiB,GACjBC,iBAAgB,GAChB7L,SAAQ,KACR8L,aAAY,GACZC,aAAY,KACZpH,SAAQ,KACRqH,eAAc,KACdrqB,iBAAgB,KAChBoY,cAAa,KACbkS,SAAQ,KACRvM,gBAAe,GACfwM,aAAY,KACZC,aAAYA,IAEhB7Z,OAAQ,CACJC,GACAqS,IAEJzxC,KAAAA,GAAQ,IAAA8sB,EAQJ,MAAO,CACHwS,WARehO,KASfgB,WAReD,KASfkN,eARmBpM,KASnBqM,cARkB7L,KASlBtH,gBARoBD,KASpBnF,gBARoBV,KASpBkH,eARqF,QAArEX,GAAIxG,EAAAA,GAAAA,GAAU,OAAQ,SAAU,IAAI,yCAAiC,IAAAwG,GAAAA,EAU7F,EACAh3B,KAAIA,KACO,CACHmjD,WAAY,GACZ9V,SAAS,EACT+V,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,EAAA3U,EAAA,OAAK/d,EAAKjwB,MAAgC,QAA9B2iD,EAAwB,QAAxB3U,EAAM,KAAKr2B,OAAOnC,cAAM,IAAAw4B,OAAA,EAAlBA,EAAoB/d,YAAI,IAAA0yB,EAAAA,EAAI,QAAQ,GAC7H,EACAkB,WAAAA,GAAc,IAAAC,EAAApZ,EACV,OAA6B,QAA7BoZ,EAAuB,QAAvBpZ,EAAO,KAAKrR,mBAAW,IAAAqR,OAAA,EAAhBA,EAAkBtzC,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,EAIA0sC,MAAAA,GAAS,IAAAgZ,EAAAC,EACL,MAAMC,EAAS5yC,OAAOy7B,SAAmC,QAA3BiX,EAAY,QAAZC,EAAC,KAAKrsC,cAAM,IAAAqsC,OAAA,EAAXA,EAAaxuC,OAAOqmB,cAAM,IAAAkoB,EAAAA,EAAI,IAC7D,OAAO1yC,OAAOK,MAAMuyC,GAAU,KAAOA,CACzC,EAIAlJ,aAAAA,GAAgB,IAAAvP,EACZ,GAAqB,QAAjBA,EAAC,KAAKnS,mBAAW,IAAAmS,IAAhBA,EAAkBxrC,GACnB,OAEJ,GAAiB,MAAb,KAAK26B,IACL,OAAO,KAAKmP,WAAW1N,QAAQ,KAAK/C,YAAYr5B,IAEpD,MAAM+qC,EAAS,KAAKjO,WAAWE,QAAQ,KAAK3D,YAAYr5B,GAAI,KAAK26B,KACjE,OAAO,KAAKmP,WAAW7N,QAAQ8O,EACnC,EAKAmZ,iBAAAA,GA2BI,MAAO,CA1Ba,IAEZ,KAAK5tB,WAAWG,qBAAuB,CAAC9Q,IAAC,IAAAw+B,EAAA,OAA+B,KAAf,QAAZA,EAAAx+B,EAAE0b,kBAAU,IAAA8iB,OAAA,EAAZA,EAAcxM,SAAc,GAAI,MAE7E,KAAKrhB,WAAWI,mBAAqB,CAAC/Q,GAAgB,WAAXA,EAAEvoB,MAAqB,MAE7C,aAArB,KAAKm+C,YAA6B,CAAC51B,GAAKA,EAAE,KAAK41B,cAAgB,GAEnE51B,IAAC,IAAAy+B,EAAA,OAAgB,QAAZA,EAAAz+B,EAAE0b,kBAAU,IAAA+iB,OAAA,EAAZA,EAAcnpB,cAAetV,EAAE2a,QAAQ,EAE5C3a,GAAKA,EAAE2a,UAEI,IAEP,KAAKhK,WAAWG,qBAAuB,CAAC,OAAS,MAEjD,KAAKH,WAAWI,mBAAqB,CAAC,OAAS,MAE1B,UAArB,KAAK6kB,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,EAIA0I,iBAAAA,GAAoB,IAAAC,EAChB,IAAK,KAAKjrB,YACN,MAAO,GAEX,IAAIkrB,EAAqB,IAAI,KAAKC,aAE9B,KAAKf,aACLc,EAAqBA,EAAmBl/C,QAAO3J,GACpCA,EAAK4kC,SAASrhC,cAAcC,SAAS,KAAKukD,WAAWxkD,iBAEhE9D,GAAQ4+B,MAAM,sBAAuBwqB,IAEzC,MAAME,IAAgC,QAAhBH,EAAA,KAAKjrB,mBAAW,IAAAirB,OAAA,EAAhBA,EAAkBzK,UAAW,IAC9CtgB,MAAKohB,GAAUA,EAAO36C,KAAO,KAAKu7C,cAEvC,GAAIkJ,SAAAA,EAActzC,MAAqC,mBAAtBszC,EAAatzC,KAAqB,CAC/D,MAAMquB,EAAU,IAAI,KAAKglB,aAAarzC,KAAKszC,EAAatzC,MACxD,OAAO,KAAKwqC,aAAenc,EAAUA,EAAQ5W,SACjD,CACA,OkB1JL,SAAiB87B,EAAYC,EAAaC,GAAQ,IAAAC,EAAAC,EAErDH,EAAyB,QAAdE,EAAGF,SAAW,IAAAE,EAAAA,EAAI,CAAErlD,GAAUA,GAEzColD,EAAe,QAATE,EAAGF,SAAM,IAAAE,EAAAA,EAAI,GACnB,MAAMC,EAAUJ,EAAYr/C,KAAI,CAACgS,EAAGrE,KAAK,IAAA+xC,EAAA,MAAkC,SAAf,QAAdA,EAACJ,EAAO3xC,UAAM,IAAA+xC,EAAAA,EAAI,OAAmB,GAAK,CAAC,IACnFC,EAAWC,KAAKC,SAAS,EAACC,EAAAA,GAAAA,OAAeC,EAAAA,GAAAA,OAAuB,CAElEC,SAAS,EACTC,MAAO,SAEX,MAAO,IAAIb,GAAYvzC,MAAK,CAAC5U,EAAG6U,KAC5B,IAAK,MAAO6B,EAAOuyC,KAAeb,EAAY3zC,UAAW,CAErD,MAAMxR,EAAQylD,EAASQ,QAAQjjD,GAAUgjD,EAAWjpD,IAAKiG,GAAUgjD,EAAWp0C,KAE9E,GAAc,IAAV5R,EACA,OAAOA,EAAQulD,EAAQ9xC,EAG/B,CAEA,OAAO,CAAC,GAEhB,ClBkImByyC,CAAQnB,KAAuB,KAAKL,kBAC/C,EACAM,WAAAA,GAAc,IAAAmB,EAAA1K,EACV,MAAM2K,EAAiC,QAAvBD,EAAG,KAAK9uB,uBAAe,IAAA8uB,OAAA,EAApBA,EAAsBrvB,WAAWC,YACpD,QAA0B,QAAlB0kB,EAAA,KAAKF,qBAAa,IAAAE,OAAA,EAAlBA,EAAoBzd,YAAa,IACpCl4B,IAAI,KAAK22B,SACT52B,QAAO9B,IACS,IAAAsiD,EAAjB,OAAKD,IAGIriD,EAFEA,IAAqC,KAA7BA,SAAgB,QAAZsiD,EAAJtiD,EAAM89B,kBAAU,IAAAwkB,OAAA,EAAhBA,EAAkBC,WAAoBviD,SAAAA,EAAM+8B,SAASh6B,WAAW,KAEtE,GAErB,EAIAy/C,UAAAA,GACI,OAAmC,IAA5B,KAAKvB,YAAY1sD,MAC5B,EAMAkuD,YAAAA,GACI,YAA8BptD,IAAvB,KAAKmiD,gBACJ,KAAKgL,YACN,KAAKpY,OAChB,EAIAsY,aAAAA,GACI,MAAMtrB,EAAM,KAAKA,IAAI3rB,MAAM,KAAKzX,MAAM,GAAI,GAAG2X,KAAK,MAAQ,IAC1D,MAAO,IAAK,KAAKyI,OAAQ5F,MAAO,CAAE4oB,OACtC,EACAurB,eAAAA,GAAkB,IAAAC,EAAAC,EACd,GAAuB,QAAnBD,EAAC,KAAKpL,qBAAa,IAAAoL,GAAY,QAAZA,EAAlBA,EAAoB9kB,kBAAU,IAAA8kB,GAA9BA,EAAiC,eAGtC,OAAOxwD,OAAO6O,QAAyB,QAAlB4hD,EAAA,KAAKrL,qBAAa,IAAAqL,GAAY,QAAZA,EAAlBA,EAAoB/kB,kBAAU,IAAA+kB,OAAA,EAA9BA,EAAiC,iBAAkB,CAAC,GAAG9zC,MAChF,EACA+zC,gBAAAA,GACI,OAAK,KAAKH,gBAGN,KAAKI,kBAAoB3C,GAAAA,EAAKnL,gBACvB,KAAKpkB,EAAE,QAAS,kBAEpB,KAAKA,EAAE,QAAS,UALZ,KAAKA,EAAE,QAAS,QAM/B,EACAkyB,eAAAA,GACI,OAAK,KAAKJ,gBAIN,KAAKA,gBAAgB5kB,MAAKlkC,GAAQA,IAASumD,GAAAA,EAAKnL,kBACzCmL,GAAAA,EAAKnL,gBAETmL,GAAAA,EAAK4C,gBAND,IAOf,EACAC,mBAAAA,GACI,OAAO,KAAKlwB,WAAWK,UACjB,KAAKvC,EAAE,QAAS,uBAChB,KAAKA,EAAE,QAAS,sBAC1B,EAIA0tB,SAAAA,GACI,OAAO,KAAK/G,kBAAkB,KAAKA,cAAcvf,YAAcC,GAAAA,GAAW2K,OAC9E,EACA2b,eAAAA,GAAkB,IAAA0E,EACd,OAAqE,KAA5C,QAAlBA,EAAA,KAAK1L,qBAAa,IAAA0L,GAAY,QAAZA,EAAlBA,EAAoBplB,kBAAU,IAAAolB,OAAA,EAA9BA,EAAiC,yBAC5C,EACAzE,eAAAA,GACI,OAAI,KAAKD,gBACE,KAAK3tB,EAAE,QAAS,mEAEpB,KAAKA,EAAE,QAAS,2DAC3B,EAIAsyB,QAAAA,GACI,OAAO9D,IACA,KAAK7H,kBAAkB,KAAKA,cAAcvf,YAAcC,GAAAA,GAAWkrB,MAC9E,GAEJ/sB,MAAO,CACHP,WAAAA,CAAYutB,EAAS/sB,IACb+sB,aAAO,EAAPA,EAAS5mD,OAAO65B,aAAO,EAAPA,EAAS75B,MAG7Bu1B,GAAOwE,MAAM,eAAgB,CAAE6sB,UAAS/sB,YACxC,KAAKkQ,eAAe9L,QACpB,KAAK4oB,cACL,KAAKC,eACT,EACAnsB,GAAAA,CAAIosB,EAAQC,GAAQ,IAAAlY,EAChBvZ,GAAOwE,MAAM,oBAAqB,CAAEgtB,SAAQC,WAE5C,KAAKjd,eAAe9L,QACpB,KAAK4oB,cACL,KAAKC,eAES,QAAdhY,EAAI,KAAK/B,aAAK,IAAA+B,GAAkB,QAAlBA,EAAVA,EAAYmY,wBAAgB,IAAAnY,GAA5BA,EAA8B1Y,MAC9B,KAAK2W,MAAMka,iBAAiB7wB,IAAIqpB,UAAY,EAEpD,EACA+E,WAAAA,CAAYhmB,GACRjJ,GAAOwE,MAAM,6BAA8B,CAAE9J,KAAM,KAAKoJ,YAAayK,OAAQ,KAAKiX,cAAevc,cACjGtmC,EAAAA,GAAAA,IAAK,qBAAsB,CAAE+3B,KAAM,KAAKoJ,YAAayK,OAAQ,KAAKiX,cAAevc,YACrF,GAEJ/J,OAAAA,GACI,KAAKqyB,gBACLn1B,EAAAA,GAAAA,IAAU,qBAAsB,KAAKu1B,gBACrCv1B,EAAAA,GAAAA,IAAU,qBAAsB,KAAKiL,gBACrCjL,EAAAA,GAAAA,IAAU,kCAAmC,KAAKw1B,WAClDx1B,EAAAA,GAAAA,IAAU,iCAAkC,KAAKw1B,UAEjD,KAAKvD,kBAAoB,KAAK/sB,gBAAgBpuB,YAAW,IAAM,KAAKq+C,gBAAgB,CAAEt+C,MAAM,GAChG,EACA4+C,SAAAA,IACIC,EAAAA,GAAAA,IAAY,qBAAsB,KAAKH,gBACvCG,EAAAA,GAAAA,IAAY,qBAAsB,KAAKzqB,gBACvCyqB,EAAAA,GAAAA,IAAY,kCAAmC,KAAKF,WACpDE,EAAAA,GAAAA,IAAY,iCAAkC,KAAKF,UACnD,KAAKvD,mBACT,EACA9uB,QAAS,CACL,kBAAMgyB,GAAe,IAAAQ,EACjB,KAAK3Z,SAAU,EACf,MAAMhT,EAAM,KAAKA,IACXtB,EAAc,KAAKA,YACzB,GAAKA,EAAL,CAKoC,mBAAb,QAAnBiuB,EAAO,KAAK5D,eAAO,IAAA4D,OAAA,EAAZA,EAAcp0B,UACrB,KAAKwwB,QAAQxwB,SACbqC,GAAOwE,MAAM,qCAGjB,KAAK2pB,QAAUrqB,EAAY+J,YAAYzI,GACvC,IACI,MAAM,OAAEmJ,EAAM,SAAEtF,SAAmB,KAAKklB,QACxCnuB,GAAOwE,MAAM,mBAAoB,CAAEY,MAAKmJ,SAAQtF,aAEhD,KAAKsL,WAAWxN,YAAYkC,GAG5B,KAAK+oB,KAAKzjB,EAAQ,YAAatF,EAASl5B,KAAI5J,GAAQA,EAAKmgC,UAE7C,MAARlB,EACA,KAAKmP,WAAWrN,QAAQ,CAAEJ,QAAShD,EAAYr5B,GAAIu7B,KAAMuI,IAIrDA,EAAOjI,QACP,KAAKiO,WAAWxN,YAAY,CAACwH,IAC7B,KAAKhH,WAAWG,QAAQ,CAAEZ,QAAShD,EAAYr5B,GAAI67B,OAAQiI,EAAOjI,OAAQ31B,KAAMy0B,KAIhFpF,GAAOn6B,MAAM,+BAAgC,CAAEu/B,MAAKmJ,SAAQzK,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,KAAKuyC,SAAU,CACnB,CA1CA,MAFIpY,GAAOwE,MAAM,mDAAqD,CAAEV,eA6C5E,EAOA4C,OAAAA,CAAQ8O,GACJ,OAAO,KAAKjB,WAAW7N,QAAQ8O,EACnC,EAKAmc,aAAAA,CAAcxrD,GACsC,IAAA8rD,EACIC,EAAAC,EADhDhsD,EAAKmgC,QAAUngC,EAAKmgC,SAAW,KAAKkP,SAChCrvC,EAAKmgC,UAA6B,QAAvB2rB,EAAK,KAAKzM,qBAAa,IAAAyM,OAAA,EAAlBA,EAAoB3rB,QAGpC7hC,OAAO2hC,IAAInE,MAAM1H,OAAO8L,UAAU,KAAM,CAAE3L,KAAM,KAAKtY,OAAOnC,OAAOya,MAAQ,CAAE0K,IAAgC,QAA7B8sB,EAAoB,QAApBC,EAAE,KAAK3M,qBAAa,IAAA2M,OAAA,EAAlBA,EAAoBnqB,eAAO,IAAAkqB,EAAAA,EAAI,MAIjHztD,OAAO2hC,IAAInE,MAAM1H,OAAO8L,UAAU,KAAM,IAAK,KAAKjkB,OAAOnC,OAAQqmB,YAAQjjC,GAAa,IAAK,KAAK+e,OAAO5F,MAAO6uC,cAAUhoD,IAGpI,EAKA+uD,QAAAA,CAAStf,GAAQ,IAAAuf,GAGarqB,EAAAA,GAAAA,SAAQ8K,EAAO9tB,WACoB,QAAvBqtC,EAAK,KAAK7M,qBAAa,IAAA6M,OAAA,EAAlBA,EAAoBrtC,SAK3D,KAAKusC,cAEb,EACA,kBAAMe,CAAaxf,GAAQ,IAAAka,EACvB,MAAM/mD,GAAwB,QAAf+mD,EAAAla,EAAOptC,gBAAQ,IAAAsnD,OAAA,EAAfA,EAAiB/mD,SAAU,EAE1C,GAAe,MAAXA,EAIC,GAAe,MAAXA,GAA6B,MAAXA,EAItB,GAAe,MAAXA,EAAJ,CAKL,IAAI,IAAAssD,EACA,MAAMC,EAAS,IAAIC,GAAAA,OAAO,CAAEr2C,MAAM,EAAMs2C,cAAc,IAEhDxpD,SADiBspD,EAAOG,mBAAkC,QAAhBJ,EAACzf,EAAOptC,gBAAQ,IAAA6sD,OAAA,EAAfA,EAAiBxnD,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,IAAAysD,GACZzsD,aAAI,EAAJA,EAAMmgC,WAA6B,QAAvBssB,EAAK,KAAKpN,qBAAa,IAAAoN,OAAA,EAAlBA,EAAoBtsB,SACrC,KAAKirB,cAEb,EAMAK,SAAUlI,MAAS,SAAUmJ,GACzBjtD,GAAQ4+B,MAAM,yDAA0DquB,GACxE,KAAK3E,WAAa2E,EAAYr2C,KAClC,GAAG,KAIH80C,WAAAA,GACI,KAAKpD,WAAa,EACtB,EACA4E,kBAAAA,GAAqB,IAAAluB,EACZ,KAAK4gB,eAIA,QAAV5gB,EAAIngC,cAAM,IAAAmgC,GAAK,QAALA,EAANA,EAAQ5C,WAAG,IAAA4C,GAAO,QAAPA,EAAXA,EAAa3C,aAAK,IAAA2C,GAAS,QAATA,EAAlBA,EAAoBE,eAAO,IAAAF,GAA3BA,EAA6BmuB,cAC7BtuD,OAAOu9B,IAAIC,MAAM6C,QAAQiuB,aAAa,WAE1C1Y,GAAc7+B,KAAK,KAAKgqC,cAAe,KAAK1hB,YAAa,KAAK0hB,cAAc70C,OANxEqvB,GAAOwE,MAAM,sDAOrB,EACAwuB,cAAAA,GACI,KAAK1xB,gBAAgB3F,OAAO,aAAc,KAAKoF,WAAWK,UAC9D,EACAvC,EAAGqB,GAAAA,GACHtJ,EAAGq8B,GAAAA,sBoJndP,GAAU,CAAC,EAEf,GAAQ9yB,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,IAAA6kB,EAAA6N,EAAKr4B,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,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,EAAI02B,cAAcnuB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,UAAUrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIs2B,UAAYt2B,EAAI0Y,gBAAkB,IAAKzY,EAAG,WAAW,CAACG,YAAY,kCAAkC/Q,MAAM,CAAE,0CAA2C2Q,EAAIk2B,iBAAkBhtC,MAAM,CAAC,aAAa8W,EAAIi2B,iBAAiB,MAAQj2B,EAAIi2B,iBAAiB,KAAO,YAAYttD,GAAG,CAAC,MAAQq3B,EAAIi4B,oBAAoB1vB,YAAYvI,EAAIwI,GAAG,CAAC,CAACt5B,IAAI,OAAOrJ,GAAG,WAAW,MAAO,CAAEm6B,EAAIk2B,kBAAoBl2B,EAAIuzB,KAAKnL,gBAAiBnoB,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,EAAI2qB,cAAe1qB,EAAG,eAAe,CAACG,YAAY,mCAAmClX,MAAM,CAAC,QAAU8W,EAAIo0B,YAAY,YAAcp0B,EAAI2qB,cAAc,UAAW,GAAMhiD,GAAG,CAAC,OAASq3B,EAAIy3B,aAAa,SAAWz3B,EAAIu3B,YAAYv3B,EAAI1jB,KAAK,EAAEtI,OAAM,OAAUgsB,EAAIQ,GAAG,KAAMR,EAAI0Y,gBAAkB,KAAO1Y,EAAI6H,eAAgB5H,EAAG,WAAW,CAACG,YAAY,iCAAiClX,MAAM,CAAC,aAAa8W,EAAIo2B,oBAAoB,MAAQp2B,EAAIo2B,oBAAoB,KAAO,YAAYztD,GAAG,CAAC,MAAQq3B,EAAIm4B,gBAAgB5vB,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,EAAI41B,aAAc31B,EAAG,gBAAgB,CAACG,YAAY,6BAA6BJ,EAAI1jB,MAAM,GAAG0jB,EAAIQ,GAAG,MAAOR,EAAIud,SAAWvd,EAAI0xB,UAAWzxB,EAAG,oBAAoB,CAAC/W,MAAM,CAAC,iBAAiB8W,EAAI2qB,iBAAiB3qB,EAAI1jB,KAAK0jB,EAAIQ,GAAG,KAAMR,EAAIud,UAAYvd,EAAI41B,aAAc31B,EAAG,gBAAgB,CAACG,YAAY,2BAA2BlX,MAAM,CAAC,KAAO,GAAG,KAAO8W,EAAIgE,EAAE,QAAS,8BAA+BhE,EAAIud,SAAWvd,EAAI21B,WAAY11B,EAAG,iBAAiB,CAAC/W,MAAM,CAAC,MAAsB,QAAfshC,EAAAxqB,EAAIiJ,mBAAW,IAAAuhB,OAAA,EAAfA,EAAiB8N,aAAct4B,EAAIgE,EAAE,QAAS,oBAAoB,aAA6B,QAAfq0B,EAAAr4B,EAAIiJ,mBAAW,IAAAovB,OAAA,EAAfA,EAAiBE,eAAgBv4B,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,EAAI61B,gBAAgB,CAAC71B,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,EAAI2qB,cAAc,eAAe3qB,EAAIiJ,YAAY,MAAQjJ,EAAIi0B,sBAAsB,EAC9nG,GACsB,IqJUpB,EACA,KACA,WACA,MAI8B,QCnB+M,IzLIhO7a,EAAAA,GAAAA,IAAgB,CAC3BpyC,KAAM,WACN2X,WAAY,CACR65C,UAAS,KACTC,UAAS,GACTC,WAAUA,M0LSlB,IAXgB,QACd,I1LRW,WAAkB,IAAI14B,EAAIh6B,KAAKi6B,EAAGD,EAAIE,MAAMD,GAAgC,OAAtBD,EAAIE,MAAMyb,YAAmB1b,EAAG,YAAY,CAAC/W,MAAM,CAAC,WAAW,UAAU,CAAC+W,EAAG,cAAcD,EAAIQ,GAAG,KAAKP,EAAG,cAAc,EAC3L,GACsB,I0LSpB,EACA,KACA,KACA,MAI8B,kBCPhC04B,EAAAA,GAAoBC,MAAK9mB,EAAAA,GAAAA,OAEzBloC,OAAOu9B,IAAIC,MAAwB,QAAnByxB,GAAGjvD,OAAOu9B,IAAIC,aAAK,IAAAyxB,GAAAA,GAAI,CAAC,EACxCjvD,OAAO2hC,IAAInE,MAAwB,QAAnB0xB,GAAGlvD,OAAO2hC,IAAInE,aAAK,IAAA0xB,GAAAA,GAAI,CAAC,EAExC,MAAMp5B,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,CAQA2zC,IAAAA,CAAKjjD,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,KAAKgzD,UAAW,CACjB,MAAMC,EAAe,CAAC,EACtB1zD,OAAOoX,eAAe3W,KAAM,YAAa,CACrC2N,IAAK,IAAMslD,EACXjjD,IAAMuf,GAAMhwB,OAAO2I,OAAO+qD,EAAc1jC,IAEhD,CACAvvB,KAAKgzD,UAAU5vD,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,MAAMwkD,GAAar6B,GAAAA,GAAI66B,YAAWnsB,EAAAA,GAAAA,OAClC1O,GAAAA,GAAI74B,UAAU4jC,YAAcsvB,GAE5B,MAAMrxB,GAAW,IEHF,MAId3L,WAAAA,eAAc,2ZACb11B,KAAKmzD,UAAY,GACjBpuD,GAAQ4+B,MAAM,iCACf,CASAyvB,QAAAA,CAASv5B,GACR,OAAI75B,KAAKmzD,UAAUlkD,QAAO9J,GAAKA,EAAEnE,OAAS64B,EAAK74B,OAAMU,OAAS,GAC7DqD,GAAQC,MAAM,uDACP,IAERhF,KAAKmzD,UAAU3yD,KAAKq5B,IACb,EACR,CAOA,YAAIxoB,GACH,OAAOrR,KAAKmzD,SACb,GF5BD5zD,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,EAAA63B,GAAA,sBAAAA,GAAA,mBAAAA,GAAA,qBAAAA,GAAA,qBACpCrzD,KAAKszD,MAAQtyD,EACbhB,KAAKuzD,IAAM5jC,EACX3vB,KAAKwzD,MAAQ/uD,EACbzE,KAAKyzD,OAASzxB,EAEY,mBAAfhiC,KAAKwzD,QACfxzD,KAAKwzD,MAAQ,QAGa,mBAAhBxzD,KAAKyzD,SACfzzD,KAAKyzD,OAAS,OAEhB,CAEA,QAAIzyD,GACH,OAAOhB,KAAKszD,KACb,CAEA,MAAI3jC,GACH,OAAO3vB,KAAKuzD,GACb,CAEA,QAAI9uD,GACH,OAAOzE,KAAKwzD,KACb,CAEA,SAAIxxB,GACH,OAAOhiC,KAAKyzD,MACb,KHxCD,IADoBp7B,GAAAA,GAAIza,OAAO81C,IAC/B,CAAgB,CACZ10C,OAAM,GACN7b,MAAKA,KACN62C,OAAO,0HI5BN2Z,EAAgC,IAAIjtD,IAAI,cACxCktD,EAAgC,IAAIltD,IAAI,cACxCmtD,EAA0B,IAA4B,KACtDC,EAAqC,IAAgCH,GACrEI,EAAqC,IAAgCH,GAEzEC,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,0hEAiEfkqD,+oCAyCAC,s+MA8QvB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,24FAA24F,eAAiB,CAAC,sqUAAsqU,WAAa,MAElsa,4FCjYIF,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,0zBAsCtC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6EAA6E,MAAQ,GAAG,SAAW,yTAAyT,eAAiB,CAAC,2zBAA2zB,WAAa,MAEpxC,4FC1CIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,kUAAmU,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yDAAyD,MAAQ,GAAG,SAAW,yGAAyG,eAAiB,CAAC,0WAA0W,WAAa,MAEx8B,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,+jBAAgkB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,+DAA+D,MAAQ,GAAG,SAAW,wOAAwO,eAAiB,CAAC,sqBAAsqB,WAAa,MAEtoD,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,omCAAqmC,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,gEAAgE,MAAQ,GAAG,SAAW,gYAAgY,eAAiB,CAAC,23CAA23C,WAAa,MAEzhG,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,8YAA+Y,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,oEAAoE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,6sBAA6sB,WAAa,MAEr6C,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,2ZAA4Z,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oDAAoD,eAAiB,CAAC,kkBAAskB,WAAa,MAEvtC,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,uMAAwM,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,oCAAoC,eAAiB,CAAC,kOAAkO,WAAa,MAE/oB,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,mPAAoP,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,gFAAgF,eAAiB,CAAC,8XAA8X,WAAa,MAE73B,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,sKAAuK,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kEAAkE,MAAQ,GAAG,SAAW,8CAA8C,eAAiB,CAAC,wNAAwN,WAAa,MAExmB,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,2FAA4F,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,yEAAyE,MAAQ,GAAG,SAAW,6BAA6B,eAAiB,CAAC,6FAA6F,WAAa,MAExZ,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,q5BAAs5B,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,wEAAwE,MAAQ,GAAG,SAAW,4IAA4I,eAAiB,CAAC,ilBAAilB,WAAa,MAEpzD,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,m0PAAo0P,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,w6DAAw6D,eAAiB,CAAC,mtSAAmtS,WAAa,MAEtnmB,2FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,y2DAA02D,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,8DAA8D,MAAQ,GAAG,SAAW,0kBAA0kB,eAAiB,CAAC,6nEAA6nE,WAAa,MAExuJ,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,mQAAoQ,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,6DAA6D,MAAQ,GAAG,SAAW,mEAAmE,eAAiB,CAAC,+UAA+U,WAAa,MAE50B,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,0wBAA2wB,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,kDAAkD,MAAQ,GAAG,SAAW,uOAAuO,eAAiB,CAAC,8gCAA8gC,WAAa,MAE3qE,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,sfAAuf,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,mDAAmD,MAAQ,GAAG,SAAW,iHAAiH,eAAiB,CAAC,mrBAAmrB,WAAa,MAEv8C,4FCJIiqD,QAA0B,GAA4B,KAE1DA,EAAwBrzD,KAAK,CAACuC,EAAO6G,GAAI,kEAAmE,GAAG,CAAC,QAAU,EAAE,QAAU,CAAC,iDAAiD,MAAQ,GAAG,SAAW,mBAAmB,eAAiB,CAAC,+DAA+D,WAAa,MAE/T,4CCuBIoqD,aAPAC,EAAuB,iBAAZpjD,QAAuBA,QAAU,KAC5CqjD,EAAeD,GAAwB,mBAAZA,EAAExxD,MAC7BwxD,EAAExxD,MACF,SAAsBgE,EAAQ0tD,EAAU/xD,GACxC,OAAO29B,SAASvgC,UAAUiD,MAAMvB,KAAKuF,EAAQ0tD,EAAU/xD,EACzD,EAIA4xD,EADEC,GAA0B,mBAAdA,EAAEn6C,QACCm6C,EAAEn6C,QACVva,OAAO6B,sBACC,SAAwBqF,GACvC,OAAOlH,OAAO60D,oBAAoB3tD,GAC/BpF,OAAO9B,OAAO6B,sBAAsBqF,GACzC,EAEiB,SAAwBA,GACvC,OAAOlH,OAAO60D,oBAAoB3tD,EACpC,EAOF,IAAI4tD,EAAcp5C,OAAOK,OAAS,SAAqBlS,GACrD,OAAOA,GAAUA,CACnB,EAEA,SAASzI,IACPA,EAAaoiB,KAAK7hB,KAAKlB,KACzB,CACA+C,EAAOC,QAAUrC,EACjBoC,EAAOC,QAAQjD,KAwYf,SAAcG,EAASc,GACrB,OAAO,IAAI8L,SAAQ,SAAUC,EAASC,GACpC,SAASsnD,EAAcp2C,GACrBhe,EAAQqC,eAAevB,EAAMuzD,GAC7BvnD,EAAOkR,EACT,CAEA,SAASq2C,IAC+B,mBAA3Br0D,EAAQqC,gBACjBrC,EAAQqC,eAAe,QAAS+xD,GAElCvnD,EAAQ,GAAG5L,MAAMD,KAAKoB,WACxB,CAEAkyD,EAA+Bt0D,EAASc,EAAMuzD,EAAU,CAAEx0D,MAAM,IACnD,UAATiB,GAMR,SAAuCd,EAASipB,EAASvE,GAC7B,mBAAf1kB,EAAQyC,IACjB6xD,EAA+Bt0D,EAAS,QAASipB,EAPO,CAAEppB,MAAM,GASpE,CATM00D,CAA8Bv0D,EAASo0D,EAE3C,GACF,EAxZA3zD,EAAaA,aAAeA,EAE5BA,EAAanB,UAAUe,aAAUiC,EACjC7B,EAAanB,UAAUiB,aAAe,EACtCE,EAAanB,UAAUk1D,mBAAgBlyD,EAIvC,IAAImyD,EAAsB,GAE1B,SAASC,EAAcv0D,GACrB,GAAwB,mBAAbA,EACT,MAAM,IAAID,UAAU,0EAA4EC,EAEpG,CAoCA,SAASw0D,EAAiBC,GACxB,YAA2BtyD,IAAvBsyD,EAAKJ,cACA/zD,EAAag0D,oBACfG,EAAKJ,aACd,CAkDA,SAASK,EAAatuD,EAAQO,EAAM3G,EAAU20D,GAC5C,IAAI1vC,EACAvkB,EACAk0D,EA1HsBC,EAgJ1B,GApBAN,EAAcv0D,QAGCmC,KADfzB,EAAS0F,EAAOlG,UAEdQ,EAAS0F,EAAOlG,QAAUhB,OAAOqB,OAAO,MACxC6F,EAAOhG,aAAe,SAIK+B,IAAvBzB,EAAOo0D,cACT1uD,EAAO3E,KAAK,cAAekF,EACf3G,EAASA,SAAWA,EAASA,SAAWA,GAIpDU,EAAS0F,EAAOlG,SAElB00D,EAAWl0D,EAAOiG,SAGHxE,IAAbyyD,EAEFA,EAAWl0D,EAAOiG,GAAQ3G,IACxBoG,EAAOhG,kBAeT,GAbwB,mBAAbw0D,EAETA,EAAWl0D,EAAOiG,GAChBguD,EAAU,CAAC30D,EAAU40D,GAAY,CAACA,EAAU50D,GAErC20D,EACTC,EAASllD,QAAQ1P,GAEjB40D,EAASz0D,KAAKH,IAIhBilB,EAAIuvC,EAAiBpuD,IACb,GAAKwuD,EAASvzD,OAAS4jB,IAAM2vC,EAASzjB,OAAQ,CACpDyjB,EAASzjB,QAAS,EAGlB,IAAI4jB,EAAI,IAAIptD,MAAM,+CACEitD,EAASvzD,OAAS,IAAMwF,OAAOF,GADjC,qEAIlBouD,EAAEp0D,KAAO,8BACTo0D,EAAEl1D,QAAUuG,EACZ2uD,EAAEpuD,KAAOA,EACTouD,EAAE5J,MAAQyJ,EAASvzD,OA7KGwzD,EA8KHE,EA7KnBrwD,GAAWA,EAAQyD,MAAMzD,EAAQyD,KAAK0sD,EA8KxC,CAGF,OAAOzuD,CACT,CAaA,SAAS4uD,IACP,IAAKr1D,KAAKs1D,MAGR,OAFAt1D,KAAKyG,OAAOlE,eAAevC,KAAKgH,KAAMhH,KAAKu1D,QAC3Cv1D,KAAKs1D,OAAQ,EACY,IAArBhzD,UAAUZ,OACL1B,KAAKK,SAASa,KAAKlB,KAAKyG,QAC1BzG,KAAKK,SAASoC,MAAMzC,KAAKyG,OAAQnE,UAE5C,CAEA,SAASkzD,EAAU/uD,EAAQO,EAAM3G,GAC/B,IAAI4I,EAAQ,CAAEqsD,OAAO,EAAOC,YAAQ/yD,EAAWiE,OAAQA,EAAQO,KAAMA,EAAM3G,SAAUA,GACjFo1D,EAAUJ,EAAY7jD,KAAKvI,GAG/B,OAFAwsD,EAAQp1D,SAAWA,EACnB4I,EAAMssD,OAASE,EACRA,CACT,CAyHA,SAASC,EAAWjvD,EAAQO,EAAM2uD,GAChC,IAAI50D,EAAS0F,EAAOlG,QAEpB,QAAeiC,IAAXzB,EACF,MAAO,GAET,IAAI60D,EAAa70D,EAAOiG,GACxB,YAAmBxE,IAAfozD,EACK,GAEiB,mBAAfA,EACFD,EAAS,CAACC,EAAWv1D,UAAYu1D,GAAc,CAACA,GAElDD,EAsDT,SAAyB5xC,GAEvB,IADA,IAAIrO,EAAM,IAAI9T,MAAMmiB,EAAIriB,QACfF,EAAI,EAAGA,EAAIkU,EAAIhU,SAAUF,EAChCkU,EAAIlU,GAAKuiB,EAAIviB,GAAGnB,UAAY0jB,EAAIviB,GAElC,OAAOkU,CACT,CA3DImgD,CAAgBD,GAAcE,EAAWF,EAAYA,EAAWl0D,OACpE,CAmBA,SAASG,EAAcmF,GACrB,IAAIjG,EAASf,KAAKO,QAElB,QAAeiC,IAAXzB,EAAsB,CACxB,IAAI60D,EAAa70D,EAAOiG,GAExB,GAA0B,mBAAf4uD,EACT,OAAO,EACF,QAAmBpzD,IAAfozD,EACT,OAAOA,EAAWl0D,MAEtB,CAEA,OAAO,CACT,CAMA,SAASo0D,EAAW/xC,EAAKgS,GAEvB,IADA,IAAIggC,EAAO,IAAIn0D,MAAMm0B,GACZv0B,EAAI,EAAGA,EAAIu0B,IAAKv0B,EACvBu0D,EAAKv0D,GAAKuiB,EAAIviB,GAChB,OAAOu0D,CACT,CA2CA,SAASvB,EAA+Bt0D,EAASc,EAAMX,EAAUukB,GAC/D,GAA0B,mBAAf1kB,EAAQyC,GACbiiB,EAAM7kB,KACRG,EAAQH,KAAKiB,EAAMX,GAEnBH,EAAQyC,GAAG3B,EAAMX,OAEd,IAAwC,mBAA7BH,EAAQkuB,iBAYxB,MAAM,IAAIhuB,UAAU,6EAA+EF,GATnGA,EAAQkuB,iBAAiBptB,GAAM,SAASg1D,EAAaC,GAG/CrxC,EAAM7kB,MACRG,EAAQouB,oBAAoBttB,EAAMg1D,GAEpC31D,EAAS41D,EACX,GAGF,CACF,CAraA12D,OAAOoX,eAAehW,EAAc,sBAAuB,CACzDoW,YAAY,EACZpJ,IAAK,WACH,OAAOgnD,CACT,EACA3kD,IAAK,SAASimD,GACZ,GAAmB,iBAARA,GAAoBA,EAAM,GAAK5B,EAAY4B,GACpD,MAAM,IAAIC,WAAW,kGAAoGD,EAAM,KAEjItB,EAAsBsB,CACxB,IAGFt1D,EAAaoiB,KAAO,gBAEGvgB,IAAjBxC,KAAKO,SACLP,KAAKO,UAAYhB,OAAO42D,eAAen2D,MAAMO,UAC/CP,KAAKO,QAAUhB,OAAOqB,OAAO,MAC7BZ,KAAKS,aAAe,GAGtBT,KAAK00D,cAAgB10D,KAAK00D,oBAAiBlyD,CAC7C,EAIA7B,EAAanB,UAAU42D,gBAAkB,SAAyBrgC,GAChE,GAAiB,iBAANA,GAAkBA,EAAI,GAAKs+B,EAAYt+B,GAChD,MAAM,IAAImgC,WAAW,gFAAkFngC,EAAI,KAG7G,OADA/1B,KAAK00D,cAAgB3+B,EACd/1B,IACT,EAQAW,EAAanB,UAAU62D,gBAAkB,WACvC,OAAOxB,EAAiB70D,KAC1B,EAEAW,EAAanB,UAAUsC,KAAO,SAAckF,GAE1C,IADA,IAAI5E,EAAO,GACFZ,EAAI,EAAGA,EAAIc,UAAUZ,OAAQF,IAAKY,EAAK5B,KAAK8B,UAAUd,IAC/D,IAAI80D,EAAoB,UAATtvD,EAEXjG,EAASf,KAAKO,QAClB,QAAeiC,IAAXzB,EACFu1D,EAAWA,QAA4B9zD,IAAjBzB,EAAOiE,WAC1B,IAAKsxD,EACR,OAAO,EAGT,GAAIA,EAAS,CACX,IAAIC,EAGJ,GAFIn0D,EAAKV,OAAS,IAChB60D,EAAKn0D,EAAK,IACRm0D,aAAcvuD,MAGhB,MAAMuuD,EAGR,IAAIr4C,EAAM,IAAIlW,MAAM,oBAAsBuuD,EAAK,KAAOA,EAAGluD,QAAU,IAAM,KAEzE,MADA6V,EAAIpe,QAAUy2D,EACRr4C,CACR,CAEA,IAAIiL,EAAUpoB,EAAOiG,GAErB,QAAgBxE,IAAZ2mB,EACF,OAAO,EAET,GAAuB,mBAAZA,EACT+qC,EAAa/qC,EAASnpB,KAAMoC,OAE5B,KAAIC,EAAM8mB,EAAQznB,OACdJ,EAAYw0D,EAAW3sC,EAAS9mB,GACpC,IAASb,EAAI,EAAGA,EAAIa,IAAOb,EACzB0yD,EAAa5yD,EAAUE,GAAIxB,KAAMoC,EAHX,CAM1B,OAAO,CACT,EAgEAzB,EAAanB,UAAUS,YAAc,SAAqB+G,EAAM3G,GAC9D,OAAO00D,EAAa/0D,KAAMgH,EAAM3G,GAAU,EAC5C,EAEAM,EAAanB,UAAUmD,GAAKhC,EAAanB,UAAUS,YAEnDU,EAAanB,UAAUg3D,gBACnB,SAAyBxvD,EAAM3G,GAC7B,OAAO00D,EAAa/0D,KAAMgH,EAAM3G,GAAU,EAC5C,EAoBJM,EAAanB,UAAUO,KAAO,SAAciH,EAAM3G,GAGhD,OAFAu0D,EAAcv0D,GACdL,KAAK2C,GAAGqE,EAAMwuD,EAAUx1D,KAAMgH,EAAM3G,IAC7BL,IACT,EAEAW,EAAanB,UAAUi3D,oBACnB,SAA6BzvD,EAAM3G,GAGjC,OAFAu0D,EAAcv0D,GACdL,KAAKw2D,gBAAgBxvD,EAAMwuD,EAAUx1D,KAAMgH,EAAM3G,IAC1CL,IACT,EAGJW,EAAanB,UAAU+C,eACnB,SAAwByE,EAAM3G,GAC5B,IAAI+3B,EAAMr3B,EAAQ6tB,EAAUptB,EAAGk1D,EAK/B,GAHA9B,EAAcv0D,QAGCmC,KADfzB,EAASf,KAAKO,SAEZ,OAAOP,KAGT,QAAawC,KADb41B,EAAOr3B,EAAOiG,IAEZ,OAAOhH,KAET,GAAIo4B,IAAS/3B,GAAY+3B,EAAK/3B,WAAaA,EACb,KAAtBL,KAAKS,aACTT,KAAKO,QAAUhB,OAAOqB,OAAO,cAEtBG,EAAOiG,GACVjG,EAAOwB,gBACTvC,KAAK8B,KAAK,iBAAkBkF,EAAMoxB,EAAK/3B,UAAYA,SAElD,GAAoB,mBAAT+3B,EAAqB,CAGrC,IAFAxJ,GAAY,EAEPptB,EAAI42B,EAAK12B,OAAS,EAAGF,GAAK,EAAGA,IAChC,GAAI42B,EAAK52B,KAAOnB,GAAY+3B,EAAK52B,GAAGnB,WAAaA,EAAU,CACzDq2D,EAAmBt+B,EAAK52B,GAAGnB,SAC3BuuB,EAAWptB,EACX,KACF,CAGF,GAAIotB,EAAW,EACb,OAAO5uB,KAEQ,IAAb4uB,EACFwJ,EAAK5Z,QAiIf,SAAmB4Z,EAAMvb,GACvB,KAAOA,EAAQ,EAAIub,EAAK12B,OAAQmb,IAC9Bub,EAAKvb,GAASub,EAAKvb,EAAQ,GAC7Bub,EAAK1U,KACP,CAnIUizC,CAAUv+B,EAAMxJ,GAGE,IAAhBwJ,EAAK12B,SACPX,EAAOiG,GAAQoxB,EAAK,SAEQ51B,IAA1BzB,EAAOwB,gBACTvC,KAAK8B,KAAK,iBAAkBkF,EAAM0vD,GAAoBr2D,EAC1D,CAEA,OAAOL,IACT,EAEJW,EAAanB,UAAUqD,IAAMlC,EAAanB,UAAU+C,eAEpD5B,EAAanB,UAAUoD,mBACnB,SAA4BoE,GAC1B,IAAI1F,EAAWP,EAAQS,EAGvB,QAAegB,KADfzB,EAASf,KAAKO,SAEZ,OAAOP,KAGT,QAA8BwC,IAA1BzB,EAAOwB,eAUT,OATyB,IAArBD,UAAUZ,QACZ1B,KAAKO,QAAUhB,OAAOqB,OAAO,MAC7BZ,KAAKS,aAAe,QACM+B,IAAjBzB,EAAOiG,KACY,KAAtBhH,KAAKS,aACTT,KAAKO,QAAUhB,OAAOqB,OAAO,aAEtBG,EAAOiG,IAEXhH,KAIT,GAAyB,IAArBsC,UAAUZ,OAAc,CAC1B,IACIwH,EADAiB,EAAO5K,OAAO4K,KAAKpJ,GAEvB,IAAKS,EAAI,EAAGA,EAAI2I,EAAKzI,SAAUF,EAEjB,oBADZ0H,EAAMiB,EAAK3I,KAEXxB,KAAK4C,mBAAmBsG,GAK1B,OAHAlJ,KAAK4C,mBAAmB,kBACxB5C,KAAKO,QAAUhB,OAAOqB,OAAO,MAC7BZ,KAAKS,aAAe,EACbT,IACT,CAIA,GAAyB,mBAFzBsB,EAAYP,EAAOiG,IAGjBhH,KAAKuC,eAAeyE,EAAM1F,QACrB,QAAkBkB,IAAdlB,EAET,IAAKE,EAAIF,EAAUI,OAAS,EAAGF,GAAK,EAAGA,IACrCxB,KAAKuC,eAAeyE,EAAM1F,EAAUE,IAIxC,OAAOxB,IACT,EAmBJW,EAAanB,UAAU8B,UAAY,SAAmB0F,GACpD,OAAO0uD,EAAW11D,KAAMgH,GAAM,EAChC,EAEArG,EAAanB,UAAUo3D,aAAe,SAAsB5vD,GAC1D,OAAO0uD,EAAW11D,KAAMgH,GAAM,EAChC,EAEArG,EAAakB,cAAgB,SAAS3B,EAAS8G,GAC7C,MAAqC,mBAA1B9G,EAAQ2B,cACV3B,EAAQ2B,cAAcmF,GAEtBnF,EAAcX,KAAKhB,EAAS8G,EAEvC,EAEArG,EAAanB,UAAUqC,cAAgBA,EAiBvClB,EAAanB,UAAUsB,WAAa,WAClC,OAAOd,KAAKS,aAAe,EAAIuzD,EAAeh0D,KAAKO,SAAW,EAChE,mBCvaA,IAAIs2D,EAAS,EAAQ,OACjBC,EAASD,EAAOC,OAGpB,SAASC,EAAWzU,EAAK0U,GACvB,IAAK,IAAI9tD,KAAOo5C,EACd0U,EAAI9tD,GAAOo5C,EAAIp5C,EAEnB,CASA,SAAS+tD,EAAYhB,EAAKiB,EAAkBx1D,GAC1C,OAAOo1D,EAAOb,EAAKiB,EAAkBx1D,EACvC,CAVIo1D,EAAO/nD,MAAQ+nD,EAAOK,OAASL,EAAOM,aAAeN,EAAOO,gBAC9Dt0D,EAAOC,QAAU6zD,GAGjBE,EAAUF,EAAQ7zD,GAClBA,EAAQ8zD,OAASG,GAOnBA,EAAWz3D,UAAYD,OAAOqB,OAAOk2D,EAAOt3D,WAG5Cu3D,EAAUD,EAAQG,GAElBA,EAAWloD,KAAO,SAAUknD,EAAKiB,EAAkBx1D,GACjD,GAAmB,iBAARu0D,EACT,MAAM,IAAI71D,UAAU,iCAEtB,OAAO02D,EAAOb,EAAKiB,EAAkBx1D,EACvC,EAEAu1D,EAAWE,MAAQ,SAAUznD,EAAM4nD,EAAMC,GACvC,GAAoB,iBAAT7nD,EACT,MAAM,IAAItP,UAAU,6BAEtB,IAAIo3D,EAAMV,EAAOpnD,GAUjB,YATalN,IAAT80D,EACsB,iBAAbC,EACTC,EAAIF,KAAKA,EAAMC,GAEfC,EAAIF,KAAKA,GAGXE,EAAIF,KAAK,GAEJE,CACT,EAEAP,EAAWG,YAAc,SAAU1nD,GACjC,GAAoB,iBAATA,EACT,MAAM,IAAItP,UAAU,6BAEtB,OAAO02D,EAAOpnD,EAChB,EAEAunD,EAAWI,gBAAkB,SAAU3nD,GACrC,GAAoB,iBAATA,EACT,MAAM,IAAItP,UAAU,6BAEtB,OAAOy2D,EAAOY,WAAW/nD,EAC3B,0CChEC,SAAWgoD,GACVA,EAAI/F,OAAS,SAAUn3C,EAAQm9C,GAAO,OAAO,IAAIC,EAAUp9C,EAAQm9C,EAAK,EACxED,EAAIE,UAAYA,EAChBF,EAAIG,UAAYA,EAChBH,EAAII,aAwKJ,SAAuBt9C,EAAQm9C,GAC7B,OAAO,IAAIE,EAAUr9C,EAAQm9C,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,EAAWp9C,EAAQm9C,GAC1B,KAAM33D,gBAAgB43D,GACpB,OAAO,IAAIA,EAAUp9C,EAAQm9C,GAG/B,IAAIhG,EAAS3xD,MAqFf,SAAuB2xD,GACrB,IAAK,IAAInwD,EAAI,EAAGC,EAAIw2D,EAAQv2D,OAAQF,EAAIC,EAAGD,IACzCmwD,EAAOsG,EAAQz2D,IAAM,EAEzB,CAxFE02D,CAAavG,GACbA,EAAOwG,EAAIxG,EAAO5zC,EAAI,GACtB4zC,EAAOyG,oBAAsBV,EAAIK,kBACjCpG,EAAOgG,IAAMA,GAAO,CAAC,EACrBhG,EAAOgG,IAAIU,UAAY1G,EAAOgG,IAAIU,WAAa1G,EAAOgG,IAAIW,cAC1D3G,EAAO4G,UAAY5G,EAAOgG,IAAIU,UAAY,cAAgB,cAC1D1G,EAAO6G,KAAO,GACd7G,EAAO8G,OAAS9G,EAAO+G,WAAa/G,EAAOgH,SAAU,EACrDhH,EAAO3pC,IAAM2pC,EAAO3sD,MAAQ,KAC5B2sD,EAAOn3C,SAAWA,EAClBm3C,EAAOiH,YAAcp+C,IAAUm3C,EAAOgG,IAAIiB,UAC1CjH,EAAO1oD,MAAQ4vD,EAAEC,MACjBnH,EAAOoH,eAAiBpH,EAAOgG,IAAIoB,eACnCpH,EAAOqH,SAAWrH,EAAOoH,eAAiBx5D,OAAOqB,OAAO82D,EAAIuB,cAAgB15D,OAAOqB,OAAO82D,EAAIsB,UAC9FrH,EAAOuH,WAAa,GAKhBvH,EAAOgG,IAAIwB,QACbxH,EAAOyH,GAAK75D,OAAOqB,OAAOy4D,IAI5B1H,EAAO2H,eAAwC,IAAxB3H,EAAOgG,IAAI/oC,SAC9B+iC,EAAO2H,gBACT3H,EAAO/iC,SAAW+iC,EAAO4H,KAAO5H,EAAOpN,OAAS,GAElDziD,EAAK6vD,EAAQ,UACf,CAxDA+F,EAAI8B,OAAS,CACX,OACA,wBACA,kBACA,UACA,UACA,eACA,YACA,UACA,WACA,YACA,QACA,aACA,QACA,MACA,QACA,SACA,gBACA,kBAwCGj6D,OAAOqB,SACVrB,OAAOqB,OAAS,SAAU2C,GACxB,SAASk2D,IAAM,CAGf,OAFAA,EAAEj6D,UAAY+D,EACH,IAAIk2D,CAEjB,GAGGl6D,OAAO4K,OACV5K,OAAO4K,KAAO,SAAU5G,GACtB,IAAI4C,EAAI,GACR,IAAK,IAAI3E,KAAK+B,EAAOA,EAAE9D,eAAe+B,IAAI2E,EAAE3F,KAAKgB,GACjD,OAAO2E,CACT,GAyDFyxD,EAAUp4D,UAAY,CACpB8mB,IAAK,WAAcA,EAAItmB,KAAM,EAC7B05D,MA2yBF,SAAgBC,GACd,IAAIhI,EAAS3xD,KACb,GAAIA,KAAKgF,MACP,MAAMhF,KAAKgF,MAEb,GAAI2sD,EAAO8G,OACT,OAAOzzD,EAAM2sD,EACX,wDAEJ,GAAc,OAAVgI,EACF,OAAOrzC,EAAIqrC,GAEQ,iBAAVgI,IACTA,EAAQA,EAAMn2D,YAIhB,IAFA,IAAIhC,EAAI,EACJuc,EAAI,GAENA,EAAIyF,EAAOm2C,EAAOn4D,KAClBmwD,EAAO5zC,EAAIA,EAENA,GAcL,OAVI4zC,EAAO2H,gBACT3H,EAAO/iC,WACG,OAAN7Q,GACF4zC,EAAO4H,OACP5H,EAAOpN,OAAS,GAEhBoN,EAAOpN,UAIHoN,EAAO1oD,OACb,KAAK4vD,EAAEC,MAEL,GADAnH,EAAO1oD,MAAQ4vD,EAAEe,iBACP,WAAN77C,EACF,SAEF87C,EAAgBlI,EAAQ5zC,GACxB,SAEF,KAAK86C,EAAEe,iBACLC,EAAgBlI,EAAQ5zC,GACxB,SAEF,KAAK86C,EAAEiB,KACL,GAAInI,EAAOgH,UAAYhH,EAAO+G,WAAY,CAExC,IADA,IAAIqB,EAASv4D,EAAI,EACVuc,GAAW,MAANA,GAAmB,MAANA,IACvBA,EAAIyF,EAAOm2C,EAAOn4D,OACTmwD,EAAO2H,gBACd3H,EAAO/iC,WACG,OAAN7Q,GACF4zC,EAAO4H,OACP5H,EAAOpN,OAAS,GAEhBoN,EAAOpN,UAIboN,EAAOqI,UAAYL,EAAMM,UAAUF,EAAQv4D,EAAI,EACjD,CACU,MAANuc,GAAe4zC,EAAOgH,SAAWhH,EAAO+G,aAAe/G,EAAOn3C,QAI3D0/C,EAAan8C,IAAQ4zC,EAAOgH,UAAWhH,EAAO+G,YACjDyB,EAAWxI,EAAQ,mCAEX,MAAN5zC,EACF4zC,EAAO1oD,MAAQ4vD,EAAEuB,YAEjBzI,EAAOqI,UAAYj8C,IATrB4zC,EAAO1oD,MAAQ4vD,EAAEwB,UACjB1I,EAAO2I,iBAAmB3I,EAAO/iC,UAWnC,SAEF,KAAKiqC,EAAE0B,OAEK,MAANx8C,EACF4zC,EAAO1oD,MAAQ4vD,EAAE2B,cAEjB7I,EAAO8I,QAAU18C,EAEnB,SAEF,KAAK86C,EAAE2B,cACK,MAANz8C,EACF4zC,EAAO1oD,MAAQ4vD,EAAE6B,WAEjB/I,EAAO8I,QAAU,IAAM18C,EACvB4zC,EAAO1oD,MAAQ4vD,EAAE0B,QAEnB,SAEF,KAAK1B,EAAEwB,UAEL,GAAU,MAANt8C,EACF4zC,EAAO1oD,MAAQ4vD,EAAE8B,UACjBhJ,EAAOiJ,SAAW,QACb,GAAIV,EAAan8C,SAEjB,GAAI88C,EAAQC,EAAW/8C,GAC5B4zC,EAAO1oD,MAAQ4vD,EAAEkC,SACjBpJ,EAAOqJ,QAAUj9C,OACZ,GAAU,MAANA,EACT4zC,EAAO1oD,MAAQ4vD,EAAE6B,UACjB/I,EAAOqJ,QAAU,QACZ,GAAU,MAANj9C,EACT4zC,EAAO1oD,MAAQ4vD,EAAEoC,UACjBtJ,EAAOuJ,aAAevJ,EAAOwJ,aAAe,OACvC,CAGL,GAFAhB,EAAWxI,EAAQ,eAEfA,EAAO2I,iBAAmB,EAAI3I,EAAO/iC,SAAU,CACjD,IAAIwsC,EAAMzJ,EAAO/iC,SAAW+iC,EAAO2I,iBACnCv8C,EAAI,IAAInc,MAAMw5D,GAAKtiD,KAAK,KAAOiF,CACjC,CACA4zC,EAAOqI,UAAY,IAAMj8C,EACzB4zC,EAAO1oD,MAAQ4vD,EAAEiB,IACnB,CACA,SAEF,KAAKjB,EAAE8B,WACAhJ,EAAOiJ,SAAW78C,GAAG3D,gBAAkBihD,GAC1CC,EAAS3J,EAAQ,eACjBA,EAAO1oD,MAAQ4vD,EAAEwC,MACjB1J,EAAOiJ,SAAW,GAClBjJ,EAAO4J,MAAQ,IACN5J,EAAOiJ,SAAW78C,IAAM,MACjC4zC,EAAO1oD,MAAQ4vD,EAAE2C,QACjB7J,EAAO8J,QAAU,GACjB9J,EAAOiJ,SAAW,KACRjJ,EAAOiJ,SAAW78C,GAAG3D,gBAAkBshD,GACjD/J,EAAO1oD,MAAQ4vD,EAAE6C,SACb/J,EAAOgK,SAAWhK,EAAOgH,UAC3BwB,EAAWxI,EACT,+CAEJA,EAAOgK,QAAU,GACjBhK,EAAOiJ,SAAW,IACH,MAAN78C,GACTu9C,EAAS3J,EAAQ,oBAAqBA,EAAOiJ,UAC7CjJ,EAAOiJ,SAAW,GAClBjJ,EAAO1oD,MAAQ4vD,EAAEiB,MACR8B,EAAQ79C,IACjB4zC,EAAO1oD,MAAQ4vD,EAAEgD,iBACjBlK,EAAOiJ,UAAY78C,GAEnB4zC,EAAOiJ,UAAY78C,EAErB,SAEF,KAAK86C,EAAEgD,iBACD99C,IAAM4zC,EAAOwG,IACfxG,EAAO1oD,MAAQ4vD,EAAE8B,UACjBhJ,EAAOwG,EAAI,IAEbxG,EAAOiJ,UAAY78C,EACnB,SAEF,KAAK86C,EAAE6C,QACK,MAAN39C,GACF4zC,EAAO1oD,MAAQ4vD,EAAEiB,KACjBwB,EAAS3J,EAAQ,YAAaA,EAAOgK,SACrChK,EAAOgK,SAAU,IAEjBhK,EAAOgK,SAAW59C,EACR,MAANA,EACF4zC,EAAO1oD,MAAQ4vD,EAAEiD,YACRF,EAAQ79C,KACjB4zC,EAAO1oD,MAAQ4vD,EAAEkD,eACjBpK,EAAOwG,EAAIp6C,IAGf,SAEF,KAAK86C,EAAEkD,eACLpK,EAAOgK,SAAW59C,EACdA,IAAM4zC,EAAOwG,IACfxG,EAAOwG,EAAI,GACXxG,EAAO1oD,MAAQ4vD,EAAE6C,SAEnB,SAEF,KAAK7C,EAAEiD,YACLnK,EAAOgK,SAAW59C,EACR,MAANA,EACF4zC,EAAO1oD,MAAQ4vD,EAAE6C,QACRE,EAAQ79C,KACjB4zC,EAAO1oD,MAAQ4vD,EAAEmD,mBACjBrK,EAAOwG,EAAIp6C,GAEb,SAEF,KAAK86C,EAAEmD,mBACLrK,EAAOgK,SAAW59C,EACdA,IAAM4zC,EAAOwG,IACfxG,EAAO1oD,MAAQ4vD,EAAEiD,YACjBnK,EAAOwG,EAAI,IAEb,SAEF,KAAKU,EAAE2C,QACK,MAANz9C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEoD,eAEjBtK,EAAO8J,SAAW19C,EAEpB,SAEF,KAAK86C,EAAEoD,eACK,MAANl+C,GACF4zC,EAAO1oD,MAAQ4vD,EAAEqD,cACjBvK,EAAO8J,QAAUU,EAASxK,EAAOgG,IAAKhG,EAAO8J,SACzC9J,EAAO8J,SACTH,EAAS3J,EAAQ,YAAaA,EAAO8J,SAEvC9J,EAAO8J,QAAU,KAEjB9J,EAAO8J,SAAW,IAAM19C,EACxB4zC,EAAO1oD,MAAQ4vD,EAAE2C,SAEnB,SAEF,KAAK3C,EAAEqD,cACK,MAANn+C,GACFo8C,EAAWxI,EAAQ,qBAGnBA,EAAO8J,SAAW,KAAO19C,EACzB4zC,EAAO1oD,MAAQ4vD,EAAE2C,SAEjB7J,EAAO1oD,MAAQ4vD,EAAEiB,KAEnB,SAEF,KAAKjB,EAAEwC,MACK,MAANt9C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEuD,aAEjBzK,EAAO4J,OAASx9C,EAElB,SAEF,KAAK86C,EAAEuD,aACK,MAANr+C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEwD,gBAEjB1K,EAAO4J,OAAS,IAAMx9C,EACtB4zC,EAAO1oD,MAAQ4vD,EAAEwC,OAEnB,SAEF,KAAKxC,EAAEwD,eACK,MAANt+C,GACE4zC,EAAO4J,OACTD,EAAS3J,EAAQ,UAAWA,EAAO4J,OAErCD,EAAS3J,EAAQ,gBACjBA,EAAO4J,MAAQ,GACf5J,EAAO1oD,MAAQ4vD,EAAEiB,MACF,MAAN/7C,EACT4zC,EAAO4J,OAAS,KAEhB5J,EAAO4J,OAAS,KAAOx9C,EACvB4zC,EAAO1oD,MAAQ4vD,EAAEwC,OAEnB,SAEF,KAAKxC,EAAEoC,UACK,MAANl9C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEyD,iBACRpC,EAAan8C,GACtB4zC,EAAO1oD,MAAQ4vD,EAAE0D,eAEjB5K,EAAOuJ,cAAgBn9C,EAEzB,SAEF,KAAK86C,EAAE0D,eACL,IAAK5K,EAAOwJ,cAAgBjB,EAAan8C,GACvC,SACe,MAANA,EACT4zC,EAAO1oD,MAAQ4vD,EAAEyD,iBAEjB3K,EAAOwJ,cAAgBp9C,EAEzB,SAEF,KAAK86C,EAAEyD,iBACK,MAANv+C,GACFu9C,EAAS3J,EAAQ,0BAA2B,CAC1C3wD,KAAM2wD,EAAOuJ,aACb3zD,KAAMoqD,EAAOwJ,eAEfxJ,EAAOuJ,aAAevJ,EAAOwJ,aAAe,GAC5CxJ,EAAO1oD,MAAQ4vD,EAAEiB,OAEjBnI,EAAOwJ,cAAgB,IAAMp9C,EAC7B4zC,EAAO1oD,MAAQ4vD,EAAE0D,gBAEnB,SAEF,KAAK1D,EAAEkC,SACDF,EAAQ2B,EAAUz+C,GACpB4zC,EAAOqJ,SAAWj9C,GAElB0+C,EAAO9K,GACG,MAAN5zC,EACF2+C,EAAQ/K,GACO,MAAN5zC,EACT4zC,EAAO1oD,MAAQ4vD,EAAE8D,gBAEZzC,EAAan8C,IAChBo8C,EAAWxI,EAAQ,iCAErBA,EAAO1oD,MAAQ4vD,EAAE+D,SAGrB,SAEF,KAAK/D,EAAE8D,eACK,MAAN5+C,GACF2+C,EAAQ/K,GAAQ,GAChBkL,EAASlL,KAETwI,EAAWxI,EAAQ,kDACnBA,EAAO1oD,MAAQ4vD,EAAE+D,QAEnB,SAEF,KAAK/D,EAAE+D,OAEL,GAAI1C,EAAan8C,GACf,SACe,MAANA,EACT2+C,EAAQ/K,GACO,MAAN5zC,EACT4zC,EAAO1oD,MAAQ4vD,EAAE8D,eACR9B,EAAQC,EAAW/8C,IAC5B4zC,EAAOmL,WAAa/+C,EACpB4zC,EAAOoL,YAAc,GACrBpL,EAAO1oD,MAAQ4vD,EAAEmE,aAEjB7C,EAAWxI,EAAQ,0BAErB,SAEF,KAAKkH,EAAEmE,YACK,MAANj/C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEoE,aACF,MAANl/C,GACTo8C,EAAWxI,EAAQ,2BACnBA,EAAOoL,YAAcpL,EAAOmL,WAC5BI,EAAOvL,GACP+K,EAAQ/K,IACCuI,EAAan8C,GACtB4zC,EAAO1oD,MAAQ4vD,EAAEsE,sBACRtC,EAAQ2B,EAAUz+C,GAC3B4zC,EAAOmL,YAAc/+C,EAErBo8C,EAAWxI,EAAQ,0BAErB,SAEF,KAAKkH,EAAEsE,sBACL,GAAU,MAANp/C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEoE,iBACZ,IAAI/C,EAAan8C,GACtB,SAEAo8C,EAAWxI,EAAQ,2BACnBA,EAAO3pC,IAAIijB,WAAW0mB,EAAOmL,YAAc,GAC3CnL,EAAOoL,YAAc,GACrBzB,EAAS3J,EAAQ,cAAe,CAC9B3wD,KAAM2wD,EAAOmL,WACb1zD,MAAO,KAETuoD,EAAOmL,WAAa,GACV,MAAN/+C,EACF2+C,EAAQ/K,GACCkJ,EAAQC,EAAW/8C,IAC5B4zC,EAAOmL,WAAa/+C,EACpB4zC,EAAO1oD,MAAQ4vD,EAAEmE,cAEjB7C,EAAWxI,EAAQ,0BACnBA,EAAO1oD,MAAQ4vD,EAAE+D,OAErB,CACA,SAEF,KAAK/D,EAAEoE,aACL,GAAI/C,EAAan8C,GACf,SACS69C,EAAQ79C,IACjB4zC,EAAOwG,EAAIp6C,EACX4zC,EAAO1oD,MAAQ4vD,EAAEuE,sBAEjBjD,EAAWxI,EAAQ,4BACnBA,EAAO1oD,MAAQ4vD,EAAEwE,sBACjB1L,EAAOoL,YAAch/C,GAEvB,SAEF,KAAK86C,EAAEuE,oBACL,GAAIr/C,IAAM4zC,EAAOwG,EAAG,CACR,MAANp6C,EACF4zC,EAAO1oD,MAAQ4vD,EAAEyE,sBAEjB3L,EAAOoL,aAAeh/C,EAExB,QACF,CACAm/C,EAAOvL,GACPA,EAAOwG,EAAI,GACXxG,EAAO1oD,MAAQ4vD,EAAE0E,oBACjB,SAEF,KAAK1E,EAAE0E,oBACDrD,EAAan8C,GACf4zC,EAAO1oD,MAAQ4vD,EAAE+D,OACF,MAAN7+C,EACT2+C,EAAQ/K,GACO,MAAN5zC,EACT4zC,EAAO1oD,MAAQ4vD,EAAE8D,eACR9B,EAAQC,EAAW/8C,IAC5Bo8C,EAAWxI,EAAQ,oCACnBA,EAAOmL,WAAa/+C,EACpB4zC,EAAOoL,YAAc,GACrBpL,EAAO1oD,MAAQ4vD,EAAEmE,aAEjB7C,EAAWxI,EAAQ,0BAErB,SAEF,KAAKkH,EAAEwE,sBACL,IAAKG,EAAYz/C,GAAI,CACT,MAANA,EACF4zC,EAAO1oD,MAAQ4vD,EAAE4E,sBAEjB9L,EAAOoL,aAAeh/C,EAExB,QACF,CACAm/C,EAAOvL,GACG,MAAN5zC,EACF2+C,EAAQ/K,GAERA,EAAO1oD,MAAQ4vD,EAAE+D,OAEnB,SAEF,KAAK/D,EAAE6B,UACL,GAAK/I,EAAOqJ,QAaK,MAANj9C,EACT8+C,EAASlL,GACAkJ,EAAQ2B,EAAUz+C,GAC3B4zC,EAAOqJ,SAAWj9C,EACT4zC,EAAO8I,QAChB9I,EAAO8I,QAAU,KAAO9I,EAAOqJ,QAC/BrJ,EAAOqJ,QAAU,GACjBrJ,EAAO1oD,MAAQ4vD,EAAE0B,SAEZL,EAAan8C,IAChBo8C,EAAWxI,EAAQ,kCAErBA,EAAO1oD,MAAQ4vD,EAAE6E,yBAzBE,CACnB,GAAIxD,EAAan8C,GACf,SACS4/C,EAAS7C,EAAW/8C,GACzB4zC,EAAO8I,QACT9I,EAAO8I,QAAU,KAAO18C,EACxB4zC,EAAO1oD,MAAQ4vD,EAAE0B,QAEjBJ,EAAWxI,EAAQ,mCAGrBA,EAAOqJ,QAAUj9C,CAErB,CAcA,SAEF,KAAK86C,EAAE6E,oBACL,GAAIxD,EAAan8C,GACf,SAEQ,MAANA,EACF8+C,EAASlL,GAETwI,EAAWxI,EAAQ,qCAErB,SAEF,KAAKkH,EAAEuB,YACP,KAAKvB,EAAEyE,sBACP,KAAKzE,EAAE4E,sBACL,IAAIG,EACA/G,EACJ,OAAQlF,EAAO1oD,OACb,KAAK4vD,EAAEuB,YACLwD,EAAc/E,EAAEiB,KAChBjD,EAAS,WACT,MAEF,KAAKgC,EAAEyE,sBACLM,EAAc/E,EAAEuE,oBAChBvG,EAAS,cACT,MAEF,KAAKgC,EAAE4E,sBACLG,EAAc/E,EAAEwE,sBAChBxG,EAAS,cAIb,GAAU,MAAN94C,EACF,GAAI4zC,EAAOgG,IAAIkG,iBAAkB,CAC/B,IAAIC,EAAeC,EAAYpM,GAC/BA,EAAOqM,OAAS,GAChBrM,EAAO1oD,MAAQ20D,EACfjM,EAAO+H,MAAMoE,EACf,MACEnM,EAAOkF,IAAWkH,EAAYpM,GAC9BA,EAAOqM,OAAS,GAChBrM,EAAO1oD,MAAQ20D,OAER/C,EAAQlJ,EAAOqM,OAAOt8D,OAASu8D,EAAaC,EAAangD,GAClE4zC,EAAOqM,QAAUjgD,GAEjBo8C,EAAWxI,EAAQ,oCACnBA,EAAOkF,IAAW,IAAMlF,EAAOqM,OAASjgD,EACxC4zC,EAAOqM,OAAS,GAChBrM,EAAO1oD,MAAQ20D,GAGjB,SAEF,QACE,MAAM,IAAI51D,MAAM2pD,EAAQ,kBAAoBA,EAAO1oD,OAQzD,OAHI0oD,EAAO/iC,UAAY+iC,EAAOyG,qBAt4ChC,SAA4BzG,GAG1B,IAFA,IAAIwM,EAAatqC,KAAKD,IAAI8jC,EAAIK,kBAAmB,IAC7CqG,EAAY,EACP58D,EAAI,EAAGC,EAAIw2D,EAAQv2D,OAAQF,EAAIC,EAAGD,IAAK,CAC9C,IAAIa,EAAMsvD,EAAOsG,EAAQz2D,IAAIE,OAC7B,GAAIW,EAAM87D,EAKR,OAAQlG,EAAQz2D,IACd,IAAK,WACH68D,EAAU1M,GACV,MAEF,IAAK,QACH2J,EAAS3J,EAAQ,UAAWA,EAAO4J,OACnC5J,EAAO4J,MAAQ,GACf,MAEF,IAAK,SACHD,EAAS3J,EAAQ,WAAYA,EAAO8I,QACpC9I,EAAO8I,OAAS,GAChB,MAEF,QACEz1D,EAAM2sD,EAAQ,+BAAiCsG,EAAQz2D,IAG7D48D,EAAYvqC,KAAKD,IAAIwqC,EAAW/7D,EAClC,CAEA,IAAIijB,EAAIoyC,EAAIK,kBAAoBqG,EAChCzM,EAAOyG,oBAAsB9yC,EAAIqsC,EAAO/iC,QAC1C,CAq2CI0vC,CAAkB3M,GAEbA,CACT,EAj1CE4M,OAAQ,WAAiC,OAAnBv+D,KAAKgF,MAAQ,KAAahF,IAAK,EACrDgiC,MAAO,WAAc,OAAOhiC,KAAK05D,MAAM,KAAM,EAC7ClnD,MAAO,WAjBT,IAAuBm/C,EACrB0M,EADqB1M,EAiBa3xD,MAfb,KAAjB2xD,EAAO4J,QACTD,EAAS3J,EAAQ,UAAWA,EAAO4J,OACnC5J,EAAO4J,MAAQ,IAEK,KAAlB5J,EAAO8I,SACTa,EAAS3J,EAAQ,WAAYA,EAAO8I,QACpC9I,EAAO8I,OAAS,GASsB,GAI1C,IACEzC,EAAS,eACX,CAAE,MAAOwG,GACPxG,EAAS,WAAa,CACxB,CACKA,IAAQA,EAAS,WAAa,GAEnC,IAAIyG,EAAc/G,EAAI8B,OAAOvqD,QAAO,SAAUyvD,GAC5C,MAAc,UAAPA,GAAyB,QAAPA,CAC3B,IAMA,SAAS7G,EAAWr9C,EAAQm9C,GAC1B,KAAM33D,gBAAgB63D,GACpB,OAAO,IAAIA,EAAUr9C,EAAQm9C,GAG/BK,EAAOv1D,MAAMzC,MAEbA,KAAK2+D,QAAU,IAAI/G,EAAUp9C,EAAQm9C,GACrC33D,KAAK6W,UAAW,EAChB7W,KAAK4+D,UAAW,EAEhB,IAAIC,EAAK7+D,KAETA,KAAK2+D,QAAQG,MAAQ,WACnBD,EAAG/8D,KAAK,MACV,EAEA9B,KAAK2+D,QAAQ75D,QAAU,SAAUyxD,GAC/BsI,EAAG/8D,KAAK,QAASy0D,GAIjBsI,EAAGF,QAAQ35D,MAAQ,IACrB,EAEAhF,KAAK++D,SAAW,KAEhBN,EAAYpwD,SAAQ,SAAUqwD,GAC5Bn/D,OAAOoX,eAAekoD,EAAI,KAAOH,EAAI,CACnC/wD,IAAK,WACH,OAAOkxD,EAAGF,QAAQ,KAAOD,EAC3B,EACA1uD,IAAK,SAAUqR,GACb,IAAKA,EAGH,OAFAw9C,EAAGj8D,mBAAmB87D,GACtBG,EAAGF,QAAQ,KAAOD,GAAMr9C,EACjBA,EAETw9C,EAAGl8D,GAAG+7D,EAAIr9C,EACZ,EACAtK,YAAY,EACZD,cAAc,GAElB,GACF,CAEA+gD,EAAUr4D,UAAYD,OAAOqB,OAAOo3D,EAAOx4D,UAAW,CACpDk2B,YAAa,CACXtsB,MAAOyuD,KAIXA,EAAUr4D,UAAUk6D,MAAQ,SAAUxvD,GACpC,GAAsB,mBAAX4sD,GACkB,mBAApBA,EAAOkI,UACdlI,EAAOkI,SAAS90D,GAAO,CACvB,IAAKlK,KAAK++D,SAAU,CAClB,IAAIE,EAAK,WACTj/D,KAAK++D,SAAW,IAAIE,EAAG,OACzB,CACA/0D,EAAOlK,KAAK++D,SAASrF,MAAMxvD,EAC7B,CAIA,OAFAlK,KAAK2+D,QAAQjF,MAAMxvD,EAAK1G,YACxBxD,KAAK8B,KAAK,OAAQoI,IACX,CACT,EAEA2tD,EAAUr4D,UAAU8mB,IAAM,SAAUqzC,GAKlC,OAJIA,GAASA,EAAMj4D,QACjB1B,KAAK05D,MAAMC,GAEb35D,KAAK2+D,QAAQr4C,OACN,CACT,EAEAuxC,EAAUr4D,UAAUmD,GAAK,SAAU+7D,EAAIv1C,GACrC,IAAI01C,EAAK7+D,KAST,OARK6+D,EAAGF,QAAQ,KAAOD,KAAoC,IAA7BD,EAAYprD,QAAQqrD,KAChDG,EAAGF,QAAQ,KAAOD,GAAM,WACtB,IAAIt8D,EAA4B,IAArBE,UAAUZ,OAAe,CAACY,UAAU,IAAMV,MAAMa,MAAM,KAAMH,WACvEF,EAAKkR,OAAO,EAAG,EAAGorD,GAClBG,EAAG/8D,KAAKW,MAAMo8D,EAAIz8D,EACpB,GAGK41D,EAAOx4D,UAAUmD,GAAGzB,KAAK29D,EAAIH,EAAIv1C,EAC1C,EAIA,IAAIkyC,EAAQ,UACRK,EAAU,UACVwD,EAAgB,uCAChBC,EAAkB,gCAClB9F,EAAS,CAAE+F,IAAKF,EAAe/F,MAAOgG,GAQtCrE,EAAY,4JAEZ0B,EAAW,gMAEX0B,EAAc,6JACdD,EAAa,iMAEjB,SAAS/D,EAAcn8C,GACrB,MAAa,MAANA,GAAmB,OAANA,GAAoB,OAANA,GAAoB,OAANA,CAClD,CAEA,SAAS69C,EAAS79C,GAChB,MAAa,MAANA,GAAmB,MAANA,CACtB,CAEA,SAASy/C,EAAaz/C,GACpB,MAAa,MAANA,GAAam8C,EAAan8C,EACnC,CAEA,SAAS88C,EAAShvC,EAAO9N,GACvB,OAAO8N,EAAM7lB,KAAK+X,EACpB,CAEA,SAAS4/C,EAAU9xC,EAAO9N,GACxB,OAAQ88C,EAAQhvC,EAAO9N,EACzB,CAEA,IAgsCQshD,EACA5X,EACA6X,EAlsCJzG,EAAI,EAsTR,IAAK,IAAI0G,KArTT7H,EAAI8H,MAAQ,CACV1G,MAAOD,IACPe,iBAAkBf,IAClBiB,KAAMjB,IACNuB,YAAavB,IACbwB,UAAWxB,IACX8B,UAAW9B,IACXgD,iBAAkBhD,IAClB6C,QAAS7C,IACTkD,eAAgBlD,IAChBiD,YAAajD,IACbmD,mBAAoBnD,IACpB4G,iBAAkB5G,IAClB2C,QAAS3C,IACToD,eAAgBpD,IAChBqD,cAAerD,IACfwC,MAAOxC,IACPuD,aAAcvD,IACdwD,eAAgBxD,IAChBoC,UAAWpC,IACX0D,eAAgB1D,IAChByD,iBAAkBzD,IAClBkC,SAAUlC,IACV8D,eAAgB9D,IAChB+D,OAAQ/D,IACRmE,YAAanE,IACbsE,sBAAuBtE,IACvBoE,aAAcpE,IACduE,oBAAqBvE,IACrB0E,oBAAqB1E,IACrBwE,sBAAuBxE,IACvByE,sBAAuBzE,IACvB4E,sBAAuB5E,IACvB6B,UAAW7B,IACX6E,oBAAqB7E,IACrB0B,OAAQ1B,IACR2B,cAAe3B,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,MAGXz5D,OAAO4K,KAAKutD,EAAIsB,UAAU3qD,SAAQ,SAAUnF,GAC1C,IAAI/D,EAAIuyD,EAAIsB,SAAS9vD,GACjBq2D,EAAiB,iBAANp6D,EAAiB+B,OAAOC,aAAahC,GAAKA,EACzDuyD,EAAIsB,SAAS9vD,GAAOq2D,CACtB,IAEc7H,EAAI8H,MAChB9H,EAAI8H,MAAM9H,EAAI8H,MAAMD,IAAMA,EAM5B,SAASz9D,EAAM6vD,EAAQxxD,EAAO+J,GAC5BynD,EAAOxxD,IAAUwxD,EAAOxxD,GAAO+J,EACjC,CAEA,SAASoxD,EAAU3J,EAAQ+N,EAAUx1D,GAC/BynD,EAAOqI,UAAUqE,EAAU1M,GAC/B7vD,EAAK6vD,EAAQ+N,EAAUx1D,EACzB,CAEA,SAASm0D,EAAW1M,GAClBA,EAAOqI,SAAWmC,EAASxK,EAAOgG,IAAKhG,EAAOqI,UAC1CrI,EAAOqI,UAAUl4D,EAAK6vD,EAAQ,SAAUA,EAAOqI,UACnDrI,EAAOqI,SAAW,EACpB,CAEA,SAASmC,EAAUxE,EAAKtqD,GAGtB,OAFIsqD,EAAIp8C,OAAMlO,EAAOA,EAAKkO,QACtBo8C,EAAIgI,YAAWtyD,EAAOA,EAAKpF,QAAQ,OAAQ,MACxCoF,CACT,CAEA,SAASrI,EAAO2sD,EAAQ4E,GAUtB,OATA8H,EAAU1M,GACNA,EAAO2H,gBACT/C,GAAM,WAAa5E,EAAO4H,KACxB,aAAe5H,EAAOpN,OACtB,WAAaoN,EAAO5zC,GAExBw4C,EAAK,IAAIvuD,MAAMuuD,GACf5E,EAAO3sD,MAAQuxD,EACfz0D,EAAK6vD,EAAQ,UAAW4E,GACjB5E,CACT,CAEA,SAASrrC,EAAKqrC,GAYZ,OAXIA,EAAOgH,UAAYhH,EAAO+G,YAAYyB,EAAWxI,EAAQ,qBACxDA,EAAO1oD,QAAU4vD,EAAEC,OACrBnH,EAAO1oD,QAAU4vD,EAAEe,kBACnBjI,EAAO1oD,QAAU4vD,EAAEiB,MACpB90D,EAAM2sD,EAAQ,kBAEhB0M,EAAU1M,GACVA,EAAO5zC,EAAI,GACX4zC,EAAO8G,QAAS,EAChB32D,EAAK6vD,EAAQ,SACbiG,EAAU12D,KAAKywD,EAAQA,EAAOn3C,OAAQm3C,EAAOgG,KACtChG,CACT,CAEA,SAASwI,EAAYxI,EAAQtpD,GAC3B,GAAsB,iBAAXspD,KAAyBA,aAAkBiG,GACpD,MAAM,IAAI5vD,MAAM,0BAEd2pD,EAAOn3C,QACTxV,EAAM2sD,EAAQtpD,EAElB,CAEA,SAASo0D,EAAQ9K,GACVA,EAAOn3C,SAAQm3C,EAAOqJ,QAAUrJ,EAAOqJ,QAAQrJ,EAAO4G,cAC3D,IAAI54C,EAASgyC,EAAO6G,KAAK7G,EAAO6G,KAAK92D,OAAS,IAAMiwD,EAChD3pC,EAAM2pC,EAAO3pC,IAAM,CAAEhnB,KAAM2wD,EAAOqJ,QAAS/vB,WAAY,CAAC,GAGxD0mB,EAAOgG,IAAIwB,QACbnxC,EAAIoxC,GAAKz5C,EAAOy5C,IAElBzH,EAAOuH,WAAWx3D,OAAS,EAC3B45D,EAAS3J,EAAQ,iBAAkB3pC,EACrC,CAEA,SAAS43C,EAAO5+D,EAAMmqC,GACpB,IACI00B,EADI7+D,EAAKqS,QAAQ,KACF,EAAI,CAAE,GAAIrS,GAASA,EAAK4X,MAAM,KAC7ClZ,EAASmgE,EAAS,GAClBC,EAAQD,EAAS,GAQrB,OALI10B,GAAsB,UAATnqC,IACftB,EAAS,QACTogE,EAAQ,IAGH,CAAEpgE,OAAQA,EAAQogE,MAAOA,EAClC,CAEA,SAAS5C,EAAQvL,GAKf,GAJKA,EAAOn3C,SACVm3C,EAAOmL,WAAanL,EAAOmL,WAAWnL,EAAO4G,eAGO,IAAlD5G,EAAOuH,WAAW7lD,QAAQs+C,EAAOmL,aACnCnL,EAAO3pC,IAAIijB,WAAWxrC,eAAekyD,EAAOmL,YAC5CnL,EAAOmL,WAAanL,EAAOoL,YAAc,OAF3C,CAMA,GAAIpL,EAAOgG,IAAIwB,MAAO,CACpB,IAAI4G,EAAKH,EAAMjO,EAAOmL,YAAY,GAC9Bp9D,EAASqgE,EAAGrgE,OACZogE,EAAQC,EAAGD,MAEf,GAAe,UAAXpgE,EAEF,GAAc,QAAVogE,GAAmBnO,EAAOoL,cAAgBmC,EAC5C/E,EAAWxI,EACT,gCAAkCuN,EAAlC,aACavN,EAAOoL,kBACjB,GAAc,UAAV+C,GAAqBnO,EAAOoL,cAAgBoC,EACrDhF,EAAWxI,EACT,kCAAoCwN,EAApC,aACaxN,EAAOoL,iBACjB,CACL,IAAI/0C,EAAM2pC,EAAO3pC,IACbrI,EAASgyC,EAAO6G,KAAK7G,EAAO6G,KAAK92D,OAAS,IAAMiwD,EAChD3pC,EAAIoxC,KAAOz5C,EAAOy5C,KACpBpxC,EAAIoxC,GAAK75D,OAAOqB,OAAO+e,EAAOy5C,KAEhCpxC,EAAIoxC,GAAG0G,GAASnO,EAAOoL,WACzB,CAMFpL,EAAOuH,WAAW14D,KAAK,CAACmxD,EAAOmL,WAAYnL,EAAOoL,aACpD,MAEEpL,EAAO3pC,IAAIijB,WAAW0mB,EAAOmL,YAAcnL,EAAOoL,YAClDzB,EAAS3J,EAAQ,cAAe,CAC9B3wD,KAAM2wD,EAAOmL,WACb1zD,MAAOuoD,EAAOoL,cAIlBpL,EAAOmL,WAAanL,EAAOoL,YAAc,EAxCzC,CAyCF,CAEA,SAASL,EAAS/K,EAAQqO,GACxB,GAAIrO,EAAOgG,IAAIwB,MAAO,CAEpB,IAAInxC,EAAM2pC,EAAO3pC,IAGb+3C,EAAKH,EAAMjO,EAAOqJ,SACtBhzC,EAAItoB,OAASqgE,EAAGrgE,OAChBsoB,EAAI83C,MAAQC,EAAGD,MACf93C,EAAIi4C,IAAMj4C,EAAIoxC,GAAG2G,EAAGrgE,SAAW,GAE3BsoB,EAAItoB,SAAWsoB,EAAIi4C,MACrB9F,EAAWxI,EAAQ,6BACjBxlD,KAAKC,UAAUulD,EAAOqJ,UACxBhzC,EAAIi4C,IAAMF,EAAGrgE,QAGf,IAAIigB,EAASgyC,EAAO6G,KAAK7G,EAAO6G,KAAK92D,OAAS,IAAMiwD,EAChD3pC,EAAIoxC,IAAMz5C,EAAOy5C,KAAOpxC,EAAIoxC,IAC9B75D,OAAO4K,KAAK6d,EAAIoxC,IAAI/qD,SAAQ,SAAU2I,GACpCskD,EAAS3J,EAAQ,kBAAmB,CAClCjyD,OAAQsX,EACRipD,IAAKj4C,EAAIoxC,GAAGpiD,IAEhB,IAMF,IAAK,IAAIxV,EAAI,EAAGC,EAAIkwD,EAAOuH,WAAWx3D,OAAQF,EAAIC,EAAGD,IAAK,CACxD,IAAI0+D,EAAKvO,EAAOuH,WAAW13D,GACvBR,EAAOk/D,EAAG,GACV92D,EAAQ82D,EAAG,GACXL,EAAWD,EAAM5+D,GAAM,GACvBtB,EAASmgE,EAASngE,OAClBogE,EAAQD,EAASC,MACjBG,EAAiB,KAAXvgE,EAAgB,GAAMsoB,EAAIoxC,GAAG15D,IAAW,GAC9CyG,EAAI,CACNnF,KAAMA,EACNoI,MAAOA,EACP1J,OAAQA,EACRogE,MAAOA,EACPG,IAAKA,GAKHvgE,GAAqB,UAAXA,IAAuBugE,IACnC9F,EAAWxI,EAAQ,6BACjBxlD,KAAKC,UAAU1M,IACjByG,EAAE85D,IAAMvgE,GAEViyD,EAAO3pC,IAAIijB,WAAWjqC,GAAQmF,EAC9Bm1D,EAAS3J,EAAQ,cAAexrD,EAClC,CACAwrD,EAAOuH,WAAWx3D,OAAS,CAC7B,CAEAiwD,EAAO3pC,IAAIm4C,gBAAkBH,EAG7BrO,EAAOgH,SAAU,EACjBhH,EAAO6G,KAAKh4D,KAAKmxD,EAAO3pC,KACxBszC,EAAS3J,EAAQ,YAAaA,EAAO3pC,KAChCg4C,IAEErO,EAAOiH,UAA6C,WAAjCjH,EAAOqJ,QAAQnyD,cAGrC8oD,EAAO1oD,MAAQ4vD,EAAEiB,KAFjBnI,EAAO1oD,MAAQ4vD,EAAE0B,OAInB5I,EAAO3pC,IAAM,KACb2pC,EAAOqJ,QAAU,IAEnBrJ,EAAOmL,WAAanL,EAAOoL,YAAc,GACzCpL,EAAOuH,WAAWx3D,OAAS,CAC7B,CAEA,SAASm7D,EAAUlL,GACjB,IAAKA,EAAOqJ,QAIV,OAHAb,EAAWxI,EAAQ,0BACnBA,EAAOqI,UAAY,WACnBrI,EAAO1oD,MAAQ4vD,EAAEiB,MAInB,GAAInI,EAAO8I,OAAQ,CACjB,GAAuB,WAAnB9I,EAAOqJ,QAIT,OAHArJ,EAAO8I,QAAU,KAAO9I,EAAOqJ,QAAU,IACzCrJ,EAAOqJ,QAAU,QACjBrJ,EAAO1oD,MAAQ4vD,EAAE0B,QAGnBe,EAAS3J,EAAQ,WAAYA,EAAO8I,QACpC9I,EAAO8I,OAAS,EAClB,CAIA,IAAIz8B,EAAI2zB,EAAO6G,KAAK92D,OAChBs5D,EAAUrJ,EAAOqJ,QAChBrJ,EAAOn3C,SACVwgD,EAAUA,EAAQrJ,EAAO4G,cAG3B,IADA,IAAI6H,EAAUpF,EACPh9B,KACO2zB,EAAO6G,KAAKx6B,GACdh9B,OAASo/D,GAEjBjG,EAAWxI,EAAQ,wBAOvB,GAAI3zB,EAAI,EAIN,OAHAm8B,EAAWxI,EAAQ,0BAA4BA,EAAOqJ,SACtDrJ,EAAOqI,UAAY,KAAOrI,EAAOqJ,QAAU,SAC3CrJ,EAAO1oD,MAAQ4vD,EAAEiB,MAGnBnI,EAAOqJ,QAAUA,EAEjB,IADA,IAAIuE,EAAI5N,EAAO6G,KAAK92D,OACb69D,KAAMvhC,GAAG,CACd,IAAIhW,EAAM2pC,EAAO3pC,IAAM2pC,EAAO6G,KAAK90C,MACnCiuC,EAAOqJ,QAAUrJ,EAAO3pC,IAAIhnB,KAC5Bs6D,EAAS3J,EAAQ,aAAcA,EAAOqJ,SAEtC,IAAI9gD,EAAI,CAAC,EACT,IAAK,IAAI1Y,KAAKwmB,EAAIoxC,GAChBl/C,EAAE1Y,GAAKwmB,EAAIoxC,GAAG53D,GAGhB,IAAIme,EAASgyC,EAAO6G,KAAK7G,EAAO6G,KAAK92D,OAAS,IAAMiwD,EAChDA,EAAOgG,IAAIwB,OAASnxC,EAAIoxC,KAAOz5C,EAAOy5C,IAExC75D,OAAO4K,KAAK6d,EAAIoxC,IAAI/qD,SAAQ,SAAU2I,GACpC,IAAI+e,EAAI/N,EAAIoxC,GAAGpiD,GACfskD,EAAS3J,EAAQ,mBAAoB,CAAEjyD,OAAQsX,EAAGipD,IAAKlqC,GACzD,GAEJ,CACU,IAANiI,IAAS2zB,EAAO+G,YAAa,GACjC/G,EAAOqJ,QAAUrJ,EAAOoL,YAAcpL,EAAOmL,WAAa,GAC1DnL,EAAOuH,WAAWx3D,OAAS,EAC3BiwD,EAAO1oD,MAAQ4vD,EAAEiB,IACnB,CAEA,SAASiE,EAAapM,GACpB,IAEI0O,EAFArC,EAASrM,EAAOqM,OAChBsC,EAAWtC,EAAOn1D,cAElB03D,EAAS,GAEb,OAAI5O,EAAOqH,SAASgF,GACXrM,EAAOqH,SAASgF,GAErBrM,EAAOqH,SAASsH,GACX3O,EAAOqH,SAASsH,IAGA,OADzBtC,EAASsC,GACE98C,OAAO,KACS,MAArBw6C,EAAOx6C,OAAO,IAChBw6C,EAASA,EAAO78D,MAAM,GAEtBo/D,GADAF,EAAM3pB,SAASsnB,EAAQ,KACVx6D,SAAS,MAEtBw6D,EAASA,EAAO78D,MAAM,GAEtBo/D,GADAF,EAAM3pB,SAASsnB,EAAQ,KACVx6D,SAAS,MAG1Bw6D,EAASA,EAAO/1D,QAAQ,MAAO,IAC3BqT,MAAM+kD,IAAQE,EAAO13D,gBAAkBm1D,GACzC7D,EAAWxI,EAAQ,4BACZ,IAAMA,EAAOqM,OAAS,KAGxB92D,OAAOo4D,cAAce,GAC9B,CAEA,SAASxG,EAAiBlI,EAAQ5zC,GACtB,MAANA,GACF4zC,EAAO1oD,MAAQ4vD,EAAEwB,UACjB1I,EAAO2I,iBAAmB3I,EAAO/iC,UACvBsrC,EAAan8C,KAGvBo8C,EAAWxI,EAAQ,oCACnBA,EAAOqI,SAAWj8C,EAClB4zC,EAAO1oD,MAAQ4vD,EAAEiB,KAErB,CAEA,SAASt2C,EAAQm2C,EAAOn4D,GACtB,IAAIuG,EAAS,GAIb,OAHIvG,EAAIm4D,EAAMj4D,SACZqG,EAAS4xD,EAAMn2C,OAAOhiB,IAEjBuG,CACT,CAtVA8wD,EAAInB,EAAI8H,MAm4BHt4D,OAAOo4D,gBAEJD,EAAqBn4D,OAAOC,aAC5BsgD,EAAQ5zB,KAAK4zB,MACb6X,EAAgB,WAClB,IAEIkB,EACAC,EAFAC,EAAY,GAGZ7jD,GAAS,EACTnb,EAASY,UAAUZ,OACvB,IAAKA,EACH,MAAO,GAGT,IADA,IAAIqG,EAAS,KACJ8U,EAAQnb,GAAQ,CACvB,IAAIi/D,EAAY1lD,OAAO3Y,UAAUua,IACjC,IACG+jD,SAASD,IACVA,EAAY,GACZA,EAAY,SACZlZ,EAAMkZ,KAAeA,EAErB,MAAMzK,WAAW,uBAAyByK,GAExCA,GAAa,MACfD,EAAUlgE,KAAKmgE,IAIfH,EAAoC,QADpCG,GAAa,QACiB,IAC9BF,EAAgBE,EAAY,KAAS,MACrCD,EAAUlgE,KAAKggE,EAAeC,KAE5B5jD,EAAQ,IAAMnb,GAAUg/D,EAAUh/D,OA7BzB,SA8BXqG,GAAUs3D,EAAmB58D,MAAM,KAAMi+D,GACzCA,EAAUh/D,OAAS,EAEvB,CACA,OAAOqG,CACT,EAEIxI,OAAOoX,eACTpX,OAAOoX,eAAezP,OAAQ,gBAAiB,CAC7CkC,MAAOk2D,EACPxoD,cAAc,EACdD,UAAU,IAGZ3P,OAAOo4D,cAAgBA,EAI9B,CAriDA,CAqiDmDt8D,0CCriDnD,SAAUiB,EAAQzB,GACf,aAEA,IAAIyB,EAAO48D,aAAX,CAIA,IAIIC,EA6HIC,EAZAC,EArBAC,EACAC,EAjGJC,EAAa,EACbC,EAAgB,CAAC,EACjBC,GAAwB,EACxBC,EAAMr9D,EAAOwB,SAoJb87D,EAAWhiE,OAAO42D,gBAAkB52D,OAAO42D,eAAelyD,GAC9Ds9D,EAAWA,GAAYA,EAAS36D,WAAa26D,EAAWt9D,EAGf,qBAArC,CAAC,EAAET,SAAStC,KAAK+C,EAAOu9D,SApFxBV,EAAoB,SAASW,GACzBD,EAAQE,UAAS,WAAcC,EAAaF,EAAS,GACzD,EAGJ,WAGI,GAAIx9D,EAAO29D,cAAgB39D,EAAO49D,cAAe,CAC7C,IAAIC,GAA4B,EAC5BC,EAAe99D,EAAO+9D,UAM1B,OALA/9D,EAAO+9D,UAAY,WACfF,GAA4B,CAChC,EACA79D,EAAO29D,YAAY,GAAI,KACvB39D,EAAO+9D,UAAYD,EACZD,CACX,CACJ,CAsEWG,IA/DHhB,EAAgB,gBAAkBptC,KAAKm0B,SAAW,IAClDkZ,EAAkB,SAAS/gE,GACvBA,EAAMgkB,SAAWlgB,GACK,iBAAf9D,EAAM+J,MACyB,IAAtC/J,EAAM+J,KAAKmJ,QAAQ4tD,IACnBU,GAAcxhE,EAAM+J,KAAK/I,MAAM8/D,EAAcv/D,QAErD,EAEIuC,EAAOmqB,iBACPnqB,EAAOmqB,iBAAiB,UAAW8yC,GAAiB,GAEpDj9D,EAAOi+D,YAAY,YAAahB,GAGpCJ,EAAoB,SAASW,GACzBx9D,EAAO29D,YAAYX,EAAgBQ,EAAQ,IAC/C,GAkDOx9D,EAAOk+D,iBA9CVnB,EAAU,IAAImB,gBACVC,MAAMJ,UAAY,SAAS7hE,GAE/BwhE,EADaxhE,EAAM+J,KAEvB,EAEA42D,EAAoB,SAASW,GACzBT,EAAQqB,MAAMT,YAAYH,EAC9B,GA0COH,GAAO,uBAAwBA,EAAIl7D,cAAc,WAtCpD26D,EAAOO,EAAIvxC,gBACf+wC,EAAoB,SAASW,GAGzB,IAAIhH,EAAS6G,EAAIl7D,cAAc,UAC/Bq0D,EAAO6H,mBAAqB,WACxBX,EAAaF,GACbhH,EAAO6H,mBAAqB,KAC5BvB,EAAKwB,YAAY9H,GACjBA,EAAS,IACb,EACAsG,EAAK9gC,YAAYw6B,EACrB,GAIAqG,EAAoB,SAASW,GACzB76D,WAAW+6D,EAAc,EAAGF,EAChC,EA6BJF,EAASV,aA1KT,SAAsB5tD,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,IAAIghE,EAAO,CAAEvvD,SAAUA,EAAU7Q,KAAMA,GAGvC,OAFAg/D,EAAcD,GAAcqB,EAC5B1B,EAAkBK,GACXA,GACT,EA4JAI,EAASkB,eAAiBA,CAnL1B,CAyBA,SAASA,EAAehB,UACbL,EAAcK,EACzB,CAwBA,SAASE,EAAaF,GAGlB,GAAIJ,EAGAz6D,WAAW+6D,EAAc,EAAGF,OACzB,CACH,IAAIe,EAAOpB,EAAcK,GACzB,GAAIe,EAAM,CACNnB,GAAwB,EACxB,KAjCZ,SAAamB,GACT,IAAIvvD,EAAWuvD,EAAKvvD,SAChB7Q,EAAOogE,EAAKpgE,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,CAAIysD,EACR,CAAE,QACEC,EAAehB,GACfJ,GAAwB,CAC5B,CACJ,CACJ,CACJ,CA8GJ,CAzLA,CAyLkB,oBAATr9D,UAAyC,IAAX,EAAA0+D,EAAyB1iE,KAAO,EAAA0iE,EAAS1+D,iBCtKhF,SAAS0uB,EAAcxY,EAAWyoD,GAChC,OAAO,MAACzoD,EAAiCyoD,EAAIzoD,CAC/C,CA8EAnX,EAAOC,QA5EP,SAAiBgO,GAEf,IAbyB4xD,EAarBhvC,EAAMlB,GADV1hB,EAAUA,GAAW,CAAC,GACA4iB,IAAK,GACvBkM,EAAMpN,EAAI1hB,EAAQ8uB,IAAK,GACvB+iC,EAAYnwC,EAAI1hB,EAAQ6xD,WAAW,GACnCC,EAAqBpwC,EAAI1hB,EAAQ8xD,oBAAoB,GAErDC,EAA2B,KAC3BC,EAAoC,KACpCC,EAAmC,KAEnCh0D,GAtBqB2zD,EAsBMlwC,EAAI1hB,EAAQkyD,oBAAqB,KArBzD,SAAUC,EAAgBjqD,EAAOkqD,GAEtC,OAAOD,EADOC,GAAMA,EAAKR,IACQ1pD,EAAQiqD,EAC3C,GAoBA,SAAShxB,IACPkxB,EAAOvjC,EACT,CAWA,SAASujC,EAAOC,EAAwBC,GAKtC,GAJyB,iBAAdA,IACTA,EAAY9xD,KAAKjG,OAGfw3D,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,EACAx0D,EAAO8zD,EAAMU,EAAaD,GAC9BP,EAAeK,EACfN,EAAgBO,CAhB+C,CAiBjE,CAkBA,MAAO,CACLpxB,MAAOA,EACPtK,MApDF,WACEk7B,EAAO,KACPC,EAAgB,KAChBC,EAAe,KACXJ,GACF1wB,GAEJ,EA8CEkxB,OAAQA,EACRK,SApBF,SAAkBH,GAChB,GAAqB,OAAjBN,EAAyB,OAAOU,IACpC,GAAIV,GAAgBrvC,EAAO,OAAO,EAClC,GAAa,OAATmvC,EAAiB,OAAOY,IAE5B,IAAIC,GAAiBhwC,EAAMqvC,GAAgBF,EAI3C,MAHyB,iBAAdQ,GAAmD,iBAAlBP,IAC1CY,GAA+C,MAA7BL,EAAYP,IAEzBnvC,KAAKD,IAAI,EAAGgwC,EACrB,EAWEb,KATF,WACE,OAAgB,OAATA,EAAgB,EAAIA,CAC7B,EASF,mBC5EAhgE,EAAOC,QAAUg1D,EAEjB,IAAIp4D,EAAK,sBAoBT,SAASo4D,IACPp4D,EAAGsB,KAAKlB,KACV,CArBe,EAAQ,MAEvB6jE,CAAS7L,EAAQp4D,GACjBo4D,EAAO8L,SAAW,EAAQ,OAC1B9L,EAAO+L,SAAW,EAAQ,OAC1B/L,EAAOgM,OAAS,EAAQ,OACxBhM,EAAOiM,UAAY,EAAQ,OAC3BjM,EAAOkM,YAAc,EAAQ,MAC7BlM,EAAOmM,SAAW,EAAQ,OAC1BnM,EAAOoM,SAAW,EAAQ,MAG1BpM,EAAOA,OAASA,EAWhBA,EAAOx4D,UAAU6kE,KAAO,SAASC,EAAMtzD,GACrC,IAAImT,EAASnkB,KAEb,SAASukE,EAAO5K,GACV2K,EAAKztD,WACH,IAAUytD,EAAK5K,MAAMC,IAAUx1C,EAAO+tB,OACxC/tB,EAAO+tB,OAGb,CAIA,SAASsyB,IACHrgD,EAAOy6C,UAAYz6C,EAAOo6C,QAC5Bp6C,EAAOo6C,QAEX,CANAp6C,EAAOxhB,GAAG,OAAQ4hE,GAQlBD,EAAK3hE,GAAG,QAAS6hE,GAIZF,EAAKG,UAAczzD,IAA2B,IAAhBA,EAAQsV,MACzCnC,EAAOxhB,GAAG,MAAOm8D,GACjB36C,EAAOxhB,GAAG,QAAS+hE,IAGrB,IAAIC,GAAW,EACf,SAAS7F,IACH6F,IACJA,GAAW,EAEXL,EAAKh+C,MACP,CAGA,SAASo+C,IACHC,IACJA,GAAW,EAEiB,mBAAjBL,EAAKM,SAAwBN,EAAKM,UAC/C,CAGA,SAAS9/D,EAAQyxD,GAEf,GADAsO,IACwC,IAApCjlE,EAAGiC,cAAc7B,KAAM,SACzB,MAAMu2D,CAEV,CAMA,SAASsO,IACP1gD,EAAO5hB,eAAe,OAAQgiE,GAC9BD,EAAK/hE,eAAe,QAASiiE,GAE7BrgD,EAAO5hB,eAAe,MAAOu8D,GAC7B36C,EAAO5hB,eAAe,QAASmiE,GAE/BvgD,EAAO5hB,eAAe,QAASuC,GAC/Bw/D,EAAK/hE,eAAe,QAASuC,GAE7Bqf,EAAO5hB,eAAe,MAAOsiE,GAC7B1gD,EAAO5hB,eAAe,QAASsiE,GAE/BP,EAAK/hE,eAAe,QAASsiE,EAC/B,CAUA,OA5BA1gD,EAAOxhB,GAAG,QAASmC,GACnBw/D,EAAK3hE,GAAG,QAASmC,GAmBjBqf,EAAOxhB,GAAG,MAAOkiE,GACjB1gD,EAAOxhB,GAAG,QAASkiE,GAEnBP,EAAK3hE,GAAG,QAASkiE,GAEjBP,EAAKxiE,KAAK,OAAQqiB,GAGXmgD,CACT,0BC5HA,IAAIQ,EAAQ,CAAC,EAEb,SAASC,EAAgBC,EAAM38D,EAAS48D,GACjCA,IACHA,EAAOj9D,OAWT,IAAIk9D,EAEJ,SAAUC,GAnBZ,IAAwBC,EAAUC,EAsB9B,SAASH,EAAUI,EAAMC,EAAMC,GAC7B,OAAOL,EAAMjkE,KAAKlB,KAdtB,SAAoBslE,EAAMC,EAAMC,GAC9B,MAAuB,iBAAZn9D,EACFA,EAEAA,EAAQi9D,EAAMC,EAAMC,EAE/B,CAQ4BC,CAAWH,EAAMC,EAAMC,KAAUxlE,IAC3D,CAEA,OA1B8BqlE,EAoBJF,GApBNC,EAoBLF,GApBsC1lE,UAAYD,OAAOqB,OAAOykE,EAAW7lE,WAAY4lE,EAAS5lE,UAAUk2B,YAAc0vC,EAAUA,EAASvkE,UAAYwkE,EA0B/JH,CACT,CARA,CAQED,GAEFC,EAAU1lE,UAAUwB,KAAOikE,EAAKjkE,KAChCkkE,EAAU1lE,UAAUwlE,KAAOA,EAC3BF,EAAME,GAAQE,CAChB,CAGA,SAASQ,EAAMC,EAAUC,GACvB,GAAIhkE,MAAMoI,QAAQ27D,GAAW,CAC3B,IAAItjE,EAAMsjE,EAASjkE,OAKnB,OAJAikE,EAAWA,EAASz2D,KAAI,SAAU1N,GAChC,OAAO0F,OAAO1F,EAChB,IAEIa,EAAM,EACD,UAAUhB,OAAOukE,EAAO,KAAKvkE,OAAOskE,EAASxkE,MAAM,EAAGkB,EAAM,GAAGyW,KAAK,MAAO,SAAW6sD,EAAStjE,EAAM,GAC3F,IAARA,EACF,UAAUhB,OAAOukE,EAAO,KAAKvkE,OAAOskE,EAAS,GAAI,QAAQtkE,OAAOskE,EAAS,IAEzE,MAAMtkE,OAAOukE,EAAO,KAAKvkE,OAAOskE,EAAS,GAEpD,CACE,MAAO,MAAMtkE,OAAOukE,EAAO,KAAKvkE,OAAO6F,OAAOy+D,GAElD,CA6BAZ,EAAgB,yBAAyB,SAAU/jE,EAAMoI,GACvD,MAAO,cAAgBA,EAAQ,4BAA8BpI,EAAO,GACtE,GAAGZ,WACH2kE,EAAgB,wBAAwB,SAAU/jE,EAAM2kE,EAAUE,GAEhE,IAAIC,EA/BmBzvC,EAwCnB1B,EA1BY1W,EAAak0B,EA4B7B,GATwB,iBAAbwzB,IAjCYtvC,EAiCkC,OAAVsvC,EAhCpC5/C,OAAyB,EAAUsQ,KAAmBA,IAiC/DyvC,EAAa,cACbH,EAAWA,EAAS19D,QAAQ,QAAS,KAErC69D,EAAa,UAhCjB,SAAkB7nD,EAAKoY,EAAQ0vC,GAK7B,YAJiBvjE,IAAbujE,GAA0BA,EAAW9nD,EAAIvc,UAC3CqkE,EAAW9nD,EAAIvc,QAGVuc,EAAIg8C,UAAU8L,EAAW1vC,EAAe0vC,KAAc1vC,CAC/D,CA+BM2vC,CAAShlE,EAAM,aAEjB2zB,EAAM,OAAOtzB,OAAOL,EAAM,KAAKK,OAAOykE,EAAY,KAAKzkE,OAAOqkE,EAAMC,EAAU,aACzE,CACL,IAAI3+D,GA/Be,iBAAVmrC,IACTA,EAAQ,GAGNA,EAAQ9b,GALIpY,EAgCMjd,GA3BUU,SAGS,IAAhCuc,EAAI5K,QAwBe,IAxBC8+B,GAwBmB,WAAb,YACjCxd,EAAM,QAAStzB,OAAOL,EAAM,MAAOK,OAAO2F,EAAM,KAAK3F,OAAOykE,EAAY,KAAKzkE,OAAOqkE,EAAMC,EAAU,QACtG,CAGA,OADAhxC,EAAO,mBAAmBtzB,cAAcwkE,EAE1C,GAAGzlE,WACH2kE,EAAgB,4BAA6B,2BAC7CA,EAAgB,8BAA8B,SAAU/jE,GACtD,MAAO,OAASA,EAAO,4BACzB,IACA+jE,EAAgB,6BAA8B,mBAC9CA,EAAgB,wBAAwB,SAAU/jE,GAChD,MAAO,eAAiBA,EAAO,+BACjC,IACA+jE,EAAgB,wBAAyB,kCACzCA,EAAgB,yBAA0B,6BAC1CA,EAAgB,6BAA8B,mBAC9CA,EAAgB,yBAA0B,sCAAuC3kE,WACjF2kE,EAAgB,wBAAwB,SAAU9O,GAChD,MAAO,qBAAuBA,CAChC,GAAG71D,WACH2kE,EAAgB,qCAAsC,oCACtDhiE,EAAOC,QAAQ,EAAQ8hE,+CCjGnBmB,EAAa1mE,OAAO4K,MAAQ,SAAUsM,GACxC,IAAItM,EAAO,GACX,IAAK,IAAIjB,KAAOuN,EAAKtM,EAAK3J,KAAK0I,GAC/B,OAAOiB,CACT,EAGApH,EAAOC,QAAUghE,EACjB,IAAIF,EAAW,EAAQ,OACnBC,EAAW,EAAQ,OACvB,EAAQ,MAAR,CAAoBC,EAAQF,GAI1B,IADA,IAAI35D,EAAO87D,EAAWlC,EAASvkE,WACtB+vB,EAAI,EAAGA,EAAIplB,EAAKzI,OAAQ6tB,IAAK,CACpC,IAAI2c,EAAS/hC,EAAKolB,GACby0C,EAAOxkE,UAAU0sC,KAAS83B,EAAOxkE,UAAU0sC,GAAU63B,EAASvkE,UAAU0sC,GAC/E,CAEF,SAAS83B,EAAOhzD,GACd,KAAMhR,gBAAgBgkE,GAAS,OAAO,IAAIA,EAAOhzD,GACjD8yD,EAAS5iE,KAAKlB,KAAMgR,GACpB+yD,EAAS7iE,KAAKlB,KAAMgR,GACpBhR,KAAKkmE,eAAgB,EACjBl1D,KACuB,IAArBA,EAAQ4tD,WAAoB5+D,KAAK4+D,UAAW,IACvB,IAArB5tD,EAAQ6F,WAAoB7W,KAAK6W,UAAW,IAClB,IAA1B7F,EAAQk1D,gBACVlmE,KAAKkmE,eAAgB,EACrBlmE,KAAKD,KAAK,MAAO++D,IAGvB,CA8BA,SAASA,IAEH9+D,KAAKmmE,eAAeC,OAIxB5E,EAAQE,SAAS2E,EAASrmE,KAC5B,CACA,SAASqmE,EAAQriE,GACfA,EAAKsiB,KACP,CAvCA/mB,OAAOoX,eAAeqtD,EAAOxkE,UAAW,wBAAyB,CAI/DuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKmmE,eAAeG,aAC7B,IAEF/mE,OAAOoX,eAAeqtD,EAAOxkE,UAAW,iBAAkB,CAIxDuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKmmE,gBAAkBnmE,KAAKmmE,eAAeI,WACpD,IAEFhnE,OAAOoX,eAAeqtD,EAAOxkE,UAAW,iBAAkB,CAIxDuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKmmE,eAAezkE,MAC7B,IAeFnC,OAAOoX,eAAeqtD,EAAOxkE,UAAW,YAAa,CAInDuX,YAAY,EACZpJ,IAAK,WACH,YAA4BnL,IAAxBxC,KAAKwmE,qBAAwDhkE,IAAxBxC,KAAKmmE,gBAGvCnmE,KAAKwmE,eAAevtC,WAAaj5B,KAAKmmE,eAAeltC,SAC9D,EACAjpB,IAAK,SAAa5G,QAGY5G,IAAxBxC,KAAKwmE,qBAAwDhkE,IAAxBxC,KAAKmmE,iBAM9CnmE,KAAKwmE,eAAevtC,UAAY7vB,EAChCpJ,KAAKmmE,eAAeltC,UAAY7vB,EAClC,iCCjGFrG,EAAOC,QAAUkhE,EACjB,IAAID,EAAY,EAAQ,OAExB,SAASC,EAAYlzD,GACnB,KAAMhR,gBAAgBkkE,GAAc,OAAO,IAAIA,EAAYlzD,GAC3DizD,EAAU/iE,KAAKlB,KAAMgR,EACvB,CAJA,EAAQ,MAAR,CAAoBkzD,EAAaD,GAKjCC,EAAY1kE,UAAUinE,WAAa,SAAU9M,EAAOpC,EAAUhmC,GAC5DA,EAAG,KAAMooC,EACX,oCCVIqK,aAHJjhE,EAAOC,QAAU8gE,EAMjBA,EAAS4C,cAAgBA,EAGhB,sBAAT,IAqBI/iC,EApBAgjC,EAAkB,SAAyBzmE,EAAS8G,GACtD,OAAO9G,EAAQoB,UAAU0F,GAAMtF,MACjC,EAIIs2D,EAAS,EAAQ,OAGjBlB,EAAS,gBACT8P,QAAmC,IAAX,EAAAlE,EAAyB,EAAAA,EAA2B,oBAAX9+D,OAAyBA,OAAyB,oBAATI,KAAuBA,KAAO,CAAC,GAAG6iE,YAAc,WAAa,EASvKC,EAAY,EAAQ,OAGtBnjC,EADEmjC,GAAaA,EAAUC,SACjBD,EAAUC,SAAS,UAEnB,WAAkB,EAI5B,IAWIC,EACAC,EACAl4D,EAbAm4D,EAAa,EAAQ,OACrBC,EAAc,EAAQ,OAExBC,EADa,EAAQ,OACOA,iBAC1BC,EAAiB,WACnBC,EAAuBD,EAAeC,qBACtCC,EAA4BF,EAAeE,0BAC3CC,EAA6BH,EAAeG,2BAC5CC,EAAqCJ,EAAeI,mCAMtD,EAAQ,MAAR,CAAoB3D,EAAU9L,GAC9B,IAAI0P,EAAiBP,EAAYO,eAC7BC,EAAe,CAAC,QAAS,QAAS,UAAW,QAAS,UAY1D,SAASjB,EAAc11D,EAAS42D,EAAQC,GACtC7D,EAASA,GAAU,EAAQ,OAC3BhzD,EAAUA,GAAW,CAAC,EAOE,kBAAb62D,IAAwBA,EAAWD,aAAkB5D,GAIhEhkE,KAAK8nE,aAAe92D,EAAQ82D,WACxBD,IAAU7nE,KAAK8nE,WAAa9nE,KAAK8nE,cAAgB92D,EAAQ+2D,oBAI7D/nE,KAAKsmE,cAAgBc,EAAiBpnE,KAAMgR,EAAS,wBAAyB62D,GAK9E7nE,KAAK62D,OAAS,IAAIqQ,EAClBlnE,KAAK0B,OAAS,EACd1B,KAAKgoE,MAAQ,KACbhoE,KAAKioE,WAAa,EAClBjoE,KAAKkoE,QAAU,KACfloE,KAAKomE,OAAQ,EACbpmE,KAAKmoE,YAAa,EAClBnoE,KAAKooE,SAAU,EAMfpoE,KAAKqoE,MAAO,EAIZroE,KAAKsoE,cAAe,EACpBtoE,KAAKuoE,iBAAkB,EACvBvoE,KAAKwoE,mBAAoB,EACzBxoE,KAAKyoE,iBAAkB,EACvBzoE,KAAK0oE,QAAS,EAGd1oE,KAAK2oE,WAAkC,IAAtB33D,EAAQ23D,UAGzB3oE,KAAK4oE,cAAgB53D,EAAQ43D,YAG7B5oE,KAAKi5B,WAAY,EAKjBj5B,KAAK6oE,gBAAkB73D,EAAQ63D,iBAAmB,OAGlD7oE,KAAK8oE,WAAa,EAGlB9oE,KAAK+oE,aAAc,EACnB/oE,KAAKgpE,QAAU,KACfhpE,KAAKu3D,SAAW,KACZvmD,EAAQumD,WACLyP,IAAeA,EAAgB,YACpChnE,KAAKgpE,QAAU,IAAIhC,EAAch2D,EAAQumD,UACzCv3D,KAAKu3D,SAAWvmD,EAAQumD,SAE5B,CACA,SAASuM,EAAS9yD,GAEhB,GADAgzD,EAASA,GAAU,EAAQ,SACrBhkE,gBAAgB8jE,GAAW,OAAO,IAAIA,EAAS9yD,GAIrD,IAAI62D,EAAW7nE,gBAAgBgkE,EAC/BhkE,KAAKwmE,eAAiB,IAAIE,EAAc11D,EAAShR,KAAM6nE,GAGvD7nE,KAAK4+D,UAAW,EACZ5tD,IAC0B,mBAAjBA,EAAQi4D,OAAqBjpE,KAAKkpE,MAAQl4D,EAAQi4D,MAC9B,mBAApBj4D,EAAQ4zD,UAAwB5kE,KAAKmpE,SAAWn4D,EAAQ4zD,UAErE5M,EAAO92D,KAAKlB,KACd,CAwDA,SAASopE,EAAiBxB,EAAQjO,EAAOpC,EAAU8R,EAAYC,GAC7D3lC,EAAM,mBAAoBg2B,GAC1B,IAKMpD,EALFttD,EAAQ2+D,EAAOpB,eACnB,GAAc,OAAV7M,EACF1wD,EAAMm/D,SAAU,EAuNpB,SAAoBR,EAAQ3+D,GAE1B,GADA06B,EAAM,eACF16B,EAAMm9D,MAAV,CACA,GAAIn9D,EAAM+/D,QAAS,CACjB,IAAIrP,EAAQ1wD,EAAM+/D,QAAQ1iD,MACtBqzC,GAASA,EAAMj4D,SACjBuH,EAAM4tD,OAAOr2D,KAAKm5D,GAClB1wD,EAAMvH,QAAUuH,EAAM6+D,WAAa,EAAInO,EAAMj4D,OAEjD,CACAuH,EAAMm9D,OAAQ,EACVn9D,EAAMo/D,KAIRkB,EAAa3B,IAGb3+D,EAAMq/D,cAAe,EAChBr/D,EAAMs/D,kBACTt/D,EAAMs/D,iBAAkB,EACxBiB,EAAc5B,IAnBK,CAsBzB,CA9OI6B,CAAW7B,EAAQ3+D,QAInB,GADKqgE,IAAgB/S,EA6CzB,SAAsBttD,EAAO0wD,GAC3B,IAAIpD,EAjPiB9/C,EAqPrB,OArPqBA,EAkPFkjD,EAjPZ7C,EAAOkI,SAASvoD,IAAQA,aAAemwD,GAiPA,iBAAVjN,QAAgCn3D,IAAVm3D,GAAwB1wD,EAAM6+D,aACtFvR,EAAK,IAAI+Q,EAAqB,QAAS,CAAC,SAAU,SAAU,cAAe3N,IAEtEpD,CACT,CAnD8BmT,CAAazgE,EAAO0wD,IAC1CpD,EACFmR,EAAeE,EAAQrR,QAClB,GAAIttD,EAAM6+D,YAAcnO,GAASA,EAAMj4D,OAAS,EAIrD,GAHqB,iBAAVi4D,GAAuB1wD,EAAM6+D,YAAcvoE,OAAO42D,eAAewD,KAAW7C,EAAOt3D,YAC5Fm6D,EA3MR,SAA6BA,GAC3B,OAAO7C,EAAO/nD,KAAK4qD,EACrB,CAyMgBgQ,CAAoBhQ,IAE1B0P,EACEpgE,EAAMk/D,WAAYT,EAAeE,EAAQ,IAAIH,GAA2CmC,EAAShC,EAAQ3+D,EAAO0wD,GAAO,QACtH,GAAI1wD,EAAMm9D,MACfsB,EAAeE,EAAQ,IAAIL,OACtB,IAAIt+D,EAAMgwB,UACf,OAAO,EAEPhwB,EAAMm/D,SAAU,EACZn/D,EAAM+/D,UAAYzR,GACpBoC,EAAQ1wD,EAAM+/D,QAAQtP,MAAMC,GACxB1wD,EAAM6+D,YAA+B,IAAjBnO,EAAMj4D,OAAckoE,EAAShC,EAAQ3+D,EAAO0wD,GAAO,GAAYkQ,EAAcjC,EAAQ3+D,IAE7G2gE,EAAShC,EAAQ3+D,EAAO0wD,GAAO,EAEnC,MACU0P,IACVpgE,EAAMm/D,SAAU,EAChByB,EAAcjC,EAAQ3+D,IAO1B,OAAQA,EAAMm9D,QAAUn9D,EAAMvH,OAASuH,EAAMq9D,eAAkC,IAAjBr9D,EAAMvH,OACtE,CACA,SAASkoE,EAAShC,EAAQ3+D,EAAO0wD,EAAO0P,GAClCpgE,EAAMi/D,SAA4B,IAAjBj/D,EAAMvH,SAAiBuH,EAAMo/D,MAChDp/D,EAAM6/D,WAAa,EACnBlB,EAAO9lE,KAAK,OAAQ63D,KAGpB1wD,EAAMvH,QAAUuH,EAAM6+D,WAAa,EAAInO,EAAMj4D,OACzC2nE,EAAYpgE,EAAM4tD,OAAO9mD,QAAQ4pD,GAAY1wD,EAAM4tD,OAAOr2D,KAAKm5D,GAC/D1wD,EAAMq/D,cAAciB,EAAa3B,IAEvCiC,EAAcjC,EAAQ3+D,EACxB,CA3GA1J,OAAOoX,eAAemtD,EAAStkE,UAAW,YAAa,CAIrDuX,YAAY,EACZpJ,IAAK,WACH,YAA4BnL,IAAxBxC,KAAKwmE,gBAGFxmE,KAAKwmE,eAAevtC,SAC7B,EACAjpB,IAAK,SAAa5G,GAGXpJ,KAAKwmE,iBAMVxmE,KAAKwmE,eAAevtC,UAAY7vB,EAClC,IAEF06D,EAAStkE,UAAUolE,QAAUuC,EAAYvC,QACzCd,EAAStkE,UAAUsqE,WAAa3C,EAAY4C,UAC5CjG,EAAStkE,UAAU2pE,SAAW,SAAUjrD,EAAKqT,GAC3CA,EAAGrT,EACL,EAMA4lD,EAAStkE,UAAUgB,KAAO,SAAUm5D,EAAOpC,GACzC,IACI+R,EADArgE,EAAQjJ,KAAKwmE,eAcjB,OAZKv9D,EAAM6+D,WAUTwB,GAAiB,EATI,iBAAV3P,KACTpC,EAAWA,GAAYtuD,EAAM4/D,mBACZ5/D,EAAMsuD,WACrBoC,EAAQ7C,EAAO/nD,KAAK4qD,EAAOpC,GAC3BA,EAAW,IAEb+R,GAAiB,GAKdF,EAAiBppE,KAAM25D,EAAOpC,GAAU,EAAO+R,EACxD,EAGAxF,EAAStkE,UAAUuQ,QAAU,SAAU4pD,GACrC,OAAOyP,EAAiBppE,KAAM25D,EAAO,MAAM,GAAM,EACnD,EA6DAmK,EAAStkE,UAAUwqE,SAAW,WAC5B,OAAuC,IAAhChqE,KAAKwmE,eAAe0B,OAC7B,EAGApE,EAAStkE,UAAUyqE,YAAc,SAAUC,GACpClD,IAAeA,EAAgB,YACpC,IAAIgC,EAAU,IAAIhC,EAAckD,GAChClqE,KAAKwmE,eAAewC,QAAUA,EAE9BhpE,KAAKwmE,eAAejP,SAAWv3D,KAAKwmE,eAAewC,QAAQzR,SAK3D,IAFA,IAAIvgD,EAAIhX,KAAKwmE,eAAe3P,OAAOsT,KAC/BC,EAAU,GACD,OAANpzD,GACLozD,GAAWpB,EAAQtP,MAAM1iD,EAAE9M,MAC3B8M,EAAIA,EAAEyO,KAKR,OAHAzlB,KAAKwmE,eAAe3P,OAAOh6B,QACX,KAAZutC,GAAgBpqE,KAAKwmE,eAAe3P,OAAOr2D,KAAK4pE,GACpDpqE,KAAKwmE,eAAe9kE,OAAS0oE,EAAQ1oE,OAC9B1B,IACT,EAGA,IAAIqqE,EAAU,WAqBd,SAASC,EAAcv0C,EAAG9sB,GACxB,OAAI8sB,GAAK,GAAsB,IAAjB9sB,EAAMvH,QAAgBuH,EAAMm9D,MAAc,EACpDn9D,EAAM6+D,WAAmB,EACzB/xC,GAAMA,EAEJ9sB,EAAMi/D,SAAWj/D,EAAMvH,OAAeuH,EAAM4tD,OAAOsT,KAAKjgE,KAAKxI,OAAmBuH,EAAMvH,QAGxFq0B,EAAI9sB,EAAMq9D,gBAAer9D,EAAMq9D,cA5BrC,SAAiCvwC,GAe/B,OAdIA,GAAKs0C,EAEPt0C,EAAIs0C,GAIJt0C,IACAA,GAAKA,IAAM,EACXA,GAAKA,IAAM,EACXA,GAAKA,IAAM,EACXA,GAAKA,IAAM,EACXA,GAAKA,IAAM,GACXA,KAEKA,CACT,CAYqDw0C,CAAwBx0C,IACvEA,GAAK9sB,EAAMvH,OAAeq0B,EAEzB9sB,EAAMm9D,MAIJn9D,EAAMvH,QAHXuH,EAAMq/D,cAAe,EACd,GAGX,CA6HA,SAASiB,EAAa3B,GACpB,IAAI3+D,EAAQ2+D,EAAOpB,eACnB7iC,EAAM,eAAgB16B,EAAMq/D,aAAcr/D,EAAMs/D,iBAChDt/D,EAAMq/D,cAAe,EAChBr/D,EAAMs/D,kBACT5kC,EAAM,eAAgB16B,EAAMi/D,SAC5Bj/D,EAAMs/D,iBAAkB,EACxB/G,EAAQE,SAAS8H,EAAe5B,GAEpC,CACA,SAAS4B,EAAc5B,GACrB,IAAI3+D,EAAQ2+D,EAAOpB,eACnB7iC,EAAM,gBAAiB16B,EAAMgwB,UAAWhwB,EAAMvH,OAAQuH,EAAMm9D,OACvDn9D,EAAMgwB,YAAchwB,EAAMvH,SAAUuH,EAAMm9D,QAC7CwB,EAAO9lE,KAAK,YACZmH,EAAMs/D,iBAAkB,GAS1Bt/D,EAAMq/D,cAAgBr/D,EAAMi/D,UAAYj/D,EAAMm9D,OAASn9D,EAAMvH,QAAUuH,EAAMq9D,cAC7EkE,EAAK5C,EACP,CAQA,SAASiC,EAAcjC,EAAQ3+D,GACxBA,EAAM8/D,cACT9/D,EAAM8/D,aAAc,EACpBvH,EAAQE,SAAS+I,EAAgB7C,EAAQ3+D,GAE7C,CACA,SAASwhE,EAAe7C,EAAQ3+D,GAwB9B,MAAQA,EAAMm/D,UAAYn/D,EAAMm9D,QAAUn9D,EAAMvH,OAASuH,EAAMq9D,eAAiBr9D,EAAMi/D,SAA4B,IAAjBj/D,EAAMvH,SAAe,CACpH,IAAIW,EAAM4G,EAAMvH,OAGhB,GAFAiiC,EAAM,wBACNikC,EAAOqB,KAAK,GACR5mE,IAAQ4G,EAAMvH,OAEhB,KACJ,CACAuH,EAAM8/D,aAAc,CACtB,CAgPA,SAAS2B,EAAwB1mE,GAC/B,IAAIiF,EAAQjF,EAAKwiE,eACjBv9D,EAAMu/D,kBAAoBxkE,EAAKnC,cAAc,YAAc,EACvDoH,EAAMw/D,kBAAoBx/D,EAAMy/D,OAGlCz/D,EAAMi/D,SAAU,EAGPlkE,EAAKnC,cAAc,QAAU,GACtCmC,EAAKu6D,QAET,CACA,SAASoM,EAAiB3mE,GACxB2/B,EAAM,4BACN3/B,EAAKilE,KAAK,EACZ,CAuBA,SAAS2B,EAAQhD,EAAQ3+D,GACvB06B,EAAM,SAAU16B,EAAMm/D,SACjBn/D,EAAMm/D,SACTR,EAAOqB,KAAK,GAEdhgE,EAAMw/D,iBAAkB,EACxBb,EAAO9lE,KAAK,UACZ0oE,EAAK5C,GACD3+D,EAAMi/D,UAAYj/D,EAAMm/D,SAASR,EAAOqB,KAAK,EACnD,CAWA,SAASuB,EAAK5C,GACZ,IAAI3+D,EAAQ2+D,EAAOpB,eAEnB,IADA7iC,EAAM,OAAQ16B,EAAMi/D,SACbj/D,EAAMi/D,SAA6B,OAAlBN,EAAOqB,SACjC,CAmHA,SAAS4B,EAAS90C,EAAG9sB,GAEnB,OAAqB,IAAjBA,EAAMvH,OAAqB,MAE3BuH,EAAM6+D,WAAYpyD,EAAMzM,EAAM4tD,OAAOr4C,SAAkBuX,GAAKA,GAAK9sB,EAAMvH,QAEtDgU,EAAfzM,EAAM+/D,QAAe//D,EAAM4tD,OAAO/9C,KAAK,IAAqC,IAAxB7P,EAAM4tD,OAAOn1D,OAAoBuH,EAAM4tD,OAAOiU,QAAmB7hE,EAAM4tD,OAAOx1D,OAAO4H,EAAMvH,QACnJuH,EAAM4tD,OAAOh6B,SAGbnnB,EAAMzM,EAAM4tD,OAAOkU,QAAQh1C,EAAG9sB,EAAM+/D,SAE/BtzD,GATP,IAAIA,CAUN,CACA,SAASs1D,EAAYpD,GACnB,IAAI3+D,EAAQ2+D,EAAOpB,eACnB7iC,EAAM,cAAe16B,EAAMk/D,YACtBl/D,EAAMk/D,aACTl/D,EAAMm9D,OAAQ,EACd5E,EAAQE,SAASuJ,EAAehiE,EAAO2+D,GAE3C,CACA,SAASqD,EAAchiE,EAAO2+D,GAI5B,GAHAjkC,EAAM,gBAAiB16B,EAAMk/D,WAAYl/D,EAAMvH,SAG1CuH,EAAMk/D,YAA+B,IAAjBl/D,EAAMvH,SAC7BuH,EAAMk/D,YAAa,EACnBP,EAAOhJ,UAAW,EAClBgJ,EAAO9lE,KAAK,OACRmH,EAAM2/D,aAAa,CAGrB,IAAIsC,EAAStD,EAAOzB,iBACf+E,GAAUA,EAAOtC,aAAesC,EAAO/G,WAC1CyD,EAAOhD,SAEX,CAEJ,CASA,SAASvxD,EAAQ83D,EAAIjxD,GACnB,IAAK,IAAI1Y,EAAI,EAAGC,EAAI0pE,EAAGzpE,OAAQF,EAAIC,EAAGD,IACpC,GAAI2pE,EAAG3pE,KAAO0Y,EAAG,OAAO1Y,EAE1B,OAAQ,CACV,CA1pBAsiE,EAAStkE,UAAUypE,KAAO,SAAUlzC,GAClC4N,EAAM,OAAQ5N,GACdA,EAAI2gB,SAAS3gB,EAAG,IAChB,IAAI9sB,EAAQjJ,KAAKwmE,eACb4E,EAAQr1C,EAMZ,GALU,IAANA,IAAS9sB,EAAMs/D,iBAAkB,GAK3B,IAANxyC,GAAW9sB,EAAMq/D,gBAA0C,IAAxBr/D,EAAMq9D,cAAsBr9D,EAAMvH,QAAUuH,EAAMq9D,cAAgBr9D,EAAMvH,OAAS,IAAMuH,EAAMm9D,OAGlI,OAFAziC,EAAM,qBAAsB16B,EAAMvH,OAAQuH,EAAMm9D,OAC3B,IAAjBn9D,EAAMvH,QAAgBuH,EAAMm9D,MAAO4E,EAAYhrE,MAAWupE,EAAavpE,MACpE,KAKT,GAAU,KAHV+1B,EAAIu0C,EAAcv0C,EAAG9sB,KAGNA,EAAMm9D,MAEnB,OADqB,IAAjBn9D,EAAMvH,QAAcspE,EAAYhrE,MAC7B,KA0BT,IA2BI0V,EA3BA21D,EAASpiE,EAAMq/D,aA6CnB,OA5CA3kC,EAAM,gBAAiB0nC,IAGF,IAAjBpiE,EAAMvH,QAAgBuH,EAAMvH,OAASq0B,EAAI9sB,EAAMq9D,gBAEjD3iC,EAAM,6BADN0nC,GAAS,GAMPpiE,EAAMm9D,OAASn9D,EAAMm/D,QAEvBzkC,EAAM,mBADN0nC,GAAS,GAEAA,IACT1nC,EAAM,WACN16B,EAAMm/D,SAAU,EAChBn/D,EAAMo/D,MAAO,EAEQ,IAAjBp/D,EAAMvH,SAAcuH,EAAMq/D,cAAe,GAE7CtoE,KAAKkpE,MAAMjgE,EAAMq9D,eACjBr9D,EAAMo/D,MAAO,EAGRp/D,EAAMm/D,UAASryC,EAAIu0C,EAAcc,EAAOniE,KAInC,QADDyM,EAAPqgB,EAAI,EAAS80C,EAAS90C,EAAG9sB,GAAkB,OAE7CA,EAAMq/D,aAAer/D,EAAMvH,QAAUuH,EAAMq9D,cAC3CvwC,EAAI,IAEJ9sB,EAAMvH,QAAUq0B,EAChB9sB,EAAM6/D,WAAa,GAEA,IAAjB7/D,EAAMvH,SAGHuH,EAAMm9D,QAAOn9D,EAAMq/D,cAAe,GAGnC8C,IAAUr1C,GAAK9sB,EAAMm9D,OAAO4E,EAAYhrE,OAElC,OAAR0V,GAAc1V,KAAK8B,KAAK,OAAQ4T,GAC7BA,CACT,EA6GAouD,EAAStkE,UAAU0pE,MAAQ,SAAUnzC,GACnC2xC,EAAe1nE,KAAM,IAAIwnE,EAA2B,WACtD,EACA1D,EAAStkE,UAAU6kE,KAAO,SAAUC,EAAMgH,GACxC,IAAIhpB,EAAMtiD,KACNiJ,EAAQjJ,KAAKwmE,eACjB,OAAQv9D,EAAMg/D,YACZ,KAAK,EACHh/D,EAAM++D,MAAQ1D,EACd,MACF,KAAK,EACHr7D,EAAM++D,MAAQ,CAAC/+D,EAAM++D,MAAO1D,GAC5B,MACF,QACEr7D,EAAM++D,MAAMxnE,KAAK8jE,GAGrBr7D,EAAMg/D,YAAc,EACpBtkC,EAAM,wBAAyB16B,EAAMg/D,WAAYqD,GACjD,IACIC,EADUD,IAA6B,IAAjBA,EAAShlD,KAAkBg+C,IAAS9C,EAAQgK,QAAUlH,IAAS9C,EAAQiK,OACrEC,EAAR5M,EAYpB,SAASA,IACPn7B,EAAM,SACN2gC,EAAKh+C,KACP,CAdIrd,EAAMk/D,WAAY3G,EAAQE,SAAS6J,GAAYjpB,EAAIviD,KAAK,MAAOwrE,GACnEjH,EAAK3hE,GAAG,UACR,SAASgpE,EAAS/M,EAAUgN,GAC1BjoC,EAAM,YACFi7B,IAAatc,GACXspB,IAAwC,IAA1BA,EAAWC,aAC3BD,EAAWC,YAAa,EAkB5BloC,EAAM,WAEN2gC,EAAK/hE,eAAe,QAASmiE,GAC7BJ,EAAK/hE,eAAe,SAAUupE,GAC9BxH,EAAK/hE,eAAe,QAASiiE,GAC7BF,EAAK/hE,eAAe,QAASuC,GAC7Bw/D,EAAK/hE,eAAe,SAAUopE,GAC9BrpB,EAAI//C,eAAe,MAAOu8D,GAC1Bxc,EAAI//C,eAAe,MAAOmpE,GAC1BppB,EAAI//C,eAAe,OAAQgiE,GAC3BwH,GAAY,GAOR9iE,EAAM6/D,YAAgBxE,EAAK6B,iBAAkB7B,EAAK6B,eAAe6F,WAAYxH,IA/BnF,IAUA,IAAIA,EAgFN,SAAqBliB,GACnB,OAAO,WACL,IAAIr5C,EAAQq5C,EAAIkkB,eAChB7iC,EAAM,cAAe16B,EAAM6/D,YACvB7/D,EAAM6/D,YAAY7/D,EAAM6/D,aACH,IAArB7/D,EAAM6/D,YAAoBnC,EAAgBrkB,EAAK,UACjDr5C,EAAMi/D,SAAU,EAChBsC,EAAKloB,GAET,CACF,CA1FgB2pB,CAAY3pB,GAC1BgiB,EAAK3hE,GAAG,QAAS6hE,GACjB,IAAIuH,GAAY,EAsBhB,SAASxH,EAAO5K,GACdh2B,EAAM,UACN,IAAIjuB,EAAM4uD,EAAK5K,MAAMC,GACrBh2B,EAAM,aAAcjuB,IACR,IAARA,KAKwB,IAArBzM,EAAMg/D,YAAoBh/D,EAAM++D,QAAU1D,GAAQr7D,EAAMg/D,WAAa,IAAqC,IAAhC50D,EAAQpK,EAAM++D,MAAO1D,MAAkByH,IACpHpoC,EAAM,8BAA+B16B,EAAM6/D,YAC3C7/D,EAAM6/D,cAERxmB,EAAIpQ,QAER,CAIA,SAASptC,EAAQyxD,GACf5yB,EAAM,UAAW4yB,GACjBmV,IACApH,EAAK/hE,eAAe,QAASuC,GACU,IAAnC6hE,EAAgBrC,EAAM,UAAgBoD,EAAepD,EAAM/N,EACjE,CAMA,SAASmO,IACPJ,EAAK/hE,eAAe,SAAUupE,GAC9BJ,GACF,CAEA,SAASI,IACPnoC,EAAM,YACN2gC,EAAK/hE,eAAe,QAASmiE,GAC7BgH,GACF,CAEA,SAASA,IACP/nC,EAAM,UACN2e,EAAIopB,OAAOpH,EACb,CAUA,OAvDAhiB,EAAI3/C,GAAG,OAAQ4hE,GAniBjB,SAAyBrkE,EAASC,EAAON,GAGvC,GAAuC,mBAA5BK,EAAQs2D,gBAAgC,OAAOt2D,EAAQs2D,gBAAgBr2D,EAAON,GAMpFK,EAAQK,SAAYL,EAAQK,QAAQJ,GAAuCyB,MAAMoI,QAAQ9J,EAAQK,QAAQJ,IAASD,EAAQK,QAAQJ,GAAO4P,QAAQlQ,GAASK,EAAQK,QAAQJ,GAAS,CAACN,EAAIK,EAAQK,QAAQJ,IAA5JD,EAAQyC,GAAGxC,EAAON,EACrE,CAqjBE22D,CAAgB8N,EAAM,QAASx/D,GAO/Bw/D,EAAKvkE,KAAK,QAAS2kE,GAMnBJ,EAAKvkE,KAAK,SAAU+rE,GAOpBxH,EAAKxiE,KAAK,OAAQwgD,GAGbr5C,EAAMi/D,UACTvkC,EAAM,eACN2e,EAAIic,UAEC+F,CACT,EAYAR,EAAStkE,UAAUksE,OAAS,SAAUpH,GACpC,IAAIr7D,EAAQjJ,KAAKwmE,eACboF,EAAa,CACfC,YAAY,GAId,GAAyB,IAArB5iE,EAAMg/D,WAAkB,OAAOjoE,KAGnC,GAAyB,IAArBiJ,EAAMg/D,WAER,OAAI3D,GAAQA,IAASr7D,EAAM++D,QACtB1D,IAAMA,EAAOr7D,EAAM++D,OAGxB/+D,EAAM++D,MAAQ,KACd/+D,EAAMg/D,WAAa,EACnBh/D,EAAMi/D,SAAU,EACZ5D,GAAMA,EAAKxiE,KAAK,SAAU9B,KAAM4rE,IAPK5rE,KAa3C,IAAKskE,EAAM,CAET,IAAI4H,EAAQjjE,EAAM++D,MACd3lE,EAAM4G,EAAMg/D,WAChBh/D,EAAM++D,MAAQ,KACd/+D,EAAMg/D,WAAa,EACnBh/D,EAAMi/D,SAAU,EAChB,IAAK,IAAI1mE,EAAI,EAAGA,EAAIa,EAAKb,IAAK0qE,EAAM1qE,GAAGM,KAAK,SAAU9B,KAAM,CAC1D6rE,YAAY,IAEd,OAAO7rE,IACT,CAGA,IAAI6c,EAAQxJ,EAAQpK,EAAM++D,MAAO1D,GACjC,OAAe,IAAXznD,IACJ5T,EAAM++D,MAAM10D,OAAOuJ,EAAO,GAC1B5T,EAAMg/D,YAAc,EACK,IAArBh/D,EAAMg/D,aAAkBh/D,EAAM++D,MAAQ/+D,EAAM++D,MAAM,IACtD1D,EAAKxiE,KAAK,SAAU9B,KAAM4rE,IAJD5rE,IAM3B,EAIA8jE,EAAStkE,UAAUmD,GAAK,SAAU+7D,EAAI7+D,GACpC,IAAIwe,EAAM25C,EAAOx4D,UAAUmD,GAAGzB,KAAKlB,KAAM0+D,EAAI7+D,GACzCoJ,EAAQjJ,KAAKwmE,eAqBjB,MApBW,SAAP9H,GAGFz1D,EAAMu/D,kBAAoBxoE,KAAK6B,cAAc,YAAc,GAGrC,IAAlBoH,EAAMi/D,SAAmBloE,KAAKu+D,UAClB,aAAPG,IACJz1D,EAAMk/D,YAAel/D,EAAMu/D,oBAC9Bv/D,EAAMu/D,kBAAoBv/D,EAAMq/D,cAAe,EAC/Cr/D,EAAMi/D,SAAU,EAChBj/D,EAAMs/D,iBAAkB,EACxB5kC,EAAM,cAAe16B,EAAMvH,OAAQuH,EAAMm/D,SACrCn/D,EAAMvH,OACR6nE,EAAavpE,MACHiJ,EAAMm/D,SAChB5G,EAAQE,SAASiJ,EAAkB3qE,QAIlCqe,CACT,EACAylD,EAAStkE,UAAUS,YAAc6jE,EAAStkE,UAAUmD,GACpDmhE,EAAStkE,UAAU+C,eAAiB,SAAUm8D,EAAI7+D,GAChD,IAAIwe,EAAM25C,EAAOx4D,UAAU+C,eAAerB,KAAKlB,KAAM0+D,EAAI7+D,GAUzD,MATW,aAAP6+D,GAOF8C,EAAQE,SAASgJ,EAAyB1qE,MAErCqe,CACT,EACAylD,EAAStkE,UAAUoD,mBAAqB,SAAU87D,GAChD,IAAIrgD,EAAM25C,EAAOx4D,UAAUoD,mBAAmBH,MAAMzC,KAAMsC,WAU1D,MATW,aAAPo8D,QAA4Bl8D,IAAPk8D,GAOvB8C,EAAQE,SAASgJ,EAAyB1qE,MAErCqe,CACT,EAqBAylD,EAAStkE,UAAU++D,OAAS,WAC1B,IAAIt1D,EAAQjJ,KAAKwmE,eAUjB,OATKv9D,EAAMi/D,UACTvkC,EAAM,UAIN16B,EAAMi/D,SAAWj/D,EAAMu/D,kBAM3B,SAAgBZ,EAAQ3+D,GACjBA,EAAMw/D,kBACTx/D,EAAMw/D,iBAAkB,EACxBjH,EAAQE,SAASkJ,EAAShD,EAAQ3+D,GAEtC,CAVIs1D,CAAOv+D,KAAMiJ,IAEfA,EAAMy/D,QAAS,EACR1oE,IACT,EAiBA8jE,EAAStkE,UAAU0yC,MAAQ,WAQzB,OAPAvO,EAAM,wBAAyB3jC,KAAKwmE,eAAe0B,UACf,IAAhCloE,KAAKwmE,eAAe0B,UACtBvkC,EAAM,SACN3jC,KAAKwmE,eAAe0B,SAAU,EAC9BloE,KAAK8B,KAAK,UAEZ9B,KAAKwmE,eAAekC,QAAS,EACtB1oE,IACT,EAUA8jE,EAAStkE,UAAU2sE,KAAO,SAAUvE,GAClC,IAAIwE,EAAQpsE,KACRiJ,EAAQjJ,KAAKwmE,eACbkC,GAAS,EAwBb,IAAK,IAAIlnE,KAvBTomE,EAAOjlE,GAAG,OAAO,WAEf,GADAghC,EAAM,eACF16B,EAAM+/D,UAAY//D,EAAMm9D,MAAO,CACjC,IAAIzM,EAAQ1wD,EAAM+/D,QAAQ1iD,MACtBqzC,GAASA,EAAMj4D,QAAQ0qE,EAAM5rE,KAAKm5D,EACxC,CACAyS,EAAM5rE,KAAK,KACb,IACAonE,EAAOjlE,GAAG,QAAQ,SAAUg3D,GAC1Bh2B,EAAM,gBACF16B,EAAM+/D,UAASrP,EAAQ1wD,EAAM+/D,QAAQtP,MAAMC,IAG3C1wD,EAAM6+D,YAAc,MAACnO,IAAyD1wD,EAAM6+D,YAAgBnO,GAAUA,EAAMj4D,UAC9G0qE,EAAM5rE,KAAKm5D,KAEnB+O,GAAS,EACTd,EAAO11B,SAEX,IAIc01B,OACIplE,IAAZxC,KAAKwB,IAAyC,mBAAdomE,EAAOpmE,KACzCxB,KAAKwB,GAAK,SAAoB0qC,GAC5B,OAAO,WACL,OAAO07B,EAAO17B,GAAQzpC,MAAMmlE,EAAQtlE,UACtC,CACF,CAJU,CAIRd,IAKN,IAAK,IAAIu0B,EAAI,EAAGA,EAAI4xC,EAAajmE,OAAQq0B,IACvC6xC,EAAOjlE,GAAGglE,EAAa5xC,GAAI/1B,KAAK8B,KAAK0P,KAAKxR,KAAM2nE,EAAa5xC,KAY/D,OAPA/1B,KAAKkpE,MAAQ,SAAUnzC,GACrB4N,EAAM,gBAAiB5N,GACnB2yC,IACFA,GAAS,EACTd,EAAOrJ,SAEX,EACOv+D,IACT,EACsB,mBAAXqD,SACTygE,EAAStkE,UAAU6D,OAAOgpE,eAAiB,WAIzC,YAH0C7pE,IAAtCykE,IACFA,EAAoC,EAAQ,QAEvCA,EAAkCjnE,KAC3C,GAEFT,OAAOoX,eAAemtD,EAAStkE,UAAW,wBAAyB,CAIjEuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKwmE,eAAeF,aAC7B,IAEF/mE,OAAOoX,eAAemtD,EAAStkE,UAAW,iBAAkB,CAI1DuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKwmE,gBAAkBxmE,KAAKwmE,eAAe3P,MACpD,IAEFt3D,OAAOoX,eAAemtD,EAAStkE,UAAW,kBAAmB,CAI3DuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKwmE,eAAe0B,OAC7B,EACAl4D,IAAK,SAAa/G,GACZjJ,KAAKwmE,iBACPxmE,KAAKwmE,eAAe0B,QAAUj/D,EAElC,IAIF66D,EAASwI,UAAYzB,EACrBtrE,OAAOoX,eAAemtD,EAAStkE,UAAW,iBAAkB,CAI1DuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKwmE,eAAe9kE,MAC7B,IA+CoB,mBAAX2B,SACTygE,EAAS/0D,KAAO,SAAUw9D,EAAUjoE,GAIlC,YAHa9B,IAATuM,IACFA,EAAO,EAAQ,QAEVA,EAAK+0D,EAAUyI,EAAUjoE,EAClC,iCC17BFvB,EAAOC,QAAUihE,EACjB,IAAIoD,EAAiB,WACnBG,EAA6BH,EAAeG,2BAC5CgF,EAAwBnF,EAAemF,sBACvCC,EAAqCpF,EAAeoF,mCACpDC,EAA8BrF,EAAeqF,4BAC3C1I,EAAS,EAAQ,OAErB,SAAS2I,EAAepW,EAAIrsD,GAC1B,IAAI0iE,EAAK5sE,KAAK6sE,gBACdD,EAAGE,cAAe,EAClB,IAAIv7C,EAAKq7C,EAAGG,QACZ,GAAW,OAAPx7C,EACF,OAAOvxB,KAAK8B,KAAK,QAAS,IAAI0qE,GAEhCI,EAAGI,WAAa,KAChBJ,EAAGG,QAAU,KACD,MAAR7iE,GAEFlK,KAAKQ,KAAK0J,GACZqnB,EAAGglC,GACH,IAAI0W,EAAKjtE,KAAKwmE,eACdyG,EAAG7E,SAAU,GACT6E,EAAG3E,cAAgB2E,EAAGvrE,OAASurE,EAAG3G,gBACpCtmE,KAAKkpE,MAAM+D,EAAG3G,cAElB,CACA,SAASrC,EAAUjzD,GACjB,KAAMhR,gBAAgBikE,GAAY,OAAO,IAAIA,EAAUjzD,GACvDgzD,EAAO9iE,KAAKlB,KAAMgR,GAClBhR,KAAK6sE,gBAAkB,CACrBF,eAAgBA,EAAen7D,KAAKxR,MACpCktE,eAAe,EACfJ,cAAc,EACdC,QAAS,KACTC,WAAY,KACZG,cAAe,MAIjBntE,KAAKwmE,eAAe8B,cAAe,EAKnCtoE,KAAKwmE,eAAe6B,MAAO,EACvBr3D,IAC+B,mBAAtBA,EAAQo8D,YAA0BptE,KAAKymE,WAAaz1D,EAAQo8D,WAC1C,mBAAlBp8D,EAAQwB,QAAsBxS,KAAKqtE,OAASr8D,EAAQwB,QAIjExS,KAAK2C,GAAG,YAAa2qE,EACvB,CACA,SAASA,IACP,IAAIlB,EAAQpsE,KACe,mBAAhBA,KAAKqtE,QAA0BrtE,KAAKwmE,eAAevtC,UAK5Ds0C,EAAKvtE,KAAM,KAAM,MAJjBA,KAAKqtE,QAAO,SAAU9W,EAAIrsD,GACxBqjE,EAAKnB,EAAO7V,EAAIrsD,EAClB,GAIJ,CAiDA,SAASqjE,EAAK3F,EAAQrR,EAAIrsD,GACxB,GAAIqsD,EAAI,OAAOqR,EAAO9lE,KAAK,QAASy0D,GAQpC,GAPY,MAARrsD,GAEF09D,EAAOpnE,KAAK0J,GAKV09D,EAAOzB,eAAezkE,OAAQ,MAAM,IAAIgrE,EAC5C,GAAI9E,EAAOiF,gBAAgBC,aAAc,MAAM,IAAIL,EACnD,OAAO7E,EAAOpnE,KAAK,KACrB,CArHA,EAAQ,MAAR,CAAoByjE,EAAWD,GAyD/BC,EAAUzkE,UAAUgB,KAAO,SAAUm5D,EAAOpC,GAE1C,OADAv3D,KAAK6sE,gBAAgBK,eAAgB,EAC9BlJ,EAAOxkE,UAAUgB,KAAKU,KAAKlB,KAAM25D,EAAOpC,EACjD,EAYA0M,EAAUzkE,UAAUinE,WAAa,SAAU9M,EAAOpC,EAAUhmC,GAC1DA,EAAG,IAAIi2C,EAA2B,gBACpC,EACAvD,EAAUzkE,UAAUguE,OAAS,SAAU7T,EAAOpC,EAAUhmC,GACtD,IAAIq7C,EAAK5sE,KAAK6sE,gBAId,GAHAD,EAAGG,QAAUx7C,EACbq7C,EAAGI,WAAarT,EAChBiT,EAAGO,cAAgB5V,GACdqV,EAAGE,aAAc,CACpB,IAAIG,EAAKjtE,KAAKwmE,gBACVoG,EAAGM,eAAiBD,EAAG3E,cAAgB2E,EAAGvrE,OAASurE,EAAG3G,gBAAetmE,KAAKkpE,MAAM+D,EAAG3G,cACzF,CACF,EAKArC,EAAUzkE,UAAU0pE,MAAQ,SAAUnzC,GACpC,IAAI62C,EAAK5sE,KAAK6sE,gBACQ,OAAlBD,EAAGI,YAAwBJ,EAAGE,aAMhCF,EAAGM,eAAgB,GALnBN,EAAGE,cAAe,EAClB9sE,KAAKymE,WAAWmG,EAAGI,WAAYJ,EAAGO,cAAeP,EAAGD,gBAMxD,EACA1I,EAAUzkE,UAAU2pE,SAAW,SAAUjrD,EAAKqT,GAC5CyyC,EAAOxkE,UAAU2pE,SAASjoE,KAAKlB,KAAMke,GAAK,SAAUuvD,GAClDl8C,EAAGk8C,EACL,GACF,oCC9HIzJ,aAXJ,SAAS0J,EAAczkE,GACrB,IAAImjE,EAAQpsE,KACZA,KAAKylB,KAAO,KACZzlB,KAAK2oC,MAAQ,KACb3oC,KAAK2tE,OAAS,YA6iBhB,SAAwBC,EAAS3kE,EAAOiV,GACtC,IAAIyqB,EAAQilC,EAAQjlC,MAEpB,IADAilC,EAAQjlC,MAAQ,KACTA,GAAO,CACZ,IAAIpX,EAAKoX,EAAM11B,SACfhK,EAAM4kE,YACNt8C,EAljBAu8C,WAmjBAnlC,EAAQA,EAAMljB,IAChB,CAGAxc,EAAM8kE,mBAAmBtoD,KAAOmoD,CAClC,CAxjBIE,CAAe1B,EAAOnjE,EACxB,CACF,CAnBAlG,EAAOC,QAAU+gE,EA0BjBA,EAASiK,cAAgBA,EAGzB,IA+JIC,EA/JAC,EAAe,CACjBC,UAAW,EAAQ,QAKjBnW,EAAS,EAAQ,OAGjBlB,EAAS,gBACT8P,QAAmC,IAAX,EAAAlE,EAAyB,EAAAA,EAA2B,oBAAX9+D,OAAyBA,OAAyB,oBAATI,KAAuBA,KAAO,CAAC,GAAG6iE,YAAc,WAAa,EAOvKM,EAAc,EAAQ,OAExBC,EADa,EAAQ,OACOA,iBAC1BC,EAAiB,WACnBC,EAAuBD,EAAeC,qBACtCE,EAA6BH,EAAeG,2BAC5CgF,EAAwBnF,EAAemF,sBACvC4B,EAAyB/G,EAAe+G,uBACxCC,EAAuBhH,EAAegH,qBACtCC,EAAyBjH,EAAeiH,uBACxCC,EAA6BlH,EAAekH,2BAC5CC,EAAuBnH,EAAemH,qBACpC9G,EAAiBP,EAAYO,eAEjC,SAAS+G,IAAO,CAChB,SAAST,EAAch9D,EAAS42D,EAAQC,GACtC7D,EAASA,GAAU,EAAQ,OAC3BhzD,EAAUA,GAAW,CAAC,EAOE,kBAAb62D,IAAwBA,EAAWD,aAAkB5D,GAIhEhkE,KAAK8nE,aAAe92D,EAAQ82D,WACxBD,IAAU7nE,KAAK8nE,WAAa9nE,KAAK8nE,cAAgB92D,EAAQ09D,oBAK7D1uE,KAAKsmE,cAAgBc,EAAiBpnE,KAAMgR,EAAS,wBAAyB62D,GAG9E7nE,KAAK2uE,aAAc,EAGnB3uE,KAAKgsE,WAAY,EAEjBhsE,KAAK4uE,QAAS,EAEd5uE,KAAKomE,OAAQ,EAEbpmE,KAAKmkE,UAAW,EAGhBnkE,KAAKi5B,WAAY,EAKjB,IAAI41C,GAAqC,IAA1B79D,EAAQ89D,cACvB9uE,KAAK8uE,eAAiBD,EAKtB7uE,KAAK6oE,gBAAkB73D,EAAQ63D,iBAAmB,OAKlD7oE,KAAK0B,OAAS,EAGd1B,KAAK+uE,SAAU,EAGf/uE,KAAKgvE,OAAS,EAMdhvE,KAAKqoE,MAAO,EAKZroE,KAAKivE,kBAAmB,EAGxBjvE,KAAKkvE,QAAU,SAAU3Y,IAsQ3B,SAAiBqR,EAAQrR,GACvB,IAAIttD,EAAQ2+D,EAAOzB,eACfkC,EAAOp/D,EAAMo/D,KACb92C,EAAKtoB,EAAM8jE,QACf,GAAkB,mBAAPx7C,EAAmB,MAAM,IAAIi7C,EAExC,GAZF,SAA4BvjE,GAC1BA,EAAM8lE,SAAU,EAChB9lE,EAAM8jE,QAAU,KAChB9jE,EAAMvH,QAAUuH,EAAMkmE,SACtBlmE,EAAMkmE,SAAW,CACnB,CAMEC,CAAmBnmE,GACfstD,GAlCN,SAAsBqR,EAAQ3+D,EAAOo/D,EAAM9R,EAAIhlC,KAC3CtoB,EAAM4kE,UACJxF,GAGF7G,EAAQE,SAASnwC,EAAIglC,GAGrBiL,EAAQE,SAAS2N,EAAazH,EAAQ3+D,GACtC2+D,EAAOzB,eAAemJ,cAAe,EACrC5H,EAAeE,EAAQrR,KAIvBhlC,EAAGglC,GACHqR,EAAOzB,eAAemJ,cAAe,EACrC5H,EAAeE,EAAQrR,GAGvB8Y,EAAYzH,EAAQ3+D,GAExB,CAaUsmE,CAAa3H,EAAQ3+D,EAAOo/D,EAAM9R,EAAIhlC,OAAS,CAErD,IAAI4yC,EAAWqL,EAAWvmE,IAAU2+D,EAAO3uC,UACtCkrC,GAAal7D,EAAM+lE,QAAW/lE,EAAMgmE,mBAAoBhmE,EAAMwmE,iBACjEC,EAAY9H,EAAQ3+D,GAElBo/D,EACF7G,EAAQE,SAASiO,EAAY/H,EAAQ3+D,EAAOk7D,EAAU5yC,GAEtDo+C,EAAW/H,EAAQ3+D,EAAOk7D,EAAU5yC,EAExC,CACF,CAvRI29C,CAAQtH,EAAQrR,EAClB,EAGAv2D,KAAK+sE,QAAU,KAGf/sE,KAAKmvE,SAAW,EAChBnvE,KAAKyvE,gBAAkB,KACvBzvE,KAAK4vE,oBAAsB,KAI3B5vE,KAAK6tE,UAAY,EAIjB7tE,KAAK6vE,aAAc,EAGnB7vE,KAAKsvE,cAAe,EAGpBtvE,KAAK2oE,WAAkC,IAAtB33D,EAAQ23D,UAGzB3oE,KAAK4oE,cAAgB53D,EAAQ43D,YAG7B5oE,KAAK8vE,qBAAuB,EAI5B9vE,KAAK+tE,mBAAqB,IAAIL,EAAc1tE,KAC9C,CAqCA,SAAS+jE,EAAS/yD,GAahB,IAAI62D,EAAW7nE,gBAZfgkE,EAASA,GAAU,EAAQ,QAa3B,IAAK6D,IAAaoG,EAAgB/sE,KAAK6iE,EAAU/jE,MAAO,OAAO,IAAI+jE,EAAS/yD,GAC5EhR,KAAKmmE,eAAiB,IAAI6H,EAAch9D,EAAShR,KAAM6nE,GAGvD7nE,KAAK6W,UAAW,EACZ7F,IAC2B,mBAAlBA,EAAQ0oD,QAAsB15D,KAAKwtE,OAASx8D,EAAQ0oD,OACjC,mBAAnB1oD,EAAQ++D,SAAuB/vE,KAAKgwE,QAAUh/D,EAAQ++D,QAClC,mBAApB/+D,EAAQ4zD,UAAwB5kE,KAAKmpE,SAAWn4D,EAAQ4zD,SACtC,mBAAlB5zD,EAAQi/D,QAAsBjwE,KAAKkwE,OAASl/D,EAAQi/D,QAEjEjY,EAAO92D,KAAKlB,KACd,CAgIA,SAASmwE,EAAQvI,EAAQ3+D,EAAO8mE,EAAQ1tE,EAAKs3D,EAAOpC,EAAUhmC,GAC5DtoB,EAAMkmE,SAAW9sE,EACjB4G,EAAM8jE,QAAUx7C,EAChBtoB,EAAM8lE,SAAU,EAChB9lE,EAAMo/D,MAAO,EACTp/D,EAAMgwB,UAAWhwB,EAAMimE,QAAQ,IAAIb,EAAqB,UAAmB0B,EAAQnI,EAAOoI,QAAQrW,EAAO1wD,EAAMimE,SAActH,EAAO4F,OAAO7T,EAAOpC,EAAUtuD,EAAMimE,SACtKjmE,EAAMo/D,MAAO,CACf,CAgDA,SAASsH,EAAW/H,EAAQ3+D,EAAOk7D,EAAU5yC,GACtC4yC,GASP,SAAsByD,EAAQ3+D,GACP,IAAjBA,EAAMvH,QAAgBuH,EAAM+iE,YAC9B/iE,EAAM+iE,WAAY,EAClBpE,EAAO9lE,KAAK,SAEhB,CAdiBsuE,CAAaxI,EAAQ3+D,GACpCA,EAAM4kE,YACNt8C,IACA89C,EAAYzH,EAAQ3+D,EACtB,CAaA,SAASymE,EAAY9H,EAAQ3+D,GAC3BA,EAAMgmE,kBAAmB,EACzB,IAAItmC,EAAQ1/B,EAAMwmE,gBAClB,GAAI7H,EAAOoI,SAAWrnC,GAASA,EAAMljB,KAAM,CAEzC,IAAIhkB,EAAIwH,EAAM6mE,qBACVjZ,EAAS,IAAIj1D,MAAMH,GACnB4uE,EAASpnE,EAAM8kE,mBACnBsC,EAAO1nC,MAAQA,EAGf,IAFA,IAAI6iB,EAAQ,EACR8kB,GAAa,EACV3nC,GACLkuB,EAAOrL,GAAS7iB,EACXA,EAAM4nC,QAAOD,GAAa,GAC/B3nC,EAAQA,EAAMljB,KACd+lC,GAAS,EAEXqL,EAAOyZ,WAAaA,EACpBH,EAAQvI,EAAQ3+D,GAAO,EAAMA,EAAMvH,OAAQm1D,EAAQ,GAAIwZ,EAAO1C,QAI9D1kE,EAAM4kE,YACN5kE,EAAM2mE,oBAAsB,KACxBS,EAAO5qD,MACTxc,EAAM8kE,mBAAqBsC,EAAO5qD,KAClC4qD,EAAO5qD,KAAO,MAEdxc,EAAM8kE,mBAAqB,IAAIL,EAAczkE,GAE/CA,EAAM6mE,qBAAuB,CAC/B,KAAO,CAEL,KAAOnnC,GAAO,CACZ,IAAIgxB,EAAQhxB,EAAMgxB,MACdpC,EAAW5uB,EAAM4uB,SACjBhmC,EAAKoX,EAAM11B,SASf,GAPAk9D,EAAQvI,EAAQ3+D,GAAO,EADbA,EAAM6+D,WAAa,EAAInO,EAAMj4D,OACJi4D,EAAOpC,EAAUhmC,GACpDoX,EAAQA,EAAMljB,KACdxc,EAAM6mE,uBAKF7mE,EAAM8lE,QACR,KAEJ,CACc,OAAVpmC,IAAgB1/B,EAAM2mE,oBAAsB,KAClD,CACA3mE,EAAMwmE,gBAAkB9mC,EACxB1/B,EAAMgmE,kBAAmB,CAC3B,CAoCA,SAASO,EAAWvmE,GAClB,OAAOA,EAAM2lE,QAA2B,IAAjB3lE,EAAMvH,QAA0C,OAA1BuH,EAAMwmE,kBAA6BxmE,EAAMk7D,WAAal7D,EAAM8lE,OAC3G,CACA,SAASyB,EAAU5I,EAAQ3+D,GACzB2+D,EAAOsI,QAAO,SAAUhyD,GACtBjV,EAAM4kE,YACF3vD,GACFwpD,EAAeE,EAAQ1pD,GAEzBjV,EAAM4mE,aAAc,EACpBjI,EAAO9lE,KAAK,aACZutE,EAAYzH,EAAQ3+D,EACtB,GACF,CAaA,SAASomE,EAAYzH,EAAQ3+D,GAC3B,IAAIwnE,EAAOjB,EAAWvmE,GACtB,GAAIwnE,IAdN,SAAmB7I,EAAQ3+D,GACpBA,EAAM4mE,aAAgB5mE,EAAM0lE,cACF,mBAAlB/G,EAAOsI,QAA0BjnE,EAAMgwB,WAKhDhwB,EAAM4mE,aAAc,EACpBjI,EAAO9lE,KAAK,eALZmH,EAAM4kE,YACN5kE,EAAM0lE,aAAc,EACpBnN,EAAQE,SAAS8O,EAAW5I,EAAQ3+D,IAM1C,CAIIqkE,CAAU1F,EAAQ3+D,GACM,IAApBA,EAAM4kE,YACR5kE,EAAMk7D,UAAW,EACjByD,EAAO9lE,KAAK,UACRmH,EAAM2/D,cAAa,CAGrB,IAAI8H,EAAS9I,EAAOpB,iBACfkK,GAAUA,EAAO9H,aAAe8H,EAAOvI,aAC1CP,EAAOhD,SAEX,CAGJ,OAAO6L,CACT,CAxfA,EAAQ,MAAR,CAAoB1M,EAAU/L,GA4G9BgW,EAAcxuE,UAAU+mE,UAAY,WAGlC,IAFA,IAAI5jD,EAAU3iB,KAAKyvE,gBACfkB,EAAM,GACHhuD,GACLguD,EAAInwE,KAAKmiB,GACTA,EAAUA,EAAQ8C,KAEpB,OAAOkrD,CACT,EACA,WACE,IACEpxE,OAAOoX,eAAeq3D,EAAcxuE,UAAW,SAAU,CACvDmO,IAAKugE,EAAaC,WAAU,WAC1B,OAAOnuE,KAAKumE,WACd,GAAG,6EAAmF,YAE1F,CAAE,MAAOrlD,GAAI,CACd,CARD,GAasB,mBAAX7d,QAAyBA,OAAOutE,aAAiE,mBAA3C7wC,SAASvgC,UAAU6D,OAAOutE,cACzF3C,EAAkBluC,SAASvgC,UAAU6D,OAAOutE,aAC5CrxE,OAAOoX,eAAeotD,EAAU1gE,OAAOutE,YAAa,CAClDxnE,MAAO,SAAesQ,GACpB,QAAIu0D,EAAgB/sE,KAAKlB,KAAM0Z,IAC3B1Z,OAAS+jE,GACNrqD,GAAUA,EAAOysD,0BAA0B6H,CACpD,KAGFC,EAAkB,SAAyBv0D,GACzC,OAAOA,aAAkB1Z,IAC3B,EA+BF+jE,EAASvkE,UAAU6kE,KAAO,WACxBqD,EAAe1nE,KAAM,IAAIouE,EAC3B,EAyBArK,EAASvkE,UAAUk6D,MAAQ,SAAUC,EAAOpC,EAAUhmC,GACpD,IAzNqB9a,EAyNjBxN,EAAQjJ,KAAKmmE,eACbzwD,GAAM,EACN66D,GAAStnE,EAAM6+D,aA3NErxD,EA2N0BkjD,EA1NxC7C,EAAOkI,SAASvoD,IAAQA,aAAemwD,GAwO9C,OAbI2J,IAAUzZ,EAAOkI,SAASrF,KAC5BA,EAhOJ,SAA6BA,GAC3B,OAAO7C,EAAO/nD,KAAK4qD,EACrB,CA8NYgQ,CAAoBhQ,IAEN,mBAAbpC,IACThmC,EAAKgmC,EACLA,EAAW,MAETgZ,EAAOhZ,EAAW,SAAmBA,IAAUA,EAAWtuD,EAAM4/D,iBAClD,mBAAPt3C,IAAmBA,EAAKk9C,GAC/BxlE,EAAM2lE,OArCZ,SAAuBhH,EAAQr2C,GAC7B,IAAIglC,EAAK,IAAIgY,EAEb7G,EAAeE,EAAQrR,GACvBiL,EAAQE,SAASnwC,EAAIglC,EACvB,CAgCoBsa,CAAc7wE,KAAMuxB,IAAag/C,GA3BrD,SAAoB3I,EAAQ3+D,EAAO0wD,EAAOpoC,GACxC,IAAIglC,EAMJ,OALc,OAAVoD,EACFpD,EAAK,IAAI+X,EACiB,iBAAV3U,GAAuB1wD,EAAM6+D,aAC7CvR,EAAK,IAAI+Q,EAAqB,QAAS,CAAC,SAAU,UAAW3N,KAE3DpD,IACFmR,EAAeE,EAAQrR,GACvBiL,EAAQE,SAASnwC,EAAIglC,IACd,EAGX,CAc8Dua,CAAW9wE,KAAMiJ,EAAO0wD,EAAOpoC,MACzFtoB,EAAM4kE,YACNn4D,EAiDJ,SAAuBkyD,EAAQ3+D,EAAOsnE,EAAO5W,EAAOpC,EAAUhmC,GAC5D,IAAKg/C,EAAO,CACV,IAAIQ,EArBR,SAAqB9nE,EAAO0wD,EAAOpC,GAIjC,OAHKtuD,EAAM6+D,aAAsC,IAAxB7+D,EAAM6lE,eAA4C,iBAAVnV,IAC/DA,EAAQ7C,EAAO/nD,KAAK4qD,EAAOpC,IAEtBoC,CACT,CAgBmBqX,CAAY/nE,EAAO0wD,EAAOpC,GACrCoC,IAAUoX,IACZR,GAAQ,EACRhZ,EAAW,SACXoC,EAAQoX,EAEZ,CACA,IAAI1uE,EAAM4G,EAAM6+D,WAAa,EAAInO,EAAMj4D,OACvCuH,EAAMvH,QAAUW,EAChB,IAAIqT,EAAMzM,EAAMvH,OAASuH,EAAMq9D,cAG/B,GADK5wD,IAAKzM,EAAM+iE,WAAY,GACxB/iE,EAAM8lE,SAAW9lE,EAAM+lE,OAAQ,CACjC,IAAIiC,EAAOhoE,EAAM2mE,oBACjB3mE,EAAM2mE,oBAAsB,CAC1BjW,MAAOA,EACPpC,SAAUA,EACVgZ,MAAOA,EACPt9D,SAAUse,EACV9L,KAAM,MAEJwrD,EACFA,EAAKxrD,KAAOxc,EAAM2mE,oBAElB3mE,EAAMwmE,gBAAkBxmE,EAAM2mE,oBAEhC3mE,EAAM6mE,sBAAwB,CAChC,MACEK,EAAQvI,EAAQ3+D,GAAO,EAAO5G,EAAKs3D,EAAOpC,EAAUhmC,GAEtD,OAAO7b,CACT,CAlFUw7D,CAAclxE,KAAMiJ,EAAOsnE,EAAO5W,EAAOpC,EAAUhmC,IAEpD7b,CACT,EACAquD,EAASvkE,UAAU2xE,KAAO,WACxBnxE,KAAKmmE,eAAe6I,QACtB,EACAjL,EAASvkE,UAAU4xE,OAAS,WAC1B,IAAInoE,EAAQjJ,KAAKmmE,eACbl9D,EAAM+lE,SACR/lE,EAAM+lE,SACD/lE,EAAM8lE,SAAY9lE,EAAM+lE,QAAW/lE,EAAMgmE,mBAAoBhmE,EAAMwmE,iBAAiBC,EAAY1vE,KAAMiJ,GAE/G,EACA86D,EAASvkE,UAAU6xE,mBAAqB,SAA4B9Z,GAGlE,GADwB,iBAAbA,IAAuBA,EAAWA,EAAS1uD,iBAChD,CAAC,MAAO,OAAQ,QAAS,QAAS,SAAU,SAAU,OAAQ,QAAS,UAAW,WAAY,OAAOwK,SAASkkD,EAAW,IAAI1uD,gBAAkB,GAAI,MAAM,IAAI2lE,EAAqBjX,GAExL,OADAv3D,KAAKmmE,eAAe0C,gBAAkBtR,EAC/Bv3D,IACT,EACAT,OAAOoX,eAAeotD,EAASvkE,UAAW,iBAAkB,CAI1DuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKmmE,gBAAkBnmE,KAAKmmE,eAAeI,WACpD,IAQFhnE,OAAOoX,eAAeotD,EAASvkE,UAAW,wBAAyB,CAIjEuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKmmE,eAAeG,aAC7B,IAuKFvC,EAASvkE,UAAUguE,OAAS,SAAU7T,EAAOpC,EAAUhmC,GACrDA,EAAG,IAAIi2C,EAA2B,YACpC,EACAzD,EAASvkE,UAAUwwE,QAAU,KAC7BjM,EAASvkE,UAAU8mB,IAAM,SAAUqzC,EAAOpC,EAAUhmC,GAClD,IAAItoB,EAAQjJ,KAAKmmE,eAmBjB,MAlBqB,mBAAVxM,GACTpoC,EAAKooC,EACLA,EAAQ,KACRpC,EAAW,MACkB,mBAAbA,IAChBhmC,EAAKgmC,EACLA,EAAW,MAEToC,SAAuC35D,KAAK05D,MAAMC,EAAOpC,GAGzDtuD,EAAM+lE,SACR/lE,EAAM+lE,OAAS,EACfhvE,KAAKoxE,UAIFnoE,EAAM2lE,QAyDb,SAAqBhH,EAAQ3+D,EAAOsoB,GAClCtoB,EAAM2lE,QAAS,EACfS,EAAYzH,EAAQ3+D,GAChBsoB,IACEtoB,EAAMk7D,SAAU3C,EAAQE,SAASnwC,GAASq2C,EAAO7nE,KAAK,SAAUwxB,IAEtEtoB,EAAMm9D,OAAQ,EACdwB,EAAO/wD,UAAW,CACpB,CAjEqBy6D,CAAYtxE,KAAMiJ,EAAOsoB,GACrCvxB,IACT,EACAT,OAAOoX,eAAeotD,EAASvkE,UAAW,iBAAkB,CAI1DuX,YAAY,EACZpJ,IAAK,WACH,OAAO3N,KAAKmmE,eAAezkE,MAC7B,IAqEFnC,OAAOoX,eAAeotD,EAASvkE,UAAW,YAAa,CAIrDuX,YAAY,EACZpJ,IAAK,WACH,YAA4BnL,IAAxBxC,KAAKmmE,gBAGFnmE,KAAKmmE,eAAeltC,SAC7B,EACAjpB,IAAK,SAAa5G,GAGXpJ,KAAKmmE,iBAMVnmE,KAAKmmE,eAAeltC,UAAY7vB,EAClC,IAEF26D,EAASvkE,UAAUolE,QAAUuC,EAAYvC,QACzCb,EAASvkE,UAAUsqE,WAAa3C,EAAY4C,UAC5ChG,EAASvkE,UAAU2pE,SAAW,SAAUjrD,EAAKqT,GAC3CA,EAAGrT,EACL,oCC9nBIqzD,aACJ,SAASle,EAAgB58C,EAAKvN,EAAKE,GAA4L,OAAnLF,EAC5C,SAAwB+sD,GAAO,IAAI/sD,EACnC,SAAsBgQ,EAAOs4D,GAAQ,GAAqB,iBAAVt4D,GAAgC,OAAVA,EAAgB,OAAOA,EAAO,IAAIu4D,EAAOv4D,EAAM7V,OAAOquE,aAAc,QAAalvE,IAATivE,EAAoB,CAAE,IAAIpzD,EAAMozD,EAAKvwE,KAAKgY,EAAOs4D,UAAoB,GAAmB,iBAARnzD,EAAkB,OAAOA,EAAK,MAAM,IAAIje,UAAU,+CAAiD,CAAE,OAA4B8G,OAAiBgS,EAAQ,CAD/Uy4D,CAAa1b,GAAgB,MAAsB,iBAAR/sD,EAAmBA,EAAMhC,OAAOgC,EAAM,CADxE0oE,CAAe1oE,MAAiBuN,EAAOlX,OAAOoX,eAAeF,EAAKvN,EAAK,CAAEE,MAAOA,EAAO2N,YAAY,EAAMD,cAAc,EAAMD,UAAU,IAAkBJ,EAAIvN,GAAOE,EAAgBqN,CAAK,CAG3O,IAAI0tD,EAAW,EAAQ,OACnB0N,EAAexuE,OAAO,eACtByuE,EAAczuE,OAAO,cACrB0uE,EAAS1uE,OAAO,SAChB2uE,EAAS3uE,OAAO,SAChB4uE,EAAe5uE,OAAO,eACtB6uE,EAAiB7uE,OAAO,iBACxB8uE,EAAU9uE,OAAO,UACrB,SAAS+uE,EAAiBhpE,EAAOmkE,GAC/B,MAAO,CACLnkE,MAAOA,EACPmkE,KAAMA,EAEV,CACA,SAAS8E,EAAeC,GACtB,IAAIvlE,EAAUulE,EAAKT,GACnB,GAAgB,OAAZ9kE,EAAkB,CACpB,IAAI7C,EAAOooE,EAAKH,GAASlJ,OAIZ,OAAT/+D,IACFooE,EAAKL,GAAgB,KACrBK,EAAKT,GAAgB,KACrBS,EAAKR,GAAe,KACpB/kE,EAAQqlE,EAAiBloE,GAAM,IAEnC,CACF,CACA,SAASqoE,EAAWD,GAGlB9Q,EAAQE,SAAS2Q,EAAgBC,EACnC,CAYA,IAAIE,EAAyBjzE,OAAO42D,gBAAe,WAAa,IAC5Dsc,EAAuClzE,OAAOmzE,gBAmD/Crf,EAnD+Dke,EAAwB,CACxF,UAAI3J,GACF,OAAO5nE,KAAKmyE,EACd,EACA1sD,KAAM,WACJ,IAAI2mD,EAAQpsE,KAGRgF,EAAQhF,KAAK+xE,GACjB,GAAc,OAAV/sE,EACF,OAAO8H,QAAQE,OAAOhI,GAExB,GAAIhF,KAAKgyE,GACP,OAAOllE,QAAQC,QAAQqlE,OAAiB5vE,GAAW,IAErD,GAAIxC,KAAKmyE,GAASl5C,UAKhB,OAAO,IAAInsB,SAAQ,SAAUC,EAASC,GACpCw0D,EAAQE,UAAS,WACX0K,EAAM2F,GACR/kE,EAAOo/D,EAAM2F,IAEbhlE,EAAQqlE,OAAiB5vE,GAAW,GAExC,GACF,IAOF,IACI8qD,EADAqlB,EAAc3yE,KAAKiyE,GAEvB,GAAIU,EACFrlB,EAAU,IAAIxgD,QAlDpB,SAAqB6lE,EAAaL,GAChC,OAAO,SAAUvlE,EAASC,GACxB2lE,EAAYt9D,MAAK,WACXi9D,EAAKN,GACPjlE,EAAQqlE,OAAiB5vE,GAAW,IAGtC8vE,EAAKJ,GAAgBnlE,EAASC,EAChC,GAAGA,EACL,CACF,CAwC4B4lE,CAAYD,EAAa3yE,WAC1C,CAGL,IAAIkK,EAAOlK,KAAKmyE,GAASlJ,OACzB,GAAa,OAAT/+D,EACF,OAAO4C,QAAQC,QAAQqlE,EAAiBloE,GAAM,IAEhDojD,EAAU,IAAIxgD,QAAQ9M,KAAKkyE,GAC7B,CAEA,OADAlyE,KAAKiyE,GAAgB3kB,EACdA,CACT,GACwCjqD,OAAOgpE,eAAe,WAC9D,OAAOrsE,IACT,IAAIqzD,EAAgBke,EAAuB,UAAU,WACnD,IAAIsB,EAAS7yE,KAIb,OAAO,IAAI8M,SAAQ,SAAUC,EAASC,GACpC6lE,EAAOV,GAASvN,QAAQ,MAAM,SAAU1mD,GAClCA,EACFlR,EAAOkR,GAGTnR,EAAQqlE,OAAiB5vE,GAAW,GACtC,GACF,GACF,IAAI+uE,GAAwBiB,GA4D5BzvE,EAAOC,QA3DiC,SAA2C4kE,GACjF,IAAIkL,EACAj+C,EAAWt1B,OAAOqB,OAAO6xE,GAA4Dpf,EAArByf,EAAiB,CAAC,EAAmCX,EAAS,CAChI/oE,MAAOw+D,EACP/wD,UAAU,IACRw8C,EAAgByf,EAAgBjB,EAAc,CAChDzoE,MAAO,KACPyN,UAAU,IACRw8C,EAAgByf,EAAgBhB,EAAa,CAC/C1oE,MAAO,KACPyN,UAAU,IACRw8C,EAAgByf,EAAgBf,EAAQ,CAC1C3oE,MAAO,KACPyN,UAAU,IACRw8C,EAAgByf,EAAgBd,EAAQ,CAC1C5oE,MAAOw+D,EAAOpB,eAAe2B,WAC7BtxD,UAAU,IACRw8C,EAAgByf,EAAgBZ,EAAgB,CAClD9oE,MAAO,SAAe2D,EAASC,GAC7B,IAAI9C,EAAO2qB,EAASs9C,GAASlJ,OACzB/+D,GACF2qB,EAASo9C,GAAgB,KACzBp9C,EAASg9C,GAAgB,KACzBh9C,EAASi9C,GAAe,KACxB/kE,EAAQqlE,EAAiBloE,GAAM,MAE/B2qB,EAASg9C,GAAgB9kE,EACzB8nB,EAASi9C,GAAe9kE,EAE5B,EACA6J,UAAU,IACRi8D,IA0BJ,OAzBAj+C,EAASo9C,GAAgB,KACzB9N,EAASyD,GAAQ,SAAU1pD,GACzB,GAAIA,GAAoB,+BAAbA,EAAI8mD,KAAuC,CACpD,IAAIh4D,EAAS6nB,EAASi9C,GAUtB,OAPe,OAAX9kE,IACF6nB,EAASo9C,GAAgB,KACzBp9C,EAASg9C,GAAgB,KACzBh9C,EAASi9C,GAAe,KACxB9kE,EAAOkR,SAET2W,EAASk9C,GAAU7zD,EAErB,CACA,IAAInR,EAAU8nB,EAASg9C,GACP,OAAZ9kE,IACF8nB,EAASo9C,GAAgB,KACzBp9C,EAASg9C,GAAgB,KACzBh9C,EAASi9C,GAAe,KACxB/kE,EAAQqlE,OAAiB5vE,GAAW,KAEtCqyB,EAASm9C,IAAU,CACrB,IACApK,EAAOjlE,GAAG,WAAY4vE,EAAW/gE,KAAK,KAAMqjB,IACrCA,CACT,gCChLA,SAAS/a,EAAQJ,EAAQq5D,GAAkB,IAAI5oE,EAAO5K,OAAO4K,KAAKuP,GAAS,GAAIna,OAAO6B,sBAAuB,CAAE,IAAI4xE,EAAUzzE,OAAO6B,sBAAsBsY,GAASq5D,IAAmBC,EAAUA,EAAQ/jE,QAAO,SAAUgkE,GAAO,OAAO1zE,OAAOsa,yBAAyBH,EAAQu5D,GAAKl8D,UAAY,KAAK5M,EAAK3J,KAAKiC,MAAM0H,EAAM6oE,EAAU,CAAE,OAAO7oE,CAAM,CACpV,SAAS+oE,EAAczsE,GAAU,IAAK,IAAIjF,EAAI,EAAGA,EAAIc,UAAUZ,OAAQF,IAAK,CAAE,IAAI2iB,EAAS,MAAQ7hB,UAAUd,GAAKc,UAAUd,GAAK,CAAC,EAAGA,EAAI,EAAIsY,EAAQva,OAAO4kB,IAAS,GAAI9V,SAAQ,SAAUnF,GAAOmqD,EAAgB5sD,EAAQyC,EAAKib,EAAOjb,GAAO,IAAK3J,OAAO4zE,0BAA4B5zE,OAAO24B,iBAAiBzxB,EAAQlH,OAAO4zE,0BAA0BhvD,IAAWrK,EAAQva,OAAO4kB,IAAS9V,SAAQ,SAAUnF,GAAO3J,OAAOoX,eAAelQ,EAAQyC,EAAK3J,OAAOsa,yBAAyBsK,EAAQjb,GAAO,GAAI,CAAE,OAAOzC,CAAQ,CACzf,SAAS4sD,EAAgB58C,EAAKvN,EAAKE,GAA4L,OAAnLF,EAAM0oE,EAAe1oE,MAAiBuN,EAAOlX,OAAOoX,eAAeF,EAAKvN,EAAK,CAAEE,MAAOA,EAAO2N,YAAY,EAAMD,cAAc,EAAMD,UAAU,IAAkBJ,EAAIvN,GAAOE,EAAgBqN,CAAK,CAE3O,SAAS28D,EAAkB3sE,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,EAAQmrE,EAAeh4D,EAAW1Q,KAAM0Q,EAAa,CAAE,CAE5U,SAASg4D,EAAe3b,GAAO,IAAI/sD,EACnC,SAAsBgQ,EAAOs4D,GAAQ,GAAqB,iBAAVt4D,GAAgC,OAAVA,EAAgB,OAAOA,EAAO,IAAIu4D,EAAOv4D,EAAM7V,OAAOquE,aAAc,QAAalvE,IAATivE,EAAoB,CAAE,IAAIpzD,EAAMozD,EAAKvwE,KAAKgY,EAAOs4D,UAAoB,GAAmB,iBAARnzD,EAAkB,OAAOA,EAAK,MAAM,IAAIje,UAAU,+CAAiD,CAAE,OAA4B8G,OAAiBgS,EAAQ,CAD/Uy4D,CAAa1b,GAAgB,MAAsB,iBAAR/sD,EAAmBA,EAAMhC,OAAOgC,EAAM,CAE1H,IACE4tD,EADa,EAAQ,OACHA,OAElBuc,EADc,EAAQ,OACFA,QAClBprD,EAASorD,GAAWA,EAAQprD,QAAU,UAI1CllB,EAAOC,QAAuB,WAC5B,SAASkkE,KAdX,SAAyB1mD,EAAU8yD,GAAe,KAAM9yD,aAAoB8yD,GAAgB,MAAM,IAAIlzE,UAAU,oCAAwC,CAepJmzE,CAAgBvzE,KAAMknE,GACtBlnE,KAAKmqE,KAAO,KACZnqE,KAAKwzE,KAAO,KACZxzE,KAAK0B,OAAS,CAChB,CAjBF,IAAsB4xE,EAAaG,EA8KjC,OA9KoBH,EAkBPpM,GAlBoBuM,EAkBR,CAAC,CACxBvqE,IAAK,OACLE,MAAO,SAAcmmB,GACnB,IAAIoZ,EAAQ,CACVz+B,KAAMqlB,EACN9J,KAAM,MAEJzlB,KAAK0B,OAAS,EAAG1B,KAAKwzE,KAAK/tD,KAAOkjB,EAAW3oC,KAAKmqE,KAAOxhC,EAC7D3oC,KAAKwzE,KAAO7qC,IACV3oC,KAAK0B,MACT,GACC,CACDwH,IAAK,UACLE,MAAO,SAAiBmmB,GACtB,IAAIoZ,EAAQ,CACVz+B,KAAMqlB,EACN9J,KAAMzlB,KAAKmqE,MAEO,IAAhBnqE,KAAK0B,SAAc1B,KAAKwzE,KAAO7qC,GACnC3oC,KAAKmqE,KAAOxhC,IACV3oC,KAAK0B,MACT,GACC,CACDwH,IAAK,QACLE,MAAO,WACL,GAAoB,IAAhBpJ,KAAK0B,OAAT,CACA,IAAIgU,EAAM1V,KAAKmqE,KAAKjgE,KAGpB,OAFoB,IAAhBlK,KAAK0B,OAAc1B,KAAKmqE,KAAOnqE,KAAKwzE,KAAO,KAAUxzE,KAAKmqE,KAAOnqE,KAAKmqE,KAAK1kD,OAC7EzlB,KAAK0B,OACAgU,CAJsB,CAK/B,GACC,CACDxM,IAAK,QACLE,MAAO,WACLpJ,KAAKmqE,KAAOnqE,KAAKwzE,KAAO,KACxBxzE,KAAK0B,OAAS,CAChB,GACC,CACDwH,IAAK,OACLE,MAAO,SAAcm2D,GACnB,GAAoB,IAAhBv/D,KAAK0B,OAAc,MAAO,GAG9B,IAFA,IAAIsV,EAAIhX,KAAKmqE,KACTz0D,EAAM,GAAKsB,EAAE9M,KACV8M,EAAIA,EAAEyO,MAAM/P,GAAO6pD,EAAIvoD,EAAE9M,KAChC,OAAOwL,CACT,GACC,CACDxM,IAAK,SACLE,MAAO,SAAgB2sB,GACrB,GAAoB,IAAhB/1B,KAAK0B,OAAc,OAAOo1D,EAAOK,MAAM,GAI3C,IAHA,IA5Dc7U,EAAK77C,EAAQ+e,EA4DvB9P,EAAMohD,EAAOM,YAAYrhC,IAAM,GAC/B/e,EAAIhX,KAAKmqE,KACT3oE,EAAI,EACDwV,GA/DOsrC,EAgEDtrC,EAAE9M,KAhEIzD,EAgEEiP,EAhEM8P,EAgEDhkB,EA/D9Bs1D,EAAOt3D,UAAUu2D,KAAK70D,KAAKohD,EAAK77C,EAAQ+e,GAgElChkB,GAAKwV,EAAE9M,KAAKxI,OACZsV,EAAIA,EAAEyO,KAER,OAAO/P,CACT,GAGC,CACDxM,IAAK,UACLE,MAAO,SAAiB2sB,EAAG29C,GACzB,IAAIh+D,EAYJ,OAXIqgB,EAAI/1B,KAAKmqE,KAAKjgE,KAAKxI,QAErBgU,EAAM1V,KAAKmqE,KAAKjgE,KAAK/I,MAAM,EAAG40B,GAC9B/1B,KAAKmqE,KAAKjgE,KAAOlK,KAAKmqE,KAAKjgE,KAAK/I,MAAM40B,IAGtCrgB,EAFSqgB,IAAM/1B,KAAKmqE,KAAKjgE,KAAKxI,OAExB1B,KAAKwe,QAGLk1D,EAAa1zE,KAAK2zE,WAAW59C,GAAK/1B,KAAK4zE,WAAW79C,GAEnDrgB,CACT,GACC,CACDxM,IAAK,QACLE,MAAO,WACL,OAAOpJ,KAAKmqE,KAAKjgE,IACnB,GAGC,CACDhB,IAAK,aACLE,MAAO,SAAoB2sB,GACzB,IAAI/e,EAAIhX,KAAKmqE,KACTpsD,EAAI,EACJrI,EAAMsB,EAAE9M,KAEZ,IADA6rB,GAAKrgB,EAAIhU,OACFsV,EAAIA,EAAEyO,MAAM,CACjB,IAAIxH,EAAMjH,EAAE9M,KACR2pE,EAAK99C,EAAI9X,EAAIvc,OAASuc,EAAIvc,OAASq0B,EAGvC,GAFI89C,IAAO51D,EAAIvc,OAAQgU,GAAOuI,EAASvI,GAAOuI,EAAI9c,MAAM,EAAG40B,GAEjD,IADVA,GAAK89C,GACQ,CACPA,IAAO51D,EAAIvc,UACXqc,EACE/G,EAAEyO,KAAMzlB,KAAKmqE,KAAOnzD,EAAEyO,KAAUzlB,KAAKmqE,KAAOnqE,KAAKwzE,KAAO,OAE5DxzE,KAAKmqE,KAAOnzD,EACZA,EAAE9M,KAAO+T,EAAI9c,MAAM0yE,IAErB,KACF,GACE91D,CACJ,CAEA,OADA/d,KAAK0B,QAAUqc,EACRrI,CACT,GAGC,CACDxM,IAAK,aACLE,MAAO,SAAoB2sB,GACzB,IAAIrgB,EAAMohD,EAAOM,YAAYrhC,GACzB/e,EAAIhX,KAAKmqE,KACTpsD,EAAI,EAGR,IAFA/G,EAAE9M,KAAK6rD,KAAKrgD,GACZqgB,GAAK/e,EAAE9M,KAAKxI,OACLsV,EAAIA,EAAEyO,MAAM,CACjB,IAAI+xC,EAAMxgD,EAAE9M,KACR2pE,EAAK99C,EAAIyhC,EAAI91D,OAAS81D,EAAI91D,OAASq0B,EAGvC,GAFAyhC,EAAIzB,KAAKrgD,EAAKA,EAAIhU,OAASq0B,EAAG,EAAG89C,GAEvB,IADV99C,GAAK89C,GACQ,CACPA,IAAOrc,EAAI91D,UACXqc,EACE/G,EAAEyO,KAAMzlB,KAAKmqE,KAAOnzD,EAAEyO,KAAUzlB,KAAKmqE,KAAOnqE,KAAKwzE,KAAO,OAE5DxzE,KAAKmqE,KAAOnzD,EACZA,EAAE9M,KAAOstD,EAAIr2D,MAAM0yE,IAErB,KACF,GACE91D,CACJ,CAEA,OADA/d,KAAK0B,QAAUqc,EACRrI,CACT,GAGC,CACDxM,IAAK+e,EACL7e,MAAO,SAAe8X,EAAGlQ,GACvB,OAAOqiE,EAAQrzE,KAAMkzE,EAAcA,EAAc,CAAC,EAAGliE,GAAU,CAAC,EAAG,CAEjE0Q,MAAO,EAEPoyD,eAAe,IAEnB,MA5K0EV,EAAkBE,EAAY9zE,UAAWi0E,GAA2El0E,OAAOoX,eAAe28D,EAAa,YAAa,CAAEz8D,UAAU,IA8KrPqwD,CACT,CApK8B,gDCiC9B,SAAS6M,EAAoB/vE,EAAMka,GACjC81D,EAAYhwE,EAAMka,GAClB+1D,EAAYjwE,EACd,CACA,SAASiwE,EAAYjwE,GACfA,EAAKmiE,iBAAmBniE,EAAKmiE,eAAewC,WAC5C3kE,EAAKwiE,iBAAmBxiE,EAAKwiE,eAAemC,WAChD3kE,EAAKlC,KAAK,QACZ,CAkBA,SAASkyE,EAAYhwE,EAAMka,GACzBla,EAAKlC,KAAK,QAASoc,EACrB,CAYAnb,EAAOC,QAAU,CACf4hE,QAzFF,SAAiB1mD,EAAKqT,GACpB,IAAI66C,EAAQpsE,KACRk0E,EAAoBl0E,KAAKwmE,gBAAkBxmE,KAAKwmE,eAAevtC,UAC/Dk7C,EAAoBn0E,KAAKmmE,gBAAkBnmE,KAAKmmE,eAAeltC,UACnE,OAAIi7C,GAAqBC,GACnB5iD,EACFA,EAAGrT,GACMA,IACJle,KAAKmmE,eAEEnmE,KAAKmmE,eAAemJ,eAC9BtvE,KAAKmmE,eAAemJ,cAAe,EACnC9N,EAAQE,SAASsS,EAAah0E,KAAMke,IAHpCsjD,EAAQE,SAASsS,EAAah0E,KAAMke,IAMjCle,OAMLA,KAAKwmE,iBACPxmE,KAAKwmE,eAAevtC,WAAY,GAI9Bj5B,KAAKmmE,iBACPnmE,KAAKmmE,eAAeltC,WAAY,GAElCj5B,KAAKmpE,SAASjrD,GAAO,MAAM,SAAUA,IAC9BqT,GAAMrT,EACJkuD,EAAMjG,eAECiG,EAAMjG,eAAemJ,aAI/B9N,EAAQE,SAASuS,EAAa7H,IAH9BA,EAAMjG,eAAemJ,cAAe,EACpC9N,EAAQE,SAASqS,EAAqB3H,EAAOluD,IAH7CsjD,EAAQE,SAASqS,EAAqB3H,EAAOluD,GAOtCqT,GACTiwC,EAAQE,SAASuS,EAAa7H,GAC9B76C,EAAGrT,IAEHsjD,EAAQE,SAASuS,EAAa7H,EAElC,IACOpsE,KACT,EA2CE+pE,UAjCF,WACM/pE,KAAKwmE,iBACPxmE,KAAKwmE,eAAevtC,WAAY,EAChCj5B,KAAKwmE,eAAe4B,SAAU,EAC9BpoE,KAAKwmE,eAAeJ,OAAQ,EAC5BpmE,KAAKwmE,eAAe2B,YAAa,GAE/BnoE,KAAKmmE,iBACPnmE,KAAKmmE,eAAeltC,WAAY,EAChCj5B,KAAKmmE,eAAeC,OAAQ,EAC5BpmE,KAAKmmE,eAAeyI,QAAS,EAC7B5uE,KAAKmmE,eAAewI,aAAc,EAClC3uE,KAAKmmE,eAAe0J,aAAc,EAClC7vE,KAAKmmE,eAAehC,UAAW,EAC/BnkE,KAAKmmE,eAAemJ,cAAe,EAEvC,EAkBE5H,eAdF,SAAwBE,EAAQ1pD,GAO9B,IAAIwyD,EAAS9I,EAAOpB,eAChB0E,EAAStD,EAAOzB,eAChBuK,GAAUA,EAAO9H,aAAesC,GAAUA,EAAOtC,YAAahB,EAAOhD,QAAQ1mD,GAAU0pD,EAAO9lE,KAAK,QAASoc,EAClH,iCCrFA,IAAIk2D,EAA6B,WAAiCA,2BAYlE,SAASthE,IAAQ,CAoEjB/P,EAAOC,QAhEP,SAASqxE,EAAIzM,EAAQtjE,EAAM2O,GACzB,GAAoB,mBAAT3O,EAAqB,OAAO+vE,EAAIzM,EAAQ,KAAMtjE,GACpDA,IAAMA,EAAO,CAAC,GACnB2O,EAlBF,SAAcA,GACZ,IAAI4e,GAAS,EACb,OAAO,WACL,IAAIA,EAAJ,CACAA,GAAS,EACT,IAAK,IAAI6K,EAAOp6B,UAAUZ,OAAQU,EAAO,IAAIR,MAAM86B,GAAOnP,EAAO,EAAGA,EAAOmP,EAAMnP,IAC/EnrB,EAAKmrB,GAAQjrB,UAAUirB,GAEzBta,EAASxQ,MAAMzC,KAAMoC,EALH,CAMpB,CACF,CAQarC,CAAKkT,GAAYH,GAC5B,IAAI8rD,EAAWt6D,EAAKs6D,WAA8B,IAAlBt6D,EAAKs6D,UAAsBgJ,EAAOhJ,SAC9D/nD,EAAWvS,EAAKuS,WAA8B,IAAlBvS,EAAKuS,UAAsB+wD,EAAO/wD,SAC9Dy9D,EAAiB,WACd1M,EAAO/wD,UAAUi1D,GACxB,EACIyI,EAAgB3M,EAAOzB,gBAAkByB,EAAOzB,eAAehC,SAC/D2H,EAAW,WACbj1D,GAAW,EACX09D,GAAgB,EACX3V,GAAU3rD,EAAS/R,KAAK0mE,EAC/B,EACI4M,EAAgB5M,EAAOpB,gBAAkBoB,EAAOpB,eAAe2B,WAC/DrJ,EAAQ,WACVF,GAAW,EACX4V,GAAgB,EACX39D,GAAU5D,EAAS/R,KAAK0mE,EAC/B,EACI9iE,EAAU,SAAiBoZ,GAC7BjL,EAAS/R,KAAK0mE,EAAQ1pD,EACxB,EACIwmD,EAAU,WACZ,IAAIxmD,EACJ,OAAI0gD,IAAa4V,GACV5M,EAAOpB,gBAAmBoB,EAAOpB,eAAeJ,QAAOloD,EAAM,IAAIk2D,GAC/DnhE,EAAS/R,KAAK0mE,EAAQ1pD,IAE3BrH,IAAa09D,GACV3M,EAAOzB,gBAAmByB,EAAOzB,eAAeC,QAAOloD,EAAM,IAAIk2D,GAC/DnhE,EAAS/R,KAAK0mE,EAAQ1pD,SAF/B,CAIF,EACIu2D,EAAY,WACd7M,EAAO8M,IAAI/xE,GAAG,SAAUmpE,EAC1B,EAcA,OAtDF,SAAmBlE,GACjB,OAAOA,EAAO+M,WAAqC,mBAAjB/M,EAAOn0C,KAC3C,CAuCMmhD,CAAUhN,IACZA,EAAOjlE,GAAG,WAAYmpE,GACtBlE,EAAOjlE,GAAG,QAAS+hE,GACfkD,EAAO8M,IAAKD,IAAiB7M,EAAOjlE,GAAG,UAAW8xE,IAC7C59D,IAAa+wD,EAAOzB,iBAE7ByB,EAAOjlE,GAAG,MAAO2xE,GACjB1M,EAAOjlE,GAAG,QAAS2xE,IAErB1M,EAAOjlE,GAAG,MAAOm8D,GACjB8I,EAAOjlE,GAAG,SAAUmpE,IACD,IAAfxnE,EAAKU,OAAiB4iE,EAAOjlE,GAAG,QAASmC,GAC7C8iE,EAAOjlE,GAAG,QAAS+hE,GACZ,WACLkD,EAAOrlE,eAAe,WAAYupE,GAClClE,EAAOrlE,eAAe,QAASmiE,GAC/BkD,EAAOrlE,eAAe,UAAWkyE,GAC7B7M,EAAO8M,KAAK9M,EAAO8M,IAAInyE,eAAe,SAAUupE,GACpDlE,EAAOrlE,eAAe,MAAO+xE,GAC7B1M,EAAOrlE,eAAe,QAAS+xE,GAC/B1M,EAAOrlE,eAAe,SAAUupE,GAChClE,EAAOrlE,eAAe,MAAOu8D,GAC7B8I,EAAOrlE,eAAe,QAASuC,GAC/B8iE,EAAOrlE,eAAe,QAASmiE,EACjC,CACF,aCpFA3hE,EAAOC,QAAU,WACf,MAAM,IAAIgF,MAAM,gDAClB,+BCGA,IAAIqsE,EASAhN,EAAiB,WACnBwN,EAAmBxN,EAAewN,iBAClCxG,EAAuBhH,EAAegH,qBACxC,SAASv7D,EAAKoL,GAEZ,GAAIA,EAAK,MAAMA,CACjB,CA+BA,SAAShd,EAAKrB,GACZA,GACF,CACA,SAASwkE,EAAKt1D,EAAM+Y,GAClB,OAAO/Y,EAAKs1D,KAAKv8C,EACnB,CA6BA/kB,EAAOC,QAvBP,WACE,IAAK,IAAI05B,EAAOp6B,UAAUZ,OAAQozE,EAAU,IAAIlzE,MAAM86B,GAAOnP,EAAO,EAAGA,EAAOmP,EAAMnP,IAClFunD,EAAQvnD,GAAQjrB,UAAUirB,GAE5B,IAKIvoB,EALAiO,EATN,SAAqB6hE,GACnB,OAAKA,EAAQpzE,OAC8B,mBAAhCozE,EAAQA,EAAQpzE,OAAS,GAA0BoR,EACvDgiE,EAAQpxD,MAFa5Q,CAG9B,CAKiBiiE,CAAYD,GAE3B,GADIlzE,MAAMoI,QAAQ8qE,EAAQ,MAAKA,EAAUA,EAAQ,IAC7CA,EAAQpzE,OAAS,EACnB,MAAM,IAAImzE,EAAiB,WAG7B,IAAIG,EAAWF,EAAQ5lE,KAAI,SAAU04D,EAAQpmE,GAC3C,IAAI4mE,EAAU5mE,EAAIszE,EAAQpzE,OAAS,EAEnC,OAnDJ,SAAmBkmE,EAAQQ,EAAS2G,EAAS97D,GAC3CA,EAnBF,SAAcA,GACZ,IAAI4e,GAAS,EACb,OAAO,WACDA,IACJA,GAAS,EACT5e,EAASxQ,WAAM,EAAQH,WACzB,CACF,CAYavC,CAAKkT,GAChB,IAAIwlD,GAAS,EACbmP,EAAOjlE,GAAG,SAAS,WACjB81D,GAAS,CACX,SACYj2D,IAAR6xE,IAAmBA,EAAM,EAAQ,QACrCA,EAAIzM,EAAQ,CACVhJ,SAAUwJ,EACVvxD,SAAUk4D,IACT,SAAU7wD,GACX,GAAIA,EAAK,OAAOjL,EAASiL,GACzBu6C,GAAS,EACTxlD,GACF,IACA,IAAIgmB,GAAY,EAChB,OAAO,SAAU/a,GACf,IAAIu6C,IACAx/B,EAIJ,OAHAA,GAAY,EAtBhB,SAAmB2uC,GACjB,OAAOA,EAAO+M,WAAqC,mBAAjB/M,EAAOn0C,KAC3C,CAuBQmhD,CAAUhN,GAAgBA,EAAOn0C,QACP,mBAAnBm0C,EAAOhD,QAA+BgD,EAAOhD,eACxD3xD,EAASiL,GAAO,IAAImwD,EAAqB,QAC3C,CACF,CAyBW4G,CAAUrN,EAAQQ,EADX5mE,EAAI,GACyB,SAAU0c,GAC9ClZ,IAAOA,EAAQkZ,GAChBA,GAAK82D,EAAS3mE,QAAQnN,GACtBknE,IACJ4M,EAAS3mE,QAAQnN,GACjB+R,EAASjO,GACX,GACF,IACA,OAAO8vE,EAAQ7qE,OAAOo6D,EACxB,gCClFA,IAAI6Q,EAAwB,WAAiCA,sBAiB7DnyE,EAAOC,QAAU,CACfokE,iBAdF,SAA0Bn+D,EAAO+H,EAASmkE,EAAWtN,GACnD,IAAIuN,EAJN,SAA2BpkE,EAAS62D,EAAUsN,GAC5C,OAAgC,MAAzBnkE,EAAQs1D,cAAwBt1D,EAAQs1D,cAAgBuB,EAAW72D,EAAQmkE,GAAa,IACjG,CAEYE,CAAkBrkE,EAAS62D,EAAUsN,GAC/C,GAAW,MAAPC,EAAa,CACf,IAAMxU,SAASwU,IAAQvhD,KAAK4zB,MAAM2tB,KAASA,GAAQA,EAAM,EAEvD,MAAM,IAAIF,EADCrN,EAAWsN,EAAY,gBACIC,GAExC,OAAOvhD,KAAK4zB,MAAM2tB,EACpB,CAGA,OAAOnsE,EAAM6+D,WAAa,GAAK,KACjC,oBClBA/kE,EAAOC,QAAU,EAAjB,kDCyBA,IAAI8zD,EAAS,gBAGTwe,EAAaxe,EAAOwe,YAAc,SAAU/d,GAE9C,QADAA,EAAW,GAAKA,IACIA,EAAS1uD,eAC3B,IAAK,MAAM,IAAK,OAAO,IAAK,QAAQ,IAAK,QAAQ,IAAK,SAAS,IAAK,SAAS,IAAK,OAAO,IAAK,QAAQ,IAAK,UAAU,IAAK,WAAW,IAAK,MACxI,OAAO,EACT,QACE,OAAO,EAEb,EA0CA,SAASm+D,EAAczP,GAErB,IAAIsc,EACJ,OAFA7zE,KAAKu3D,SAXP,SAA2B2S,GACzB,IAAIqL,EA/BN,SAA4BrL,GAC1B,IAAKA,EAAK,MAAO,OAEjB,IADA,IAAIsL,IAEF,OAAQtL,GACN,IAAK,OACL,IAAK,QACH,MAAO,OACT,IAAK,OACL,IAAK,QACL,IAAK,UACL,IAAK,WACH,MAAO,UACT,IAAK,SACL,IAAK,SACH,MAAO,SACT,IAAK,SACL,IAAK,QACL,IAAK,MACH,OAAOA,EACT,QACE,GAAIsL,EAAS,OACbtL,GAAO,GAAKA,GAAKrhE,cACjB2sE,GAAU,EAGlB,CAKaC,CAAmBvL,GAC9B,GAAoB,iBAATqL,IAAsBze,EAAOwe,aAAeA,IAAeA,EAAWpL,IAAO,MAAM,IAAIliE,MAAM,qBAAuBkiE,GAC/H,OAAOqL,GAAQrL,CACjB,CAOkBwL,CAAkBne,GAE1Bv3D,KAAKu3D,UACX,IAAK,UACHv3D,KAAKqN,KAAOsoE,EACZ31E,KAAKsmB,IAAMsvD,EACX/B,EAAK,EACL,MACF,IAAK,OACH7zE,KAAK61E,SAAWC,EAChBjC,EAAK,EACL,MACF,IAAK,SACH7zE,KAAKqN,KAAO0oE,EACZ/1E,KAAKsmB,IAAM0vD,EACXnC,EAAK,EACL,MACF,QAGE,OAFA7zE,KAAK05D,MAAQuc,OACbj2E,KAAKsmB,IAAM4vD,GAGfl2E,KAAKm2E,SAAW,EAChBn2E,KAAKo2E,UAAY,EACjBp2E,KAAKq2E,SAAWvf,EAAOM,YAAYyc,EACrC,CAmCA,SAASyC,EAAcC,GACrB,OAAIA,GAAQ,IAAa,EAAWA,GAAQ,GAAM,EAAa,EAAWA,GAAQ,GAAM,GAAa,EAAWA,GAAQ,GAAM,GAAa,EACpIA,GAAQ,GAAM,GAAQ,GAAK,CACpC,CA0DA,SAAST,EAAate,GACpB,IAAIxgD,EAAIhX,KAAKo2E,UAAYp2E,KAAKm2E,SAC1BK,EAtBN,SAA6BxyE,EAAMwzD,EAAKxgD,GACtC,GAAwB,MAAV,IAATwgD,EAAI,IAEP,OADAxzD,EAAKmyE,SAAW,EACT,IAET,GAAInyE,EAAKmyE,SAAW,GAAK3e,EAAI91D,OAAS,EAAG,CACvC,GAAwB,MAAV,IAAT81D,EAAI,IAEP,OADAxzD,EAAKmyE,SAAW,EACT,IAET,GAAInyE,EAAKmyE,SAAW,GAAK3e,EAAI91D,OAAS,GACZ,MAAV,IAAT81D,EAAI,IAEP,OADAxzD,EAAKmyE,SAAW,EACT,GAGb,CACF,CAKUM,CAAoBz2E,KAAMw3D,GAClC,YAAUh1D,IAANg0E,EAAwBA,EACxBx2E,KAAKm2E,UAAY3e,EAAI91D,QACvB81D,EAAIzB,KAAK/1D,KAAKq2E,SAAUr/D,EAAG,EAAGhX,KAAKm2E,UAC5Bn2E,KAAKq2E,SAAS7yE,SAASxD,KAAKu3D,SAAU,EAAGv3D,KAAKo2E,aAEvD5e,EAAIzB,KAAK/1D,KAAKq2E,SAAUr/D,EAAG,EAAGwgD,EAAI91D,aAClC1B,KAAKm2E,UAAY3e,EAAI91D,QACvB,CA0BA,SAASi0E,EAAUne,EAAKh2D,GACtB,IAAKg2D,EAAI91D,OAASF,GAAK,GAAM,EAAG,CAC9B,IAAIg1E,EAAIhf,EAAIh0D,SAAS,UAAWhC,GAChC,GAAIg1E,EAAG,CACL,IAAIz4D,EAAIy4D,EAAEr8D,WAAWq8D,EAAE90E,OAAS,GAChC,GAAIqc,GAAK,OAAUA,GAAK,MAKtB,OAJA/d,KAAKm2E,SAAW,EAChBn2E,KAAKo2E,UAAY,EACjBp2E,KAAKq2E,SAAS,GAAK7e,EAAIA,EAAI91D,OAAS,GACpC1B,KAAKq2E,SAAS,GAAK7e,EAAIA,EAAI91D,OAAS,GAC7B80E,EAAEr1E,MAAM,GAAI,EAEvB,CACA,OAAOq1E,CACT,CAIA,OAHAx2E,KAAKm2E,SAAW,EAChBn2E,KAAKo2E,UAAY,EACjBp2E,KAAKq2E,SAAS,GAAK7e,EAAIA,EAAI91D,OAAS,GAC7B81D,EAAIh0D,SAAS,UAAWhC,EAAGg2D,EAAI91D,OAAS,EACjD,CAIA,SAASk0E,EAASpe,GAChB,IAAIgf,EAAIhf,GAAOA,EAAI91D,OAAS1B,KAAK05D,MAAMlC,GAAO,GAC9C,GAAIx3D,KAAKm2E,SAAU,CACjB,IAAI7vD,EAAMtmB,KAAKo2E,UAAYp2E,KAAKm2E,SAChC,OAAOK,EAAIx2E,KAAKq2E,SAAS7yE,SAAS,UAAW,EAAG8iB,EAClD,CACA,OAAOkwD,CACT,CAEA,SAAST,EAAWve,EAAKh2D,GACvB,IAAIu0B,GAAKyhC,EAAI91D,OAASF,GAAK,EAC3B,OAAU,IAANu0B,EAAgByhC,EAAIh0D,SAAS,SAAUhC,IAC3CxB,KAAKm2E,SAAW,EAAIpgD,EACpB/1B,KAAKo2E,UAAY,EACP,IAANrgD,EACF/1B,KAAKq2E,SAAS,GAAK7e,EAAIA,EAAI91D,OAAS,IAEpC1B,KAAKq2E,SAAS,GAAK7e,EAAIA,EAAI91D,OAAS,GACpC1B,KAAKq2E,SAAS,GAAK7e,EAAIA,EAAI91D,OAAS,IAE/B81D,EAAIh0D,SAAS,SAAUhC,EAAGg2D,EAAI91D,OAASq0B,GAChD,CAEA,SAASigD,EAAUxe,GACjB,IAAIgf,EAAIhf,GAAOA,EAAI91D,OAAS1B,KAAK05D,MAAMlC,GAAO,GAC9C,OAAIx3D,KAAKm2E,SAAiBK,EAAIx2E,KAAKq2E,SAAS7yE,SAAS,SAAU,EAAG,EAAIxD,KAAKm2E,UACpEK,CACT,CAGA,SAASP,EAAYze,GACnB,OAAOA,EAAIh0D,SAASxD,KAAKu3D,SAC3B,CAEA,SAAS2e,EAAU1e,GACjB,OAAOA,GAAOA,EAAI91D,OAAS1B,KAAK05D,MAAMlC,GAAO,EAC/C,CA1NAx0D,EAAQ,EAAgBgkE,EA6BxBA,EAAcxnE,UAAUk6D,MAAQ,SAAUlC,GACxC,GAAmB,IAAfA,EAAI91D,OAAc,MAAO,GAC7B,IAAI80E,EACAh1E,EACJ,GAAIxB,KAAKm2E,SAAU,CAEjB,QAAU3zE,KADVg0E,EAAIx2E,KAAK61E,SAASre,IACG,MAAO,GAC5Bh2D,EAAIxB,KAAKm2E,SACTn2E,KAAKm2E,SAAW,CAClB,MACE30E,EAAI,EAEN,OAAIA,EAAIg2D,EAAI91D,OAAe80E,EAAIA,EAAIx2E,KAAKqN,KAAKmqD,EAAKh2D,GAAKxB,KAAKqN,KAAKmqD,EAAKh2D,GAC/Dg1E,GAAK,EACd,EAEAxP,EAAcxnE,UAAU8mB,IAwGxB,SAAiBkxC,GACf,IAAIgf,EAAIhf,GAAOA,EAAI91D,OAAS1B,KAAK05D,MAAMlC,GAAO,GAC9C,OAAIx3D,KAAKm2E,SAAiBK,EAAI,IACvBA,CACT,EAzGAxP,EAAcxnE,UAAU6N,KA0FxB,SAAkBmqD,EAAKh2D,GACrB,IAAIi1C,EArEN,SAA6BzyC,EAAMwzD,EAAKh2D,GACtC,IAAIkB,EAAI80D,EAAI91D,OAAS,EACrB,GAAIgB,EAAIlB,EAAG,OAAO,EAClB,IAAIqyE,EAAKyC,EAAc9e,EAAI90D,IAC3B,OAAImxE,GAAM,GACJA,EAAK,IAAG7vE,EAAKmyE,SAAWtC,EAAK,GAC1BA,KAEHnxE,EAAIlB,IAAa,IAARqyE,EAAkB,GACjCA,EAAKyC,EAAc9e,EAAI90D,MACb,GACJmxE,EAAK,IAAG7vE,EAAKmyE,SAAWtC,EAAK,GAC1BA,KAEHnxE,EAAIlB,IAAa,IAARqyE,EAAkB,GACjCA,EAAKyC,EAAc9e,EAAI90D,MACb,GACJmxE,EAAK,IACI,IAAPA,EAAUA,EAAK,EAAO7vE,EAAKmyE,SAAWtC,EAAK,GAE1CA,GAEF,CACT,CA8Cc6C,CAAoB12E,KAAMw3D,EAAKh2D,GAC3C,IAAKxB,KAAKm2E,SAAU,OAAO3e,EAAIh0D,SAAS,OAAQhC,GAChDxB,KAAKo2E,UAAY3/B,EACjB,IAAInwB,EAAMkxC,EAAI91D,QAAU+0C,EAAQz2C,KAAKm2E,UAErC,OADA3e,EAAIzB,KAAK/1D,KAAKq2E,SAAU,EAAG/vD,GACpBkxC,EAAIh0D,SAAS,OAAQhC,EAAG8kB,EACjC,EA9FA0gD,EAAcxnE,UAAUq2E,SAAW,SAAUre,GAC3C,GAAIx3D,KAAKm2E,UAAY3e,EAAI91D,OAEvB,OADA81D,EAAIzB,KAAK/1D,KAAKq2E,SAAUr2E,KAAKo2E,UAAYp2E,KAAKm2E,SAAU,EAAGn2E,KAAKm2E,UACzDn2E,KAAKq2E,SAAS7yE,SAASxD,KAAKu3D,SAAU,EAAGv3D,KAAKo2E,WAEvD5e,EAAIzB,KAAK/1D,KAAKq2E,SAAUr2E,KAAKo2E,UAAYp2E,KAAKm2E,SAAU,EAAG3e,EAAI91D,QAC/D1B,KAAKm2E,UAAY3e,EAAI91D,MACvB,yBCvIA,IAAI6S,OAA2B,IAAX,EAAAmuD,GAA0B,EAAAA,GACjB,oBAAT1+D,MAAwBA,MAChCJ,OACRnB,EAAQs9B,SAASvgC,UAAUiD,MAiB/B,SAASk0E,EAAQ/sE,EAAIgtE,GACnB52E,KAAK62E,IAAMjtE,EACX5J,KAAK82E,SAAWF,CAClB,CAhBA5zE,EAAQ4D,WAAa,WACnB,OAAO,IAAI+vE,EAAQl0E,EAAMvB,KAAK0F,WAAY2N,EAAOjS,WAAYk6B,aAC/D,EACAx5B,EAAQm7B,YAAc,WACpB,OAAO,IAAIw4C,EAAQl0E,EAAMvB,KAAKi9B,YAAa5pB,EAAOjS,WAAYy0E,cAChE,EACA/zE,EAAQw5B,aACRx5B,EAAQ+zE,cAAgB,SAASC,GAC3BA,GACFA,EAAQh1C,OAEZ,EAMA20C,EAAQn3E,UAAUy3E,MAAQN,EAAQn3E,UAAUogB,IAAM,WAAY,EAC9D+2D,EAAQn3E,UAAUwiC,MAAQ,WACxBhiC,KAAK82E,SAAS51E,KAAKqT,EAAOvU,KAAK62E,IACjC,EAGA7zE,EAAQk0E,OAAS,SAAS9pE,EAAM+pE,GAC9B36C,aAAapvB,EAAKgqE,gBAClBhqE,EAAKiqE,aAAeF,CACtB,EAEAn0E,EAAQs0E,SAAW,SAASlqE,GAC1BovB,aAAapvB,EAAKgqE,gBAClBhqE,EAAKiqE,cAAgB,CACvB,EAEAr0E,EAAQu0E,aAAev0E,EAAQgkC,OAAS,SAAS55B,GAC/CovB,aAAapvB,EAAKgqE,gBAElB,IAAID,EAAQ/pE,EAAKiqE,aACbF,GAAS,IACX/pE,EAAKgqE,eAAiBxwE,YAAW,WAC3BwG,EAAKoqE,YACPpqE,EAAKoqE,YACT,GAAGL,GAEP,EAGA,EAAQ,OAIRn0E,EAAQ69D,aAAgC,oBAAT78D,MAAwBA,KAAK68D,mBAClB,IAAX,EAAA6B,GAA0B,EAAAA,EAAO7B,cACxC7gE,MAAQA,KAAK6gE,aACrC79D,EAAQy/D,eAAkC,oBAATz+D,MAAwBA,KAAKy+D,qBAClB,IAAX,EAAAC,GAA0B,EAAAA,EAAOD,gBACxCziE,MAAQA,KAAKyiE,+CCNvC,SAASzqD,EAAQhX,GAEf,IACE,IAAK,EAAA0hE,EAAO+U,aAAc,OAAO,CACnC,CAAE,MAAOv2D,GACP,OAAO,CACT,CACA,IAAIzC,EAAM,EAAAikD,EAAO+U,aAAaz2E,GAC9B,OAAI,MAAQyd,GACyB,SAA9BvX,OAAOuX,GAAK5V,aACrB,CA7DA9F,EAAOC,QAoBP,SAAoBnD,EAAI80B,GACtB,GAAI3c,EAAO,iBACT,OAAOnY,EAGT,IAAI2xC,GAAS,EAeb,OAdA,WACE,IAAKA,EAAQ,CACX,GAAIx5B,EAAO,oBACT,MAAM,IAAIhQ,MAAM2sB,GACP3c,EAAO,oBAChBjT,EAAQ2yE,MAAM/iD,GAEd5vB,EAAQyD,KAAKmsB,GAEf6c,GAAS,CACX,CACA,OAAO3xC,EAAG4C,MAAMzC,KAAMsC,UACxB,CAGF,wBC7CA,WACE,aACAU,EAAQ20E,SAAW,SAAS15D,GAC1B,MAAe,WAAXA,EAAI,GACCA,EAAIg8C,UAAU,GAEdh8C,CAEX,CAED,GAAE/c,KAAKlB,8BCVR,WACE,aACA,IAAI43E,EAASC,EAAUC,EAAaC,EAAeC,EACjDC,EAAU,CAAC,EAAEx4E,eAEfm4E,EAAU,EAAQ,OAElBC,EAAW,kBAEXE,EAAgB,SAASpvC,GACvB,MAAwB,iBAAVA,IAAuBA,EAAMt1B,QAAQ,MAAQ,GAAKs1B,EAAMt1B,QAAQ,MAAQ,GAAKs1B,EAAMt1B,QAAQ,MAAQ,EACnH,EAEA2kE,EAAY,SAASrvC,GACnB,MAAO,YAAemvC,EAAYnvC,GAAU,KAC9C,EAEAmvC,EAAc,SAASnvC,GACrB,OAAOA,EAAM1gC,QAAQ,MAAO,kBAC9B,EAEAjF,EAAQk1E,QAAU,WAChB,SAASA,EAAQ5zE,GACf,IAAI4E,EAAK0W,EAAKxW,EAGd,IAAKF,KAFLlJ,KAAKgR,QAAU,CAAC,EAChB4O,EAAMi4D,EAAS,IAERI,EAAQ/2E,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKgR,QAAQ9H,GAAOE,GAEtB,IAAKF,KAAO5E,EACL2zE,EAAQ/2E,KAAKoD,EAAM4E,KACxBE,EAAQ9E,EAAK4E,GACblJ,KAAKgR,QAAQ9H,GAAOE,EAExB,CAqFA,OAnFA8uE,EAAQ14E,UAAU24E,YAAc,SAASC,GACvC,IAAIC,EAASC,EAASr3D,EAAQs3D,EAAaC,EASxBpM,EAsEnB,OA9EAiM,EAAUr4E,KAAKgR,QAAQqnE,QACvBC,EAAUt4E,KAAKgR,QAAQsnE,QACc,IAAhC/4E,OAAO4K,KAAKiuE,GAAS12E,QAAkB1B,KAAKgR,QAAQwnE,WAAaX,EAAS,IAAOW,SAEpFJ,EAAUA,EADVI,EAAWj5E,OAAO4K,KAAKiuE,GAAS,IAGhCI,EAAWx4E,KAAKgR,QAAQwnE,SAEPpM,EAiEhBpsE,KAjEHihB,EACS,SAASw5B,EAAShkC,GACvB,IAAIgiE,EAAM7tD,EAAO+d,EAAO9rB,EAAO3T,EAAKE,EACpC,GAAmB,iBAARqN,EACL21D,EAAMp7D,QAAQuqD,OAASwc,EAActhE,GACvCgkC,EAAQ1zB,IAAIixD,EAAUvhE,IAEtBgkC,EAAQi+B,IAAIjiE,QAET,GAAI7U,MAAMoI,QAAQyM,IACvB,IAAKoG,KAASpG,EACZ,GAAKwhE,EAAQ/2E,KAAKuV,EAAKoG,GAEvB,IAAK3T,KADL0hB,EAAQnU,EAAIoG,GAEV8rB,EAAQ/d,EAAM1hB,GACduxC,EAAUx5B,EAAOw5B,EAAQk+B,IAAIzvE,GAAMy/B,GAAOiwC,UAI9C,IAAK1vE,KAAOuN,EACV,GAAKwhE,EAAQ/2E,KAAKuV,EAAKvN,GAEvB,GADA0hB,EAAQnU,EAAIvN,GACRA,IAAQmvE,GACV,GAAqB,iBAAVztD,EACT,IAAK6tD,KAAQ7tD,EACXxhB,EAAQwhB,EAAM6tD,GACdh+B,EAAUA,EAAQo+B,IAAIJ,EAAMrvE,QAG3B,GAAIF,IAAQovE,EAEf79B,EADE2xB,EAAMp7D,QAAQuqD,OAASwc,EAAcntD,GAC7B6vB,EAAQ1zB,IAAIixD,EAAUptD,IAEtB6vB,EAAQi+B,IAAI9tD,QAEnB,GAAIhpB,MAAMoI,QAAQ4gB,GACvB,IAAK/N,KAAS+N,EACPqtD,EAAQ/2E,KAAK0pB,EAAO/N,KAIrB49B,EAFiB,iBADrB9R,EAAQ/d,EAAM/N,IAERuvD,EAAMp7D,QAAQuqD,OAASwc,EAAcpvC,GAC7B8R,EAAQk+B,IAAIzvE,GAAK6d,IAAIixD,EAAUrvC,IAAQiwC,KAEvCn+B,EAAQk+B,IAAIzvE,EAAKy/B,GAAOiwC,KAG1B33D,EAAOw5B,EAAQk+B,IAAIzvE,GAAMy/B,GAAOiwC,UAGpB,iBAAVhuD,EAChB6vB,EAAUx5B,EAAOw5B,EAAQk+B,IAAIzvE,GAAM0hB,GAAOguD,KAErB,iBAAVhuD,GAAsBwhD,EAAMp7D,QAAQuqD,OAASwc,EAAcntD,GACpE6vB,EAAUA,EAAQk+B,IAAIzvE,GAAK6d,IAAIixD,EAAUptD,IAAQguD,MAEpC,MAAThuD,IACFA,EAAQ,IAEV6vB,EAAUA,EAAQk+B,IAAIzvE,EAAK0hB,EAAMpnB,YAAYo1E,MAKrD,OAAOn+B,CACT,EAEF89B,EAAcX,EAAQh3E,OAAO43E,EAAUx4E,KAAKgR,QAAQ8nE,OAAQ94E,KAAKgR,QAAQ2qD,QAAS,CAChFod,SAAU/4E,KAAKgR,QAAQ+nE,SACvBC,oBAAqBh5E,KAAKgR,QAAQgoE,sBAE7B/3D,EAAOs3D,EAAaH,GAAS9xD,IAAItmB,KAAKgR,QAAQioE,WACvD,EAEOf,CAER,CAtGiB,EAwGnB,GAAEh3E,KAAKlB,4BC7HR,WACEgD,EAAQ60E,SAAW,CACjB,GAAO,CACLqB,iBAAiB,EACjB39D,MAAM,EACNokD,WAAW,EACXwZ,eAAe,EACfd,QAAS,IACTC,QAAS,IACTc,eAAe,EACfC,aAAa,EACbC,YAAY,EACZznB,cAAc,EACd0nB,UAAW,KACXpgB,OAAO,EACPqgB,kBAAkB,EAClBC,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnB3tE,OAAO,EACPwO,QAAQ,EACRo/D,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBC,SAAU,IAEZ,GAAO,CACLd,iBAAiB,EACjB39D,MAAM,EACNokD,WAAW,EACXwZ,eAAe,EACfd,QAAS,IACTC,QAAS,IACTc,eAAe,EACfC,aAAa,EACbC,YAAY,EACZznB,cAAc,EACd0nB,UAAW,KACXpgB,OAAO,EACPqgB,kBAAkB,EAClBS,uBAAuB,EACvBR,SAAU,KACVC,iBAAiB,EACjBC,mBAAmB,EACnB3tE,OAAO,EACPwO,QAAQ,EACRo/D,mBAAoB,KACpBC,oBAAqB,KACrBC,kBAAmB,KACnBC,gBAAiB,KACjBvB,SAAU,OACVM,OAAQ,CACN,QAAW,MACX,SAAY,QACZ,YAAc,GAEhBnd,QAAS,KACTsd,WAAY,CACV,QAAU,EACV,OAAU,KACV,QAAW,MAEbF,UAAU,EACVmB,UAAW,IACXF,SAAU,GACVze,OAAO,GAIZ,GAAEr6D,KAAKlB,8BCtER,WACE,aACA,IAAIoH,EAAKywE,EAAUlhE,EAAgB5V,EAAQo5E,EAASC,EAAaC,EAAY3iB,EAAKmJ,EAChFrvD,EAAO,SAAS3R,EAAIg/D,GAAK,OAAO,WAAY,OAAOh/D,EAAG4C,MAAMo8D,EAAIv8D,UAAY,CAAG,EAE/E21E,EAAU,CAAC,EAAEx4E,eAEfi4D,EAAM,EAAQ,OAEd32D,EAAS,EAAQ,OAEjBqG,EAAM,EAAQ,OAEdizE,EAAa,EAAQ,OAErBxZ,EAAe,sBAEfgX,EAAW,kBAEXsC,EAAU,SAASvU,GACjB,MAAwB,iBAAVA,GAAgC,MAATA,GAAgD,IAA9BrmE,OAAO4K,KAAKy7D,GAAOlkE,MAC5E,EAEA04E,EAAc,SAASC,EAAYjtE,EAAMlE,GACvC,IAAI1H,EAAGa,EACP,IAAKb,EAAI,EAAGa,EAAMg4E,EAAW34E,OAAQF,EAAIa,EAAKb,IAE5C4L,GADAo0D,EAAU6Y,EAAW74E,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,EAAQ4uD,OAAS,SAAUyT,GAGzB,SAASzT,EAAOttD,GAMd,IAAI4E,EAAK0W,EAAKxW,EACd,GANApJ,KAAK8xD,mBAAqBtgD,EAAKxR,KAAK8xD,mBAAoB9xD,MACxDA,KAAKs6E,YAAc9oE,EAAKxR,KAAKs6E,YAAat6E,MAC1CA,KAAK6nC,MAAQr2B,EAAKxR,KAAK6nC,MAAO7nC,MAC9BA,KAAKu6E,aAAe/oE,EAAKxR,KAAKu6E,aAAcv6E,MAC5CA,KAAKw6E,aAAehpE,EAAKxR,KAAKw6E,aAAcx6E,QAEtCA,gBAAgBgD,EAAQ4uD,QAC5B,OAAO,IAAI5uD,EAAQ4uD,OAAOttD,GAI5B,IAAK4E,KAFLlJ,KAAKgR,QAAU,CAAC,EAChB4O,EAAMi4D,EAAS,IAERI,EAAQ/2E,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKgR,QAAQ9H,GAAOE,GAEtB,IAAKF,KAAO5E,EACL2zE,EAAQ/2E,KAAKoD,EAAM4E,KACxBE,EAAQ9E,EAAK4E,GACblJ,KAAKgR,QAAQ9H,GAAOE,GAElBpJ,KAAKgR,QAAQmoD,QACfn5D,KAAKgR,QAAQypE,SAAWz6E,KAAKgR,QAAQqnE,QAAU,MAE7Cr4E,KAAKgR,QAAQmoE,gBACVn5E,KAAKgR,QAAQ8oE,oBAChB95E,KAAKgR,QAAQ8oE,kBAAoB,IAEnC95E,KAAKgR,QAAQ8oE,kBAAkB/pE,QAAQsqE,EAAW1a,YAEpD3/D,KAAK6nC,OACP,CA4RA,OArWS,SAASjd,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAuCzRoe,CAAOg0C,EAAQyT,GAoCfzT,EAAOpyD,UAAUg7E,aAAe,WAC9B,IAAI7gB,EAAOz7C,EACX,IACE,OAAIle,KAAK46E,UAAUl5E,QAAU1B,KAAKgR,QAAQkpE,WACxCvgB,EAAQ35D,KAAK46E,UACb56E,KAAK46E,UAAY,GACjB56E,KAAK66E,UAAY76E,KAAK66E,UAAUnhB,MAAMC,GAC/B35D,KAAK66E,UAAU74C,UAEtB23B,EAAQ35D,KAAK46E,UAAU70D,OAAO,EAAG/lB,KAAKgR,QAAQkpE,WAC9Cl6E,KAAK46E,UAAY56E,KAAK46E,UAAU70D,OAAO/lB,KAAKgR,QAAQkpE,UAAWl6E,KAAK46E,UAAUl5E,QAC9E1B,KAAK66E,UAAY76E,KAAK66E,UAAUnhB,MAAMC,GAC/BkH,EAAa7gE,KAAKw6E,cAE7B,CAAE,MAAOM,GAEP,GADA58D,EAAM48D,GACD96E,KAAK66E,UAAUE,UAElB,OADA/6E,KAAK66E,UAAUE,WAAY,EACpB/6E,KAAK8B,KAAKoc,EAErB,CACF,EAEA0zC,EAAOpyD,UAAU+6E,aAAe,SAAS9jE,EAAKvN,EAAKoB,GACjD,OAAMpB,KAAOuN,GAOLA,EAAIvN,aAAgBtH,OACxB+U,EAAeF,EAAKvN,EAAK,CAACuN,EAAIvN,KAEzBuN,EAAIvN,GAAK1I,KAAK8J,IAThBtK,KAAKgR,QAAQooE,cAGTziE,EAAeF,EAAKvN,EAAK,CAACoB,IAF1BqM,EAAeF,EAAKvN,EAAKoB,EAUtC,EAEAsnD,EAAOpyD,UAAUqoC,MAAQ,WACvB,IAAIwwC,EAASC,EAAS0C,EAAQv3D,EAQK2oD,EA8KnC,OArLApsE,KAAK4C,qBACL5C,KAAK66E,UAAYnjB,EAAI/F,OAAO3xD,KAAKgR,QAAQwJ,OAAQ,CAC/Ce,MAAM,EACNokD,WAAW,EACXxG,MAAOn5D,KAAKgR,QAAQmoD,QAEtBn5D,KAAK66E,UAAUE,WAAY,EAC3B/6E,KAAK66E,UAAU/1E,SAAoBsnE,EAQhCpsE,KAPM,SAASgF,GAEd,GADAonE,EAAMyO,UAAUtc,UACX6N,EAAMyO,UAAUE,UAEnB,OADA3O,EAAMyO,UAAUE,WAAY,EACrB3O,EAAMtqE,KAAK,QAASkD,EAE/B,GAEFhF,KAAK66E,UAAU/b,MAAQ,SAAUsN,GAC/B,OAAO,WACL,IAAKA,EAAMyO,UAAUzU,MAEnB,OADAgG,EAAMyO,UAAUzU,OAAQ,EACjBgG,EAAMtqE,KAAK,MAAOsqE,EAAM6O,aAEnC,CACD,CAPsB,CAOpBj7E,MACHA,KAAK66E,UAAUzU,OAAQ,EACvBpmE,KAAKk7E,iBAAmBl7E,KAAKgR,QAAQkoE,gBACrCl5E,KAAKi7E,aAAe,KACpBx3D,EAAQ,GACR40D,EAAUr4E,KAAKgR,QAAQqnE,QACvBC,EAAUt4E,KAAKgR,QAAQsnE,QACvBt4E,KAAK66E,UAAUM,UAAY,SAAU/O,GACnC,OAAO,SAAS9mE,GACd,IAAI4D,EAAKoB,EAAUmM,EAAK2kE,EAAcx7D,EAGtC,IAFAnJ,EAAM,CAAC,GACH6hE,GAAW,IACVlM,EAAMp7D,QAAQqoE,YAEjB,IAAKnwE,KADL0W,EAAMta,EAAK2lC,WAEJgtC,EAAQ/2E,KAAK0e,EAAK1W,KACjBmvE,KAAW5hE,GAAS21D,EAAMp7D,QAAQsoE,aACtC7iE,EAAI4hE,GAAW,CAAC,GAElB/tE,EAAW8hE,EAAMp7D,QAAQ6oE,oBAAsBO,EAAYhO,EAAMp7D,QAAQ6oE,oBAAqBv0E,EAAK2lC,WAAW/hC,GAAMA,GAAO5D,EAAK2lC,WAAW/hC,GAC3IkyE,EAAehP,EAAMp7D,QAAQ4oE,mBAAqBQ,EAAYhO,EAAMp7D,QAAQ4oE,mBAAoB1wE,GAAOA,EACnGkjE,EAAMp7D,QAAQsoE,WAChBlN,EAAMmO,aAAa9jE,EAAK2kE,EAAc9wE,GAEtCqM,EAAeF,EAAI4hE,GAAU+C,EAAc9wE,IAWjD,OAPAmM,EAAI,SAAW21D,EAAMp7D,QAAQ8oE,kBAAoBM,EAAYhO,EAAMp7D,QAAQ8oE,kBAAmBx0E,EAAKtE,MAAQsE,EAAKtE,KAC5GorE,EAAMp7D,QAAQmoD,QAChB1iD,EAAI21D,EAAMp7D,QAAQypE,UAAY,CAC5Bxa,IAAK36D,EAAK26D,IACVH,MAAOx6D,EAAKw6D,QAGTr8C,EAAMjjB,KAAKiW,EACpB,CACD,CA9B0B,CA8BxBzW,MACHA,KAAK66E,UAAUQ,WAAa,SAAUjP,GACpC,OAAO,WACL,IAAI7Q,EAAO+f,EAAUpyE,EAAK5D,EAAMi2E,EAAU9kE,EAAK+kE,EAAUC,EAAKlc,EAAGmc,EAqDjE,GApDAjlE,EAAMgN,EAAMC,MACZ63D,EAAW9kE,EAAI,SACV21D,EAAMp7D,QAAQwoE,kBAAqBpN,EAAMp7D,QAAQipE,8BAC7CxjE,EAAI,UAEK,IAAdA,EAAI8kD,QACNA,EAAQ9kD,EAAI8kD,aACL9kD,EAAI8kD,OAEbgE,EAAI97C,EAAMA,EAAM/hB,OAAS,GACrB+U,EAAI6hE,GAASl/D,MAAM,WAAamiD,GAClC+f,EAAW7kE,EAAI6hE,UACR7hE,EAAI6hE,KAEPlM,EAAMp7D,QAAQuK,OAChB9E,EAAI6hE,GAAW7hE,EAAI6hE,GAAS/8D,QAE1B6wD,EAAMp7D,QAAQ2uD,YAChBlpD,EAAI6hE,GAAW7hE,EAAI6hE,GAASrwE,QAAQ,UAAW,KAAKsT,QAEtD9E,EAAI6hE,GAAWlM,EAAMp7D,QAAQ+oE,gBAAkBK,EAAYhO,EAAMp7D,QAAQ+oE,gBAAiBtjE,EAAI6hE,GAAUiD,GAAY9kE,EAAI6hE,GACxF,IAA5B/4E,OAAO4K,KAAKsM,GAAK/U,QAAgB42E,KAAW7hE,IAAQ21D,EAAM8O,mBAC5DzkE,EAAMA,EAAI6hE,KAGV6B,EAAQ1jE,KAERA,EADoC,mBAA3B21D,EAAMp7D,QAAQgpE,SACjB5N,EAAMp7D,QAAQgpE,WAEa,KAA3B5N,EAAMp7D,QAAQgpE,SAAkB5N,EAAMp7D,QAAQgpE,SAAWsB,GAGpC,MAA3BlP,EAAMp7D,QAAQuoE,YAChBmC,EAAQ,IAAO,WACb,IAAIl6E,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,OAAOk6E,GAAUziE,KAAK,KAC5B,WACE,IAAIoF,EACJ,IACE,OAAOzH,EAAM21D,EAAMp7D,QAAQuoE,UAAUmC,EAAOnc,GAAKA,EAAEgc,GAAW9kE,EAChE,CAAE,MAAOqkE,GAEP,OADA58D,EAAM48D,EACC1O,EAAMtqE,KAAK,QAASoc,EAC7B,CACD,CARD,IAUEkuD,EAAMp7D,QAAQwoE,mBAAqBpN,EAAMp7D,QAAQsoE,YAA6B,iBAAR7iE,EACxE,GAAK21D,EAAMp7D,QAAQipE,uBAcZ,GAAI1a,EAAG,CAGZ,IAAKr2D,KAFLq2D,EAAE6M,EAAMp7D,QAAQyoE,UAAYla,EAAE6M,EAAMp7D,QAAQyoE,WAAa,GACzD+B,EAAW,CAAC,EACA/kE,EACLwhE,EAAQ/2E,KAAKuV,EAAKvN,IACvByN,EAAe6kE,EAAUtyE,EAAKuN,EAAIvN,IAEpCq2D,EAAE6M,EAAMp7D,QAAQyoE,UAAUj5E,KAAKg7E,UACxB/kE,EAAI,SACqB,IAA5BlX,OAAO4K,KAAKsM,GAAK/U,QAAgB42E,KAAW7hE,IAAQ21D,EAAM8O,mBAC5DzkE,EAAMA,EAAI6hE,GAEd,OAzBEhzE,EAAO,CAAC,EACJ8mE,EAAMp7D,QAAQqnE,WAAW5hE,IAC3BnR,EAAK8mE,EAAMp7D,QAAQqnE,SAAW5hE,EAAI21D,EAAMp7D,QAAQqnE,gBACzC5hE,EAAI21D,EAAMp7D,QAAQqnE,WAEtBjM,EAAMp7D,QAAQ0oE,iBAAmBtN,EAAMp7D,QAAQsnE,WAAW7hE,IAC7DnR,EAAK8mE,EAAMp7D,QAAQsnE,SAAW7hE,EAAI21D,EAAMp7D,QAAQsnE,gBACzC7hE,EAAI21D,EAAMp7D,QAAQsnE,UAEvB/4E,OAAO60D,oBAAoB39C,GAAK/U,OAAS,IAC3C4D,EAAK8mE,EAAMp7D,QAAQyoE,UAAYhjE,GAEjCA,EAAMnR,EAeV,OAAIme,EAAM/hB,OAAS,EACV0qE,EAAMmO,aAAahb,EAAGgc,EAAU9kE,IAEnC21D,EAAMp7D,QAAQ6gD,eAChB4pB,EAAMhlE,EAENE,EADAF,EAAM,CAAC,EACa8kE,EAAUE,IAEhCrP,EAAM6O,aAAexkE,EACrB21D,EAAMyO,UAAUzU,OAAQ,EACjBgG,EAAMtqE,KAAK,MAAOsqE,EAAM6O,cAEnC,CACD,CAjG2B,CAiGzBj7E,MACHg7E,EAAS,SAAU5O,GACjB,OAAO,SAAS/+D,GACd,IAAIsuE,EAAWpc,EAEf,GADAA,EAAI97C,EAAMA,EAAM/hB,OAAS,GAcvB,OAZA69D,EAAE+Y,IAAYjrE,EACV++D,EAAMp7D,QAAQwoE,kBAAoBpN,EAAMp7D,QAAQipE,uBAAyB7N,EAAMp7D,QAAQ0oE,kBAAoBtN,EAAMp7D,QAAQ2oE,mBAAyD,KAApCtsE,EAAKpF,QAAQ,OAAQ,IAAIsT,UACzKgkD,EAAE6M,EAAMp7D,QAAQyoE,UAAYla,EAAE6M,EAAMp7D,QAAQyoE,WAAa,IACzDkC,EAAY,CACV,QAAS,aAEDrD,GAAWjrE,EACjB++D,EAAMp7D,QAAQ2uD,YAChBgc,EAAUrD,GAAWqD,EAAUrD,GAASrwE,QAAQ,UAAW,KAAKsT,QAElEgkD,EAAE6M,EAAMp7D,QAAQyoE,UAAUj5E,KAAKm7E,IAE1Bpc,CAEX,CACD,CApBQ,CAoBNv/D,MACHA,KAAK66E,UAAUG,OAASA,EACjBh7E,KAAK66E,UAAUe,QACb,SAASvuE,GACd,IAAIkyD,EAEJ,GADAA,EAAIyb,EAAO3tE,GAET,OAAOkyD,EAAEhE,OAAQ,CAErB,CAEJ,EAEA3J,EAAOpyD,UAAU86E,YAAc,SAASr8D,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,EAAIuwE,SAAS15D,GACfje,KAAKgR,QAAQhF,OACfhM,KAAK46E,UAAY38D,EACjB4iD,EAAa7gE,KAAKw6E,cACXx6E,KAAK66E,WAEP76E,KAAK66E,UAAUnhB,MAAMz7C,GAAK+jB,QACnC,CAAE,MAAO84C,GAEP,GADA58D,EAAM48D,GACA96E,KAAK66E,UAAUE,YAAa/6E,KAAK66E,UAAUzU,MAE/C,OADApmE,KAAK8B,KAAK,QAASoc,GACZle,KAAK66E,UAAUE,WAAY,EAC7B,GAAI/6E,KAAK66E,UAAUzU,MACxB,MAAMloD,CAEV,CACF,EAEA0zC,EAAOpyD,UAAUsyD,mBAAqB,SAAS7zC,GAC7C,OAAO,IAAInR,SAAkBs/D,EAU1BpsE,KATM,SAAS+M,EAASC,GACvB,OAAOo/D,EAAMkO,YAAYr8D,GAAK,SAASC,EAAK9U,GAC1C,OAAI8U,EACKlR,EAAOkR,GAEPnR,EAAQ3D,EAEnB,GACF,IATiB,IAAUgjE,CAW/B,EAEOxa,CAER,CAjUgB,CAiUd7wD,GAEHiC,EAAQs3E,YAAc,SAASr8D,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,EAAQ4uD,OAAO5gD,GACdspE,YAAYr8D,EAAKsT,EACjC,EAEAvuB,EAAQ8uD,mBAAqB,SAAS7zC,EAAK9X,GACzC,IAAI6K,EAKJ,MAJiB,iBAAN7K,IACT6K,EAAU7K,GAEH,IAAInD,EAAQ4uD,OAAO5gD,GACd8gD,mBAAmB7zC,EACnC,CAED,GAAE/c,KAAKlB,4BCzYR,WACE,aACA,IAAI67E,EAEJA,EAAc,IAAIrjE,OAAO,iBAEzBxV,EAAQ28D,UAAY,SAAS1hD,GAC3B,OAAOA,EAAIpV,aACb,EAEA7F,EAAQ84E,mBAAqB,SAAS79D,GACpC,OAAOA,EAAIuF,OAAO,GAAG3a,cAAgBoV,EAAI9c,MAAM,EACjD,EAEA6B,EAAQ+4E,YAAc,SAAS99D,GAC7B,OAAOA,EAAIhW,QAAQ4zE,EAAa,GAClC,EAEA74E,EAAQqY,aAAe,SAAS4C,GAI9B,OAHK3C,MAAM2C,KACTA,EAAMA,EAAM,GAAM,EAAIy4B,SAASz4B,EAAK,IAAM+9D,WAAW/9D,IAEhDA,CACT,EAEAjb,EAAQwY,cAAgB,SAASyC,GAI/B,MAHI,oBAAoBjY,KAAKiY,KAC3BA,EAA4B,SAAtBA,EAAIpV,eAELoV,CACT,CAED,GAAE/c,KAAKlB,8BChCR,WACE,aACA,IAAI43E,EAASC,EAAUlmB,EAAQ0oB,EAE7BpC,EAAU,CAAC,EAAEx4E,eAEfo4E,EAAW,EAAQ,OAEnBD,EAAU,EAAQ,OAElBjmB,EAAS,EAAQ,OAEjB0oB,EAAa,EAAQ,OAErBr3E,EAAQ60E,SAAWA,EAASA,SAE5B70E,EAAQq3E,WAAaA,EAErBr3E,EAAQi5E,gBAAkB,SAAU5W,GAGlC,SAAS4W,EAAgB5zE,GACvBrI,KAAKqI,QAAUA,CACjB,CAEA,OAtBS,SAASuiB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAgBzRoe,CAAOq+D,EAQNj0E,OAFMi0E,CAER,CATyB,GAW1Bj5E,EAAQk1E,QAAUN,EAAQM,QAE1Bl1E,EAAQ4uD,OAASD,EAAOC,OAExB5uD,EAAQs3E,YAAc3oB,EAAO2oB,YAE7Bt3E,EAAQ8uD,mBAAqBH,EAAOG,kBAErC,GAAE5wD,KAAKlB,0BCrCR,WACE+C,EAAOC,QAAU,CACfk5E,aAAc,EACdC,UAAW,EACXC,UAAW,EACXC,SAAU,EACVC,YAAa,GACbC,uBAAwB,GAG3B,GAAEr7E,KAAKlB,0BCVR,WACE+C,EAAOC,QAAU,CACfw5E,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,GAAEt8E,KAAKlB,0BCrBR,WACE,IAAIkI,EAAQu1E,EAAUzzE,EAASmwE,EAASuD,EAAYjuD,EAAUnsB,EAC5DnC,EAAQ,GAAGA,MACX82E,EAAU,CAAC,EAAEx4E,eAEfyI,EAAS,WACP,IAAI1G,EAAG0H,EAAK7G,EAAK8hB,EAAQw5D,EAASl3E,EAElC,GADAA,EAASnE,UAAU,GAAIq7E,EAAU,GAAKr7E,UAAUZ,OAASP,EAAMD,KAAKoB,UAAW,GAAK,GAChFo7E,EAAWn+E,OAAO2I,QACpB3I,OAAO2I,OAAOzF,MAAM,KAAMH,gBAE1B,IAAKd,EAAI,EAAGa,EAAMs7E,EAAQj8E,OAAQF,EAAIa,EAAKb,IAEzC,GAAc,OADd2iB,EAASw5D,EAAQn8E,IAEf,IAAK0H,KAAOib,EACL8zD,EAAQ/2E,KAAKijB,EAAQjb,KAC1BzC,EAAOyC,GAAOib,EAAOjb,IAK7B,OAAOzC,CACT,EAEAi3E,EAAa,SAASj/D,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,OAAIi/D,EAAW97E,MAAMoI,SACZpI,MAAMoI,QAAQyU,GAE0B,mBAAxClf,OAAOC,UAAUgE,SAAStC,KAAKud,EAE1C,EAEA07D,EAAU,SAAS17D,GACjB,IAAIvV,EACJ,GAAIc,EAAQyU,GACV,OAAQA,EAAI/c,OAEZ,IAAKwH,KAAOuV,EACV,GAAKw5D,EAAQ/2E,KAAKud,EAAKvV,GACvB,OAAO,EAET,OAAO,CAEX,EAEA5F,EAAgB,SAASmb,GACvB,IAAIi8D,EAAMkD,EACV,OAAOnuD,EAAShR,KAASm/D,EAAQr+E,OAAO42D,eAAe13C,MAAUi8D,EAAOkD,EAAMloD,cAAiC,mBAATglD,GAAyBA,aAAgBA,GAAU36C,SAASvgC,UAAUgE,SAAStC,KAAKw5E,KAAU36C,SAASvgC,UAAUgE,SAAStC,KAAK3B,OACvO,EAEAk+E,EAAW,SAAShnE,GAClB,OAAIinE,EAAWjnE,EAAIonE,SACVpnE,EAAIonE,UAEJpnE,CAEX,EAEA1T,EAAOC,QAAQkF,OAASA,EAExBnF,EAAOC,QAAQ06E,WAAaA,EAE5B36E,EAAOC,QAAQysB,SAAWA,EAE1B1sB,EAAOC,QAAQgH,QAAUA,EAEzBjH,EAAOC,QAAQm3E,QAAUA,EAEzBp3E,EAAOC,QAAQM,cAAgBA,EAE/BP,EAAOC,QAAQy6E,SAAWA,CAE3B,GAAEv8E,KAAKlB,0BCjFR,WACE+C,EAAOC,QAAU,CACf86E,KAAM,EACNC,QAAS,EACTC,UAAW,EACXC,SAAU,EAGb,GAAE/8E,KAAKlB,8BCRR,WACE,IAAIk+E,EAEJA,EAAW,EAAQ,OAET,EAAQ,OAElBn7E,EAAOC,QAAyB,WAC9B,SAASm7E,EAAax+D,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,KAAKo+E,UAAUp9E,IAE9DhB,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKoJ,MAAQpJ,KAAKoM,UAAUiyE,SAASj1E,GACrCpJ,KAAKgH,KAAOk3E,EAASzB,UACrBz8E,KAAKs+E,MAAO,EACZt+E,KAAKu+E,eAAiB,IACxB,CAgFA,OA9EAh/E,OAAOoX,eAAewnE,EAAa3+E,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKgH,IACd,IAGFzH,OAAOoX,eAAewnE,EAAa3+E,UAAW,eAAgB,CAC5DmO,IAAK,WACH,OAAO3N,KAAK2f,MACd,IAGFpgB,OAAOoX,eAAewnE,EAAa3+E,UAAW,cAAe,CAC3DmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGF7J,OAAOoX,eAAewnE,EAAa3+E,UAAW,eAAgB,CAC5DmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAewnE,EAAa3+E,UAAW,SAAU,CACtDmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAewnE,EAAa3+E,UAAW,YAAa,CACzDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAewnE,EAAa3+E,UAAW,YAAa,CACzDmO,IAAK,WACH,OAAO,CACT,IAGFwwE,EAAa3+E,UAAUyf,MAAQ,WAC7B,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAm+E,EAAa3+E,UAAUgE,SAAW,SAASwN,GACzC,OAAOhR,KAAKgR,QAAQwtE,OAAOrzC,UAAUnrC,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC/E,EAEAmtE,EAAa3+E,UAAU4+E,UAAY,SAASp9E,GAE1C,OAAY,OADZA,EAAOA,GAAQhB,KAAKgB,MAEX,YAAchB,KAAK2f,OAAO3e,KAAO,IAEjC,eAAiBA,EAAO,eAAiBhB,KAAK2f,OAAO3e,KAAO,GAEvE,EAEAm9E,EAAa3+E,UAAUk/E,YAAc,SAASp5E,GAC5C,OAAIA,EAAKq5E,eAAiB3+E,KAAK2+E,cAG3Br5E,EAAK5F,SAAWM,KAAKN,QAGrB4F,EAAKs5E,YAAc5+E,KAAK4+E,WAGxBt5E,EAAK8D,QAAUpJ,KAAKoJ,KAI1B,EAEO+0E,CAER,CAjG+B,EAmGjC,GAAEj9E,KAAKlB,8BC1GR,WACE,IAAIk+E,EAAoBW,EAEtB5G,EAAU,CAAC,EAAEx4E,eAEfy+E,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B97E,EAAOC,QAAqB,SAAUqiE,GAGpC,SAASyZ,EAASn/D,EAAQtS,GAExB,GADAyxE,EAASnE,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC9B,MAARtS,EACF,MAAM,IAAIrF,MAAM,uBAAyBhI,KAAKo+E,aAEhDp+E,KAAKgB,KAAO,iBACZhB,KAAKgH,KAAOk3E,EAASvB,MACrB38E,KAAKoJ,MAAQpJ,KAAKoM,UAAUmvD,MAAMluD,EACpC,CAUA,OA5BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAOkhE,EAAUzZ,GAYjByZ,EAASt/E,UAAUyf,MAAQ,WACzB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA8+E,EAASt/E,UAAUgE,SAAW,SAASwN,GACrC,OAAOhR,KAAKgR,QAAQwtE,OAAOjjB,MAAMv7D,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC3E,EAEO8tE,CAER,CAvB2B,CAuBzBD,EAEJ,GAAE39E,KAAKlB,8BClCR,WACE,IAAsB++E,EAEpB9G,EAAU,CAAC,EAAEx4E,eAEfs/E,EAAU,EAAQ,OAElBh8E,EAAOC,QAA6B,SAAUqiE,GAG5C,SAASwZ,EAAiBl/D,GACxBk/D,EAAiBlE,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAClD3f,KAAKoJ,MAAQ,EACf,CA4DA,OAvES,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAMzRoe,CAAOihE,EAAkBxZ,GAOzB9lE,OAAOoX,eAAekoE,EAAiBr/E,UAAW,OAAQ,CACxDmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGF7J,OAAOoX,eAAekoE,EAAiBr/E,UAAW,SAAU,CAC1DmO,IAAK,WACH,OAAO3N,KAAKoJ,MAAM1H,MACpB,IAGFnC,OAAOoX,eAAekoE,EAAiBr/E,UAAW,cAAe,CAC/DmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,EACA4G,IAAK,SAAS5G,GACZ,OAAOpJ,KAAKoJ,MAAQA,GAAS,EAC/B,IAGFy1E,EAAiBr/E,UAAUyf,MAAQ,WACjC,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA6+E,EAAiBr/E,UAAUw/E,cAAgB,SAASx5D,EAAQgmC,GAC1D,MAAM,IAAIxjD,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAS,EAAiBr/E,UAAUy/E,WAAa,SAAShpB,GAC/C,MAAM,IAAIjuD,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAS,EAAiBr/E,UAAU0/E,WAAa,SAAS15D,EAAQywC,GACvD,MAAM,IAAIjuD,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAS,EAAiBr/E,UAAU2/E,WAAa,SAAS35D,EAAQgmC,GACvD,MAAM,IAAIxjD,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAS,EAAiBr/E,UAAU4/E,YAAc,SAAS55D,EAAQgmC,EAAOyK,GAC/D,MAAM,IAAIjuD,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAS,EAAiBr/E,UAAUk/E,YAAc,SAASp5E,GAChD,QAAKu5E,EAAiBlE,UAAU+D,YAAYj8E,MAAMzC,KAAMsC,WAAWo8E,YAAYp5E,IAG3EA,EAAK4E,OAASlK,KAAKkK,IAIzB,EAEO20E,CAER,CApEmC,CAoEjCE,EAEJ,GAAE79E,KAAKlB,8BC7ER,WACE,IAAIk+E,EAAUW,EAEZ5G,EAAU,CAAC,EAAEx4E,eAEfy+E,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B97E,EAAOC,QAAuB,SAAUqiE,GAGtC,SAASga,EAAW1/D,EAAQtS,GAE1B,GADAgyE,EAAW1E,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAChC,MAARtS,EACF,MAAM,IAAIrF,MAAM,yBAA2BhI,KAAKo+E,aAElDp+E,KAAKgB,KAAO,WACZhB,KAAKgH,KAAOk3E,EAASnB,QACrB/8E,KAAKoJ,MAAQpJ,KAAKoM,UAAUqvD,QAAQpuD,EACtC,CAUA,OA5BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAOyhE,EAAYha,GAYnBga,EAAW7/E,UAAUyf,MAAQ,WAC3B,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAq/E,EAAW7/E,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQwtE,OAAO/iB,QAAQz7D,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC7E,EAEOquE,CAER,CAvB6B,CAuB3BR,EAEJ,GAAE39E,KAAKlB,8BClCR,WACE,IAAyBs/E,EAAoBC,EAE7CD,EAAqB,EAAQ,OAE7BC,EAAmB,EAAQ,OAE3Bx8E,EAAOC,QAAgC,WACrC,SAASw8E,IAEPx/E,KAAKy/E,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,GAEjBt/E,KAAKof,OAAsB7f,OAAOqB,OAAOZ,KAAKy/E,cAChD,CA4BA,OA1BAlgF,OAAOoX,eAAe6oE,EAAoBhgF,UAAW,iBAAkB,CACrEmO,IAAK,WACH,OAAO,IAAI4xE,EAAiBhgF,OAAO4K,KAAKnK,KAAKy/E,eAC/C,IAGFD,EAAoBhgF,UAAUkgF,aAAe,SAAS1+E,GACpD,OAAIhB,KAAKof,OAAO3f,eAAeuB,GACtBhB,KAAKof,OAAOpe,GAEZ,IAEX,EAEAw+E,EAAoBhgF,UAAUmgF,gBAAkB,SAAS3+E,EAAMoI,GAC7D,OAAO,CACT,EAEAo2E,EAAoBhgF,UAAUogF,aAAe,SAAS5+E,EAAMoI,GAC1D,OAAa,MAATA,EACKpJ,KAAKof,OAAOpe,GAAQoI,SAEbpJ,KAAKof,OAAOpe,EAE9B,EAEOw+E,CAER,CArDsC,EAuDxC,GAAEt+E,KAAKlB,0BC9DR,WAGE+C,EAAOC,QAA+B,WACpC,SAASs8E,IAAsB,CAM/B,OAJAA,EAAmB9/E,UAAUqgF,YAAc,SAAS76E,GAClD,MAAM,IAAIgD,MAAMhD,EAClB,EAEOs6E,CAER,CATqC,EAWvC,GAAEp+E,KAAKlB,0BCdR,WAGE+C,EAAOC,QAAiC,WACtC,SAAS88E,IAAwB,CAsBjC,OApBAA,EAAqBtgF,UAAUugF,WAAa,SAASC,EAASxmD,GAC5D,OAAO,CACT,EAEAsmD,EAAqBtgF,UAAUygF,mBAAqB,SAASC,EAAeC,EAAUC,GACpF,MAAM,IAAIp4E,MAAM,sCAClB,EAEA83E,EAAqBtgF,UAAU6gF,eAAiB,SAAS1B,EAAcuB,EAAevkB,GACpF,MAAM,IAAI3zD,MAAM,sCAClB,EAEA83E,EAAqBtgF,UAAU8gF,mBAAqB,SAASh5E,GAC3D,MAAM,IAAIU,MAAM,sCAClB,EAEA83E,EAAqBtgF,UAAU+gF,WAAa,SAASP,EAASxmD,GAC5D,MAAM,IAAIxxB,MAAM,sCAClB,EAEO83E,CAER,CAzBuC,EA2BzC,GAAE5+E,KAAKlB,0BC9BR,WAGE+C,EAAOC,QAA6B,WAClC,SAASu8E,EAAiBx7D,GACxB/jB,KAAK+jB,IAAMA,GAAO,EACpB,CAgBA,OAdAxkB,OAAOoX,eAAe4oE,EAAiB//E,UAAW,SAAU,CAC1DmO,IAAK,WACH,OAAO3N,KAAK+jB,IAAIriB,MAClB,IAGF69E,EAAiB//E,UAAU4N,KAAO,SAASyP,GACzC,OAAO7c,KAAK+jB,IAAIlH,IAAU,IAC5B,EAEA0iE,EAAiB//E,UAAUk6C,SAAW,SAASz7B,GAC7C,OAAkC,IAA3Bje,KAAK+jB,IAAI1Q,QAAQ4K,EAC1B,EAEOshE,CAER,CArBmC,EAuBrC,GAAEr+E,KAAKlB,8BC1BR,WACE,IAAIk+E,EAAyBa,EAE3B9G,EAAU,CAAC,EAAEx4E,eAEfs/E,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBn7E,EAAOC,QAA0B,SAAUqiE,GAGzC,SAASmb,EAAc7gE,EAAQ8gE,EAAaC,EAAeC,EAAeC,EAAkBrvE,GAE1F,GADAivE,EAAc7F,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC5B,MAAf8gE,EACF,MAAM,IAAIz4E,MAAM,6BAA+BhI,KAAKo+E,aAEtD,GAAqB,MAAjBsC,EACF,MAAM,IAAI14E,MAAM,+BAAiChI,KAAKo+E,UAAUqC,IAElE,IAAKE,EACH,MAAM,IAAI34E,MAAM,+BAAiChI,KAAKo+E,UAAUqC,IAElE,IAAKG,EACH,MAAM,IAAI54E,MAAM,kCAAoChI,KAAKo+E,UAAUqC,IAKrE,GAHsC,IAAlCG,EAAiBvtE,QAAQ,OAC3ButE,EAAmB,IAAMA,IAEtBA,EAAiBxnE,MAAM,0CAC1B,MAAM,IAAIpR,MAAM,kFAAoFhI,KAAKo+E,UAAUqC,IAErH,GAAIlvE,IAAiBqvE,EAAiBxnE,MAAM,uBAC1C,MAAM,IAAIpR,MAAM,qDAAuDhI,KAAKo+E,UAAUqC,IAExFzgF,KAAKygF,YAAczgF,KAAKoM,UAAUpL,KAAKy/E,GACvCzgF,KAAKgH,KAAOk3E,EAASZ,qBACrBt9E,KAAK0gF,cAAgB1gF,KAAKoM,UAAUpL,KAAK0/E,GACzC1gF,KAAK2gF,cAAgB3gF,KAAKoM,UAAUy0E,WAAWF,GAC3CpvE,IACFvR,KAAKuR,aAAevR,KAAKoM,UAAU00E,cAAcvvE,IAEnDvR,KAAK4gF,iBAAmBA,CAC1B,CAMA,OA/CS,SAASh2D,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAO4iE,EAAenb,GAmCtBmb,EAAchhF,UAAUgE,SAAW,SAASwN,GAC1C,OAAOhR,KAAKgR,QAAQwtE,OAAOuC,WAAW/gF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAChF,EAEOwvE,CAER,CA1CgC,CA0C9BzB,EAEJ,GAAE79E,KAAKlB,8BCrDR,WACE,IAAIk+E,EAAyBa,EAE3B9G,EAAU,CAAC,EAAEx4E,eAEfs/E,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBn7E,EAAOC,QAA0B,SAAUqiE,GAGzC,SAAS2b,EAAcrhE,EAAQ3e,EAAMoI,GAEnC,GADA43E,EAAcrG,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GACnC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,6BAA+BhI,KAAKo+E,aAEjDh1E,IACHA,EAAQ,aAENxH,MAAMoI,QAAQZ,KAChBA,EAAQ,IAAMA,EAAM0P,KAAK,KAAO,KAElC9Y,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOk3E,EAASX,mBACrBv9E,KAAKoJ,MAAQpJ,KAAKoM,UAAU60E,gBAAgB73E,EAC9C,CAMA,OA9BS,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAOojE,EAAe3b,GAkBtB2b,EAAcxhF,UAAUgE,SAAW,SAASwN,GAC1C,OAAOhR,KAAKgR,QAAQwtE,OAAO0C,WAAWlhF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAChF,EAEOgwE,CAER,CAzBgC,CAyB9BjC,EAEJ,GAAE79E,KAAKlB,6BCpCR,WACE,IAAIk+E,EAAwBa,EAAStvD,EAEnCwoD,EAAU,CAAC,EAAEx4E,eAEfgwB,EAAW,kBAEXsvD,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBn7E,EAAOC,QAAyB,SAAUqiE,GAGxC,SAAS8b,EAAaxhE,EAAQyhE,EAAIpgF,EAAMoI,GAEtC,GADA+3E,EAAaxG,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAClC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,4BAA8BhI,KAAKo+E,UAAUp9E,IAE/D,GAAa,MAAToI,EACF,MAAM,IAAIpB,MAAM,6BAA+BhI,KAAKo+E,UAAUp9E,IAKhE,GAHAhB,KAAKohF,KAAOA,EACZphF,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOk3E,EAASrB,kBAChBptD,EAASrmB,GAGP,CACL,IAAKA,EAAMi4E,QAAUj4E,EAAMk4E,MACzB,MAAM,IAAIt5E,MAAM,yEAA2EhI,KAAKo+E,UAAUp9E,IAE5G,GAAIoI,EAAMi4E,QAAUj4E,EAAMk4E,MACxB,MAAM,IAAIt5E,MAAM,+DAAiEhI,KAAKo+E,UAAUp9E,IAYlG,GAVAhB,KAAKuhF,UAAW,EACG,MAAfn4E,EAAMi4E,QACRrhF,KAAKqhF,MAAQrhF,KAAKoM,UAAUo1E,SAASp4E,EAAMi4E,QAE1B,MAAfj4E,EAAMk4E,QACRthF,KAAKshF,MAAQthF,KAAKoM,UAAUq1E,SAASr4E,EAAMk4E,QAE1B,MAAfl4E,EAAMs4E,QACR1hF,KAAK0hF,MAAQ1hF,KAAKoM,UAAUu1E,SAASv4E,EAAMs4E,QAEzC1hF,KAAKohF,IAAMphF,KAAK0hF,MAClB,MAAM,IAAI15E,MAAM,8DAAgEhI,KAAKo+E,UAAUp9E,GAEnG,MAtBEhB,KAAKoJ,MAAQpJ,KAAKoM,UAAUw1E,eAAex4E,GAC3CpJ,KAAKuhF,UAAW,CAsBpB,CA0CA,OAzFS,SAAS32D,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAUzRoe,CAAOujE,EAAc9b,GAuCrB9lE,OAAOoX,eAAewqE,EAAa3hF,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKqhF,KACd,IAGF9hF,OAAOoX,eAAewqE,EAAa3hF,UAAW,WAAY,CACxDmO,IAAK,WACH,OAAO3N,KAAKshF,KACd,IAGF/hF,OAAOoX,eAAewqE,EAAa3hF,UAAW,eAAgB,CAC5DmO,IAAK,WACH,OAAO3N,KAAK0hF,OAAS,IACvB,IAGFniF,OAAOoX,eAAewqE,EAAa3hF,UAAW,gBAAiB,CAC7DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAewqE,EAAa3hF,UAAW,cAAe,CAC3DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAewqE,EAAa3hF,UAAW,aAAc,CAC1DmO,IAAK,WACH,OAAO,IACT,IAGFwzE,EAAa3hF,UAAUgE,SAAW,SAASwN,GACzC,OAAOhR,KAAKgR,QAAQwtE,OAAOqD,UAAU7hF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC/E,EAEOmwE,CAER,CAlF+B,CAkF7BpC,EAEJ,GAAE79E,KAAKlB,8BC/FR,WACE,IAAIk+E,EAA0Ba,EAE5B9G,EAAU,CAAC,EAAEx4E,eAEfs/E,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBn7E,EAAOC,QAA2B,SAAUqiE,GAG1C,SAASyc,EAAeniE,EAAQ3e,EAAMoI,GAEpC,GADA04E,EAAenH,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GACpC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,8BAAgChI,KAAKo+E,UAAUp9E,IAEjE,IAAKoI,EAAMi4E,QAAUj4E,EAAMk4E,MACzB,MAAM,IAAIt5E,MAAM,qEAAuEhI,KAAKo+E,UAAUp9E,IAExGhB,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOk3E,EAASf,oBACF,MAAf/zE,EAAMi4E,QACRrhF,KAAKqhF,MAAQrhF,KAAKoM,UAAUo1E,SAASp4E,EAAMi4E,QAE1B,MAAfj4E,EAAMk4E,QACRthF,KAAKshF,MAAQthF,KAAKoM,UAAUq1E,SAASr4E,EAAMk4E,OAE/C,CAkBA,OA5CS,SAAS12D,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAOkkE,EAAgBzc,GAoBvB9lE,OAAOoX,eAAemrE,EAAetiF,UAAW,WAAY,CAC1DmO,IAAK,WACH,OAAO3N,KAAKqhF,KACd,IAGF9hF,OAAOoX,eAAemrE,EAAetiF,UAAW,WAAY,CAC1DmO,IAAK,WACH,OAAO3N,KAAKshF,KACd,IAGFQ,EAAetiF,UAAUgE,SAAW,SAASwN,GAC3C,OAAOhR,KAAKgR,QAAQwtE,OAAOuD,YAAY/hF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GACjF,EAEO8wE,CAER,CAvCiC,CAuC/B/C,EAEJ,GAAE79E,KAAKlB,8BClDR,WACE,IAAIk+E,EAA0Ba,EAAStvD,EAErCwoD,EAAU,CAAC,EAAEx4E,eAEfgwB,EAAW,kBAEXsvD,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBn7E,EAAOC,QAA2B,SAAUqiE,GAG1C,SAAS2c,EAAeriE,EAAQ6Z,EAAS+9B,EAAU0qB,GACjD,IAAIriE,EACJoiE,EAAerH,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC5C8P,EAAS+J,KACIA,GAAf5Z,EAAM4Z,GAAuBA,QAAS+9B,EAAW33C,EAAI23C,SAAU0qB,EAAariE,EAAIqiE,YAE7EzoD,IACHA,EAAU,OAEZx5B,KAAKgH,KAAOk3E,EAASd,YACrBp9E,KAAKw5B,QAAUx5B,KAAKoM,UAAU81E,WAAW1oD,GACzB,MAAZ+9B,IACFv3D,KAAKu3D,SAAWv3D,KAAKoM,UAAU+1E,YAAY5qB,IAE3B,MAAd0qB,IACFjiF,KAAKiiF,WAAajiF,KAAKoM,UAAUg2E,cAAcH,GAEnD,CAMA,OAnCS,SAASr3D,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAUzRoe,CAAOokE,EAAgB3c,GAqBvB2c,EAAexiF,UAAUgE,SAAW,SAASwN,GAC3C,OAAOhR,KAAKgR,QAAQwtE,OAAO6D,YAAYriF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GACjF,EAEOgxE,CAER,CA5BiC,CA4B/BjD,EAEJ,GAAE79E,KAAKlB,8BCzCR,WACE,IAAIk+E,EAAUsC,EAAeQ,EAAeG,EAAcW,EAA4BQ,EAAiBvD,EAAStvD,EAE9GwoD,EAAU,CAAC,EAAEx4E,eAEfgwB,EAAW,kBAEXsvD,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBsC,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,MAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzBQ,EAAkB,EAAQ,OAE1Bv/E,EAAOC,QAAuB,SAAUqiE,GAGtC,SAASkd,EAAW5iE,EAAQ0hE,EAAOC,GACjC,IAAI12D,EAAOppB,EAAGa,EAAKud,EAAK4iE,EAAMC,EAG9B,GAFAF,EAAW5H,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC5C3f,KAAKgH,KAAOk3E,EAASjB,QACjBt9D,EAAOwB,SAET,IAAK3f,EAAI,EAAGa,GADZud,EAAMD,EAAOwB,UACSzf,OAAQF,EAAIa,EAAKb,IAErC,IADAopB,EAAQhL,EAAIpe,IACFwF,OAASk3E,EAAS1B,QAAS,CACnCx8E,KAAKgB,KAAO4pB,EAAM5pB,KAClB,KACF,CAGJhB,KAAK0iF,eAAiB/iE,EAClB8P,EAAS4xD,KACGA,GAAdmB,EAAOnB,GAAoBA,MAAOC,EAAQkB,EAAKlB,OAEpC,MAATA,IACqBA,GAAvBmB,EAAO,CAACpB,EAAOC,IAAqB,GAAID,EAAQoB,EAAK,IAE1C,MAATpB,IACFrhF,KAAKqhF,MAAQrhF,KAAKoM,UAAUo1E,SAASH,IAE1B,MAATC,IACFthF,KAAKshF,MAAQthF,KAAKoM,UAAUq1E,SAASH,GAEzC,CAiIA,OAlLS,SAAS12D,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAoBzRoe,CAAO2kE,EAAYld,GA+BnB9lE,OAAOoX,eAAe4rE,EAAW/iF,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,OAASk3E,EAASrB,mBAAuBjyD,EAAMw2D,KACxDn8C,EAAMra,EAAM5pB,MAAQ4pB,GAGxB,OAAO,IAAI03D,EAAgBr9C,EAC7B,IAGF1lC,OAAOoX,eAAe4rE,EAAW/iF,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,OAASk3E,EAASf,sBAC1Bl4C,EAAMra,EAAM5pB,MAAQ4pB,GAGxB,OAAO,IAAI03D,EAAgBr9C,EAC7B,IAGF1lC,OAAOoX,eAAe4rE,EAAW/iF,UAAW,WAAY,CACtDmO,IAAK,WACH,OAAO3N,KAAKqhF,KACd,IAGF9hF,OAAOoX,eAAe4rE,EAAW/iF,UAAW,WAAY,CACtDmO,IAAK,WACH,OAAO3N,KAAKshF,KACd,IAGF/hF,OAAOoX,eAAe4rE,EAAW/iF,UAAW,iBAAkB,CAC5DmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKo+E,YAC/D,IAGFmE,EAAW/iF,UAAUi7C,QAAU,SAASz5C,EAAMoI,GAC5C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIo2D,EAAchhF,KAAMgB,EAAMoI,GACtCpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAuiF,EAAW/iF,UAAUmjF,QAAU,SAASlC,EAAaC,EAAeC,EAAeC,EAAkBrvE,GACnG,IAAIqZ,EAGJ,OAFAA,EAAQ,IAAI41D,EAAcxgF,KAAMygF,EAAaC,EAAeC,EAAeC,EAAkBrvE,GAC7FvR,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAuiF,EAAW/iF,UAAUw+D,OAAS,SAASh9D,EAAMoI,GAC3C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIu2D,EAAanhF,MAAM,EAAOgB,EAAMoI,GAC5CpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAuiF,EAAW/iF,UAAUojF,QAAU,SAAS5hF,EAAMoI,GAC5C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIu2D,EAAanhF,MAAM,EAAMgB,EAAMoI,GAC3CpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAuiF,EAAW/iF,UAAUqjF,SAAW,SAAS7hF,EAAMoI,GAC7C,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIk3D,EAAe9hF,KAAMgB,EAAMoI,GACvCpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEAuiF,EAAW/iF,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQwtE,OAAOsE,QAAQ9iF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC7E,EAEAuxE,EAAW/iF,UAAUm5E,IAAM,SAAS33E,EAAMoI,GACxC,OAAOpJ,KAAKy6C,QAAQz5C,EAAMoI,EAC5B,EAEAm5E,EAAW/iF,UAAUq5E,IAAM,SAAS4H,EAAaC,EAAeC,EAAeC,EAAkBrvE,GAC/F,OAAOvR,KAAK2iF,QAAQlC,EAAaC,EAAeC,EAAeC,EAAkBrvE,EACnF,EAEAgxE,EAAW/iF,UAAUujF,IAAM,SAAS/hF,EAAMoI,GACxC,OAAOpJ,KAAKg+D,OAAOh9D,EAAMoI,EAC3B,EAEAm5E,EAAW/iF,UAAUwjF,KAAO,SAAShiF,EAAMoI,GACzC,OAAOpJ,KAAK4iF,QAAQ5hF,EAAMoI,EAC5B,EAEAm5E,EAAW/iF,UAAUyjF,IAAM,SAASjiF,EAAMoI,GACxC,OAAOpJ,KAAK6iF,SAAS7hF,EAAMoI,EAC7B,EAEAm5E,EAAW/iF,UAAUo5E,GAAK,WACxB,OAAO54E,KAAKmlC,QAAUnlC,KAAK0iF,cAC7B,EAEAH,EAAW/iF,UAAUk/E,YAAc,SAASp5E,GAC1C,QAAKi9E,EAAW5H,UAAU+D,YAAYj8E,MAAMzC,KAAMsC,WAAWo8E,YAAYp5E,IAGrEA,EAAKtE,OAAShB,KAAKgB,MAGnBsE,EAAK66E,WAAangF,KAAKmgF,UAGvB76E,EAAK86E,WAAapgF,KAAKogF,QAI7B,EAEOmC,CAER,CAjK6B,CAiK3BxD,EAEJ,GAAE79E,KAAKlB,8BCxLR,WACE,IAAIk+E,EAAUsB,EAAqBM,EAAmCf,EAASmE,EAAiBC,EAAgB7/E,EAE9G20E,EAAU,CAAC,EAAEx4E,eAEf6D,EAAgB,uBAEhBw8E,EAAuB,EAAQ,OAE/BN,EAAsB,EAAQ,OAE9BT,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBiF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1BngF,EAAOC,QAAwB,SAAUqiE,GAGvC,SAAS+d,EAAYpyE,GACnBoyE,EAAYzI,UAAUjlD,YAAYx0B,KAAKlB,KAAM,MAC7CA,KAAKgB,KAAO,YACZhB,KAAKgH,KAAOk3E,EAASlB,SACrBh9E,KAAKqjF,YAAc,KACnBrjF,KAAKsjF,UAAY,IAAI9D,EACrBxuE,IAAYA,EAAU,CAAC,GAClBA,EAAQwtE,SACXxtE,EAAQwtE,OAAS,IAAI0E,GAEvBljF,KAAKgR,QAAUA,EACfhR,KAAKoM,UAAY,IAAI+2E,EAAenyE,EACtC,CA0MA,OA1OS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAkBzRoe,CAAOwlE,EAAa/d,GAgBpB9lE,OAAOoX,eAAeysE,EAAY5jF,UAAW,iBAAkB,CAC7D4J,MAAO,IAAI02E,IAGbvgF,OAAOoX,eAAeysE,EAAY5jF,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,OAASk3E,EAASjB,QAC1B,OAAOryD,EAGX,OAAO,IACT,IAGFrrB,OAAOoX,eAAeysE,EAAY5jF,UAAW,kBAAmB,CAC9DmO,IAAK,WACH,OAAO3N,KAAKujF,YAAc,IAC5B,IAGFhkF,OAAOoX,eAAeysE,EAAY5jF,UAAW,gBAAiB,CAC5DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeysE,EAAY5jF,UAAW,sBAAuB,CAClEmO,IAAK,WACH,OAAO,CACT,IAGFpO,OAAOoX,eAAeysE,EAAY5jF,UAAW,cAAe,CAC1DmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAASk3E,EAASd,YAC5Dp9E,KAAKmhB,SAAS,GAAGo2C,SAEjB,IAEX,IAGFh4D,OAAOoX,eAAeysE,EAAY5jF,UAAW,gBAAiB,CAC5DmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAASk3E,EAASd,aAC5B,QAAhCp9E,KAAKmhB,SAAS,GAAG8gE,UAI5B,IAGF1iF,OAAOoX,eAAeysE,EAAY5jF,UAAW,aAAc,CACzDmO,IAAK,WACH,OAA6B,IAAzB3N,KAAKmhB,SAASzf,QAAgB1B,KAAKmhB,SAAS,GAAGna,OAASk3E,EAASd,YAC5Dp9E,KAAKmhB,SAAS,GAAGqY,QAEjB,KAEX,IAGFj6B,OAAOoX,eAAeysE,EAAY5jF,UAAW,MAAO,CAClDmO,IAAK,WACH,OAAO3N,KAAKqjF,WACd,IAGF9jF,OAAOoX,eAAeysE,EAAY5jF,UAAW,SAAU,CACrDmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeysE,EAAY5jF,UAAW,aAAc,CACzDmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeysE,EAAY5jF,UAAW,eAAgB,CAC3DmO,IAAK,WACH,OAAO,IACT,IAGFpO,OAAOoX,eAAeysE,EAAY5jF,UAAW,cAAe,CAC1DmO,IAAK,WACH,OAAO,IACT,IAGFy1E,EAAY5jF,UAAU8mB,IAAM,SAASk4D,GACnC,IAAIgF,EAQJ,OAPAA,EAAgB,CAAC,EACZhF,EAEMl7E,EAAck7E,KACvBgF,EAAgBhF,EAChBA,EAASx+E,KAAKgR,QAAQwtE,QAHtBA,EAASx+E,KAAKgR,QAAQwtE,OAKjBA,EAAO/4E,SAASzF,KAAMw+E,EAAOC,cAAc+E,GACpD,EAEAJ,EAAY5jF,UAAUgE,SAAW,SAASwN,GACxC,OAAOhR,KAAKgR,QAAQwtE,OAAO/4E,SAASzF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC9E,EAEAoyE,EAAY5jF,UAAU4G,cAAgB,SAAS40D,GAC7C,MAAM,IAAIhzD,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUikF,uBAAyB,WAC7C,MAAM,IAAIz7E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUkkF,eAAiB,SAASx5E,GAC9C,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUmkF,cAAgB,SAASz5E,GAC7C,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUokF,mBAAqB,SAAS15E,GAClD,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUqkF,4BAA8B,SAASp9E,EAAQyD,GACnE,MAAM,IAAIlC,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUskF,gBAAkB,SAAS9iF,GAC/C,MAAM,IAAIgH,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUukF,sBAAwB,SAAS/iF,GACrD,MAAM,IAAIgH,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUwkF,qBAAuB,SAASC,GACpD,MAAM,IAAIj8E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAU0kF,WAAa,SAASC,EAAc/xE,GACxD,MAAM,IAAIpK,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAU4kF,gBAAkB,SAASzF,EAAcuB,GAC7D,MAAM,IAAIl4E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAU6kF,kBAAoB,SAAS1F,EAAcuB,GAC/D,MAAM,IAAIl4E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAU8kF,uBAAyB,SAAS3F,EAAcC,GACpE,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUowB,eAAiB,SAAS20D,GAC9C,MAAM,IAAIv8E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUglF,UAAY,SAASrgE,GACzC,MAAM,IAAInc,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUilF,kBAAoB,WACxC,MAAM,IAAIz8E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUklF,WAAa,SAASp/E,EAAMq5E,EAAcuB,GAC9D,MAAM,IAAIl4E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUmlF,uBAAyB,SAASC,GACtD,MAAM,IAAI58E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUkG,YAAc,SAASm/E,GAC3C,MAAM,IAAI78E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUslF,YAAc,WAClC,MAAM,IAAI98E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUulF,mBAAqB,SAAS5/C,EAAM6/C,EAAY/1E,GACpE,MAAM,IAAIjH,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAgF,EAAY5jF,UAAUylF,iBAAmB,SAAS9/C,EAAM6/C,EAAY/1E,GAClE,MAAM,IAAIjH,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEOgF,CAER,CA3N8B,CA2N5BrE,EAEJ,GAAE79E,KAAKlB,8BChPR,WACE,IAAIk+E,EAAUgH,EAAa/G,EAAcW,EAAUO,EAAYmB,EAAeQ,EAAeG,EAAcW,EAAgBE,EAAgBO,EAAYa,EAA4B+B,EAAYC,EAA0BC,EAAQnC,EAAiBC,EAAgBmC,EAAS7H,EAAUC,EAAYjuD,EAAUnsB,EAAesc,EACxTq4D,EAAU,CAAC,EAAEx4E,eAEfmgB,EAAM,EAAQ,OAAc6P,EAAW7P,EAAI6P,SAAUiuD,EAAa99D,EAAI89D,WAAYp6E,EAAgBsc,EAAItc,cAAem6E,EAAW79D,EAAI69D,SAEpIS,EAAW,EAAQ,OAEnBkF,EAAc,EAAQ,OAEtB+B,EAAa,EAAQ,OAErBrG,EAAW,EAAQ,OAEnBO,EAAa,EAAQ,OAErBgG,EAAS,EAAQ,MAEjBC,EAAU,EAAQ,OAElBF,EAA2B,EAAQ,OAEnCpD,EAAiB,EAAQ,OAEzBO,EAAa,EAAQ,OAErB/B,EAAgB,EAAQ,OAExBW,EAAe,EAAQ,MAEvBH,EAAgB,EAAQ,OAExBc,EAAiB,EAAQ,OAEzB3D,EAAe,EAAQ,OAEvBgF,EAAiB,EAAQ,OAEzBD,EAAkB,EAAQ,OAE1BgC,EAAc,EAAQ,OAEtBniF,EAAOC,QAA0B,WAC/B,SAASuiF,EAAcv0E,EAASw0E,EAAQC,GACtC,IAAIjC,EACJxjF,KAAKgB,KAAO,OACZhB,KAAKgH,KAAOk3E,EAASlB,SACrBhsE,IAAYA,EAAU,CAAC,GACvBwyE,EAAgB,CAAC,EACZxyE,EAAQwtE,OAEFl7E,EAAc0N,EAAQwtE,UAC/BgF,EAAgBxyE,EAAQwtE,OACxBxtE,EAAQwtE,OAAS,IAAI0E,GAHrBlyE,EAAQwtE,OAAS,IAAI0E,EAKvBljF,KAAKgR,QAAUA,EACfhR,KAAKw+E,OAASxtE,EAAQwtE,OACtBx+E,KAAKwjF,cAAgBxjF,KAAKw+E,OAAOC,cAAc+E,GAC/CxjF,KAAKoM,UAAY,IAAI+2E,EAAenyE,GACpChR,KAAK0lF,eAAiBF,GAAU,WAAY,EAC5CxlF,KAAK2lF,cAAgBF,GAAS,WAAY,EAC1CzlF,KAAK4lF,YAAc,KACnB5lF,KAAK6lF,cAAgB,EACrB7lF,KAAK8lF,SAAW,CAAC,EACjB9lF,KAAK+lF,iBAAkB,EACvB/lF,KAAKgmF,mBAAoB,EACzBhmF,KAAKmlC,KAAO,IACd,CAucA,OArcAogD,EAAc/lF,UAAUymF,gBAAkB,SAAS3gF,GACjD,IAAIuzE,EAAKqN,EAASj7C,EAAYrgB,EAAOppB,EAAGa,EAAKmgF,EAAMC,EACnD,OAAQn9E,EAAK0B,MACX,KAAKk3E,EAASvB,MACZ38E,KAAKu7D,MAAMj2D,EAAK8D,OAChB,MACF,KAAK80E,EAASnB,QACZ/8E,KAAKy7D,QAAQn2D,EAAK8D,OAClB,MACF,KAAK80E,EAAS1B,QAGZ,IAAK0J,KAFLj7C,EAAa,CAAC,EACdu3C,EAAOl9E,EAAK6gF,QAELlO,EAAQ/2E,KAAKshF,EAAM0D,KACxBrN,EAAM2J,EAAK0D,GACXj7C,EAAWi7C,GAAWrN,EAAIzvE,OAE5BpJ,KAAKsF,KAAKA,EAAKtE,KAAMiqC,GACrB,MACF,KAAKizC,EAASV,MACZx9E,KAAKomF,QACL,MACF,KAAKlI,EAASb,IACZr9E,KAAK+mB,IAAIzhB,EAAK8D,OACd,MACF,KAAK80E,EAASxB,KACZ18E,KAAKqN,KAAK/H,EAAK8D,OACf,MACF,KAAK80E,EAASpB,sBACZ98E,KAAKqmF,YAAY/gF,EAAKmB,OAAQnB,EAAK8D,OACnC,MACF,QACE,MAAM,IAAIpB,MAAM,uDAAyD1C,EAAKowB,YAAY10B,MAG9F,IAAKQ,EAAI,EAAGa,GADZogF,EAAOn9E,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IACtCopB,EAAQ63D,EAAKjhF,GACbxB,KAAKimF,gBAAgBr7D,GACjBA,EAAM5jB,OAASk3E,EAAS1B,SAC1Bx8E,KAAK44E,KAGT,OAAO54E,IACT,EAEAulF,EAAc/lF,UAAU4mF,MAAQ,WAC9B,OAAOpmF,IACT,EAEAulF,EAAc/lF,UAAU8F,KAAO,SAAStE,EAAMiqC,EAAY59B,GACxD,IAAIm1E,EACJ,GAAY,MAARxhF,EACF,MAAM,IAAIgH,MAAM,sBAElB,GAAIhI,KAAKmlC,OAA+B,IAAvBnlC,KAAK6lF,aACpB,MAAM,IAAI79E,MAAM,yCAA2ChI,KAAKo+E,UAAUp9E,IAkB5E,OAhBAhB,KAAKsmF,cACLtlF,EAAOy8E,EAASz8E,GACE,MAAdiqC,IACFA,EAAa,CAAC,GAEhBA,EAAawyC,EAASxyC,GACjBxb,EAASwb,KACe59B,GAA3Bm1E,EAAO,CAACv3C,EAAY59B,IAAmB,GAAI49B,EAAau3C,EAAK,IAE/DxiF,KAAK4lF,YAAc,IAAIT,EAAWnlF,KAAMgB,EAAMiqC,GAC9CjrC,KAAK4lF,YAAYzkE,UAAW,EAC5BnhB,KAAK6lF,eACL7lF,KAAK8lF,SAAS9lF,KAAK6lF,cAAgB7lF,KAAK4lF,YAC5B,MAARv4E,GACFrN,KAAKqN,KAAKA,GAELrN,IACT,EAEAulF,EAAc/lF,UAAUi7C,QAAU,SAASz5C,EAAMiqC,EAAY59B,GAC3D,IAAIud,EAAOppB,EAAGa,EAAKkkF,EAAmB/D,EAAMr9C,EAC5C,GAAInlC,KAAK4lF,aAAe5lF,KAAK4lF,YAAY5+E,OAASk3E,EAASjB,QACzDj9E,KAAKkhF,WAAWz+E,MAAMzC,KAAMsC,gBAE5B,GAAIV,MAAMoI,QAAQhJ,IAASyuB,EAASzuB,IAAS08E,EAAW18E,GAOtD,IANAulF,EAAoBvmF,KAAKgR,QAAQw1E,aACjCxmF,KAAKgR,QAAQw1E,cAAe,GAC5BrhD,EAAO,IAAIi+C,EAAYpjF,KAAKgR,SAASypC,QAAQ,cACxCA,QAAQz5C,GACbhB,KAAKgR,QAAQw1E,aAAeD,EAEvB/kF,EAAI,EAAGa,GADZmgF,EAAOr9C,EAAKhkB,UACWzf,OAAQF,EAAIa,EAAKb,IACtCopB,EAAQ43D,EAAKhhF,GACbxB,KAAKimF,gBAAgBr7D,GACjBA,EAAM5jB,OAASk3E,EAAS1B,SAC1Bx8E,KAAK44E,UAIT54E,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,GAGhC,OAAOrN,IACT,EAEAulF,EAAc/lF,UAAU2rC,UAAY,SAASnqC,EAAMoI,GACjD,IAAI88E,EAAS7H,EACb,IAAKr+E,KAAK4lF,aAAe5lF,KAAK4lF,YAAYzkE,SACxC,MAAM,IAAInZ,MAAM,4EAA8EhI,KAAKo+E,UAAUp9E,IAK/G,GAHY,MAARA,IACFA,EAAOy8E,EAASz8E,IAEdyuB,EAASzuB,GACX,IAAKklF,KAAWllF,EACTi3E,EAAQ/2E,KAAKF,EAAMklF,KACxB7H,EAAWr9E,EAAKklF,GAChBlmF,KAAKmrC,UAAU+6C,EAAS7H,SAGtBX,EAAWt0E,KACbA,EAAQA,EAAM3G,SAEZzC,KAAKgR,QAAQy1E,oBAAgC,MAATr9E,EACtCpJ,KAAK4lF,YAAYO,QAAQnlF,GAAQ,IAAIm9E,EAAan+E,KAAMgB,EAAM,IAC5C,MAAToI,IACTpJ,KAAK4lF,YAAYO,QAAQnlF,GAAQ,IAAIm9E,EAAan+E,KAAMgB,EAAMoI,IAGlE,OAAOpJ,IACT,EAEAulF,EAAc/lF,UAAU6N,KAAO,SAASjE,GACtC,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAIggF,EAAQtlF,KAAMoJ,GACzBpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOnxE,KAAK/H,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAC5F7lF,IACT,EAEAulF,EAAc/lF,UAAU+7D,MAAQ,SAASnyD,GACvC,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAIw5E,EAAS9+E,KAAMoJ,GAC1BpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOjjB,MAAMj2D,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAC7F7lF,IACT,EAEAulF,EAAc/lF,UAAUi8D,QAAU,SAASryD,GACzC,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAI+5E,EAAWr/E,KAAMoJ,GAC5BpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAO/iB,QAAQn2D,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAC/F7lF,IACT,EAEAulF,EAAc/lF,UAAUunB,IAAM,SAAS3d,GACrC,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAI+/E,EAAOrlF,KAAMoJ,GACxBpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOz3D,IAAIzhB,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAC3F7lF,IACT,EAEAulF,EAAc/lF,UAAU6mF,YAAc,SAAS5/E,EAAQ2C,GACrD,IAAI5H,EAAGklF,EAAWC,EAAUtkF,EAAKiD,EAQjC,GAPAtF,KAAKsmF,cACS,MAAV7/E,IACFA,EAASg3E,EAASh3E,IAEP,MAAT2C,IACFA,EAAQq0E,EAASr0E,IAEfxH,MAAMoI,QAAQvD,GAChB,IAAKjF,EAAI,EAAGa,EAAMoE,EAAO/E,OAAQF,EAAIa,EAAKb,IACxCklF,EAAYjgF,EAAOjF,GACnBxB,KAAKqmF,YAAYK,QAEd,GAAIj3D,EAAShpB,GAClB,IAAKigF,KAAajgF,EACXwxE,EAAQ/2E,KAAKuF,EAAQigF,KAC1BC,EAAWlgF,EAAOigF,GAClB1mF,KAAKqmF,YAAYK,EAAWC,SAG1BjJ,EAAWt0E,KACbA,EAAQA,EAAM3G,SAEhB6C,EAAO,IAAI8/E,EAAyBplF,KAAMyG,EAAQ2C,GAClDpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOoI,sBAAsBthF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAEtH,OAAO7lF,IACT,EAEAulF,EAAc/lF,UAAU6iF,YAAc,SAAS7oD,EAAS+9B,EAAU0qB,GAChE,IAAI38E,EAEJ,GADAtF,KAAKsmF,cACDtmF,KAAK+lF,gBACP,MAAM,IAAI/9E,MAAM,yCAIlB,OAFA1C,EAAO,IAAI08E,EAAehiF,KAAMw5B,EAAS+9B,EAAU0qB,GACnDjiF,KAAKwlF,OAAOxlF,KAAKw+E,OAAO6D,YAAY/8E,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GACnG7lF,IACT,EAEAulF,EAAc/lF,UAAUm8D,QAAU,SAASx2B,EAAMk8C,EAAOC,GAEtD,GADAthF,KAAKsmF,cACO,MAARnhD,EACF,MAAM,IAAIn9B,MAAM,2BAElB,GAAIhI,KAAKmlC,KACP,MAAM,IAAIn9B,MAAM,yCAOlB,OALAhI,KAAK4lF,YAAc,IAAIrD,EAAWviF,KAAMqhF,EAAOC,GAC/CthF,KAAK4lF,YAAYiB,aAAe1hD,EAChCnlC,KAAK4lF,YAAYzkE,UAAW,EAC5BnhB,KAAK6lF,eACL7lF,KAAK8lF,SAAS9lF,KAAK6lF,cAAgB7lF,KAAK4lF,YACjC5lF,IACT,EAEAulF,EAAc/lF,UAAU0hF,WAAa,SAASlgF,EAAMoI,GAClD,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAI07E,EAAchhF,KAAMgB,EAAMoI,GACrCpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAO0C,WAAW57E,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAClG7lF,IACT,EAEAulF,EAAc/lF,UAAUmjF,QAAU,SAASlC,EAAaC,EAAeC,EAAeC,EAAkBrvE,GACtG,IAAIjM,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAIk7E,EAAcxgF,KAAMygF,EAAaC,EAAeC,EAAeC,EAAkBrvE,GAC5FvR,KAAKwlF,OAAOxlF,KAAKw+E,OAAOuC,WAAWz7E,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GAClG7lF,IACT,EAEAulF,EAAc/lF,UAAUw+D,OAAS,SAASh9D,EAAMoI,GAC9C,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAI67E,EAAanhF,MAAM,EAAOgB,EAAMoI,GAC3CpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOqD,UAAUv8E,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GACjG7lF,IACT,EAEAulF,EAAc/lF,UAAUojF,QAAU,SAAS5hF,EAAMoI,GAC/C,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAI67E,EAAanhF,MAAM,EAAMgB,EAAMoI,GAC1CpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOqD,UAAUv8E,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GACjG7lF,IACT,EAEAulF,EAAc/lF,UAAUqjF,SAAW,SAAS7hF,EAAMoI,GAChD,IAAI9D,EAIJ,OAHAtF,KAAKsmF,cACLhhF,EAAO,IAAIw8E,EAAe9hF,KAAMgB,EAAMoI,GACtCpJ,KAAKwlF,OAAOxlF,KAAKw+E,OAAOuD,YAAYz8E,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,aAAe,GAAI7lF,KAAK6lF,aAAe,GACnG7lF,IACT,EAEAulF,EAAc/lF,UAAUo5E,GAAK,WAC3B,GAAI54E,KAAK6lF,aAAe,EACtB,MAAM,IAAI79E,MAAM,oCAclB,OAZIhI,KAAK4lF,aACH5lF,KAAK4lF,YAAYzkE,SACnBnhB,KAAK8mF,UAAU9mF,KAAK4lF,aAEpB5lF,KAAK+mF,SAAS/mF,KAAK4lF,aAErB5lF,KAAK4lF,YAAc,MAEnB5lF,KAAK8mF,UAAU9mF,KAAK8lF,SAAS9lF,KAAK6lF,sBAE7B7lF,KAAK8lF,SAAS9lF,KAAK6lF,cAC1B7lF,KAAK6lF,eACE7lF,IACT,EAEAulF,EAAc/lF,UAAU8mB,IAAM,WAC5B,KAAOtmB,KAAK6lF,cAAgB,GAC1B7lF,KAAK44E,KAEP,OAAO54E,KAAKylF,OACd,EAEAF,EAAc/lF,UAAU8mF,YAAc,WACpC,GAAItmF,KAAK4lF,YAEP,OADA5lF,KAAK4lF,YAAYzkE,UAAW,EACrBnhB,KAAK+mF,SAAS/mF,KAAK4lF,YAE9B,EAEAL,EAAc/lF,UAAUunF,SAAW,SAASzhF,GAC1C,IAAIuzE,EAAKlf,EAAO34D,EAAMwhF,EACtB,IAAKl9E,EAAK0hF,OAAQ,CAKhB,GAJKhnF,KAAKmlC,MAA8B,IAAtBnlC,KAAK6lF,cAAsBvgF,EAAK0B,OAASk3E,EAAS1B,UAClEx8E,KAAKmlC,KAAO7/B,GAEdq0D,EAAQ,GACJr0D,EAAK0B,OAASk3E,EAAS1B,QAAS,CAIlC,IAAKx7E,KAHLhB,KAAKwjF,cAAcv6E,MAAQi8E,EAAYnH,QACvCpkB,EAAQ35D,KAAKw+E,OAAOyI,OAAO3hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAAgB,IAAMvgF,EAAKtE,KACrFwhF,EAAOl9E,EAAK6gF,QAELlO,EAAQ/2E,KAAKshF,EAAMxhF,KACxB63E,EAAM2J,EAAKxhF,GACX24D,GAAS35D,KAAKw+E,OAAOrzC,UAAU0tC,EAAK74E,KAAKwjF,cAAexjF,KAAK6lF,eAE/DlsB,IAAUr0D,EAAK6b,SAAW,IAAM,MAAQnhB,KAAKw+E,OAAO0I,QAAQ5hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAC3F7lF,KAAKwjF,cAAcv6E,MAAQi8E,EAAYlH,SACzC,MACEh+E,KAAKwjF,cAAcv6E,MAAQi8E,EAAYnH,QACvCpkB,EAAQ35D,KAAKw+E,OAAOyI,OAAO3hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAAgB,aAAevgF,EAAKuhF,aAC1FvhF,EAAK+7E,OAAS/7E,EAAKg8E,MACrB3nB,GAAS,YAAcr0D,EAAK+7E,MAAQ,MAAQ/7E,EAAKg8E,MAAQ,IAChDh8E,EAAKg8E,QACd3nB,GAAS,YAAcr0D,EAAKg8E,MAAQ,KAElCh8E,EAAK6b,UACPw4C,GAAS,KACT35D,KAAKwjF,cAAcv6E,MAAQi8E,EAAYlH,YAEvCh+E,KAAKwjF,cAAcv6E,MAAQi8E,EAAYjH,SACvCtkB,GAAS,KAEXA,GAAS35D,KAAKw+E,OAAO0I,QAAQ5hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAG9D,OADA7lF,KAAKwlF,OAAO7rB,EAAO35D,KAAK6lF,cACjBvgF,EAAK0hF,QAAS,CACvB,CACF,EAEAzB,EAAc/lF,UAAUsnF,UAAY,SAASxhF,GAC3C,IAAIq0D,EACJ,IAAKr0D,EAAK6hF,SAUR,MATQ,GACRnnF,KAAKwjF,cAAcv6E,MAAQi8E,EAAYjH,SAErCtkB,EADEr0D,EAAK0B,OAASk3E,EAAS1B,QACjBx8E,KAAKw+E,OAAOyI,OAAO3hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAAgB,KAAOvgF,EAAKtE,KAAO,IAAMhB,KAAKw+E,OAAO0I,QAAQ5hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAE9I7lF,KAAKw+E,OAAOyI,OAAO3hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAAgB,KAAO7lF,KAAKw+E,OAAO0I,QAAQ5hF,EAAMtF,KAAKwjF,cAAexjF,KAAK6lF,cAEtI7lF,KAAKwjF,cAAcv6E,MAAQi8E,EAAYpH,KACvC99E,KAAKwlF,OAAO7rB,EAAO35D,KAAK6lF,cACjBvgF,EAAK6hF,UAAW,CAE3B,EAEA5B,EAAc/lF,UAAUgmF,OAAS,SAAS7rB,EAAOytB,GAE/C,OADApnF,KAAK+lF,iBAAkB,EAChB/lF,KAAK0lF,eAAe/rB,EAAOytB,EAAQ,EAC5C,EAEA7B,EAAc/lF,UAAUimF,MAAQ,WAE9B,OADAzlF,KAAKgmF,mBAAoB,EAClBhmF,KAAK2lF,eACd,EAEAJ,EAAc/lF,UAAU4+E,UAAY,SAASp9E,GAC3C,OAAY,MAARA,EACK,GAEA,UAAYA,EAAO,GAE9B,EAEAukF,EAAc/lF,UAAUm5E,IAAM,WAC5B,OAAO34E,KAAKy6C,QAAQh4C,MAAMzC,KAAMsC,UAClC,EAEAijF,EAAc/lF,UAAU6nF,IAAM,SAASrmF,EAAMiqC,EAAY59B,GACvD,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEAk4E,EAAc/lF,UAAUk5E,IAAM,SAAStvE,GACrC,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEAm8E,EAAc/lF,UAAU8nF,IAAM,SAASl+E,GACrC,OAAOpJ,KAAKu7D,MAAMnyD,EACpB,EAEAm8E,EAAc/lF,UAAU+nF,IAAM,SAASn+E,GACrC,OAAOpJ,KAAKy7D,QAAQryD,EACtB,EAEAm8E,EAAc/lF,UAAUgoF,IAAM,SAAS/gF,EAAQ2C,GAC7C,OAAOpJ,KAAKqmF,YAAY5/E,EAAQ2C,EAClC,EAEAm8E,EAAc/lF,UAAUioF,IAAM,SAASjuD,EAAS+9B,EAAU0qB,GACxD,OAAOjiF,KAAKqiF,YAAY7oD,EAAS+9B,EAAU0qB,EAC7C,EAEAsD,EAAc/lF,UAAUkoF,IAAM,SAASviD,EAAMk8C,EAAOC,GAClD,OAAOthF,KAAK27D,QAAQx2B,EAAMk8C,EAAOC,EACnC,EAEAiE,EAAc/lF,UAAU2F,EAAI,SAASnE,EAAMiqC,EAAY59B,GACrD,OAAOrN,KAAKy6C,QAAQz5C,EAAMiqC,EAAY59B,EACxC,EAEAk4E,EAAc/lF,UAAUu2B,EAAI,SAAS/0B,EAAMiqC,EAAY59B,GACrD,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEAk4E,EAAc/lF,UAAUw+B,EAAI,SAAS50B,GACnC,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEAm8E,EAAc/lF,UAAUmjE,EAAI,SAASv5D,GACnC,OAAOpJ,KAAKu7D,MAAMnyD,EACpB,EAEAm8E,EAAc/lF,UAAUue,EAAI,SAAS3U,GACnC,OAAOpJ,KAAKy7D,QAAQryD,EACtB,EAEAm8E,EAAc/lF,UAAUg3E,EAAI,SAASptE,GACnC,OAAOpJ,KAAK+mB,IAAI3d,EAClB,EAEAm8E,EAAc/lF,UAAUgC,EAAI,SAASiF,EAAQ2C,GAC3C,OAAOpJ,KAAKqmF,YAAY5/E,EAAQ2C,EAClC,EAEAm8E,EAAc/lF,UAAUq5E,IAAM,WAC5B,OAAI74E,KAAK4lF,aAAe5lF,KAAK4lF,YAAY5+E,OAASk3E,EAASjB,QAClDj9E,KAAK2iF,QAAQlgF,MAAMzC,KAAMsC,WAEzBtC,KAAKmrC,UAAU1oC,MAAMzC,KAAMsC,UAEtC,EAEAijF,EAAc/lF,UAAU2G,EAAI,WAC1B,OAAInG,KAAK4lF,aAAe5lF,KAAK4lF,YAAY5+E,OAASk3E,EAASjB,QAClDj9E,KAAK2iF,QAAQlgF,MAAMzC,KAAMsC,WAEzBtC,KAAKmrC,UAAU1oC,MAAMzC,KAAMsC,UAEtC,EAEAijF,EAAc/lF,UAAUujF,IAAM,SAAS/hF,EAAMoI,GAC3C,OAAOpJ,KAAKg+D,OAAOh9D,EAAMoI,EAC3B,EAEAm8E,EAAc/lF,UAAUwjF,KAAO,SAAShiF,EAAMoI,GAC5C,OAAOpJ,KAAK4iF,QAAQ5hF,EAAMoI,EAC5B,EAEAm8E,EAAc/lF,UAAUyjF,IAAM,SAASjiF,EAAMoI,GAC3C,OAAOpJ,KAAK6iF,SAAS7hF,EAAMoI,EAC7B,EAEOm8E,CAER,CAlegC,EAoelC,GAAErkF,KAAKlB,8BC9gBR,WACE,IAAIk+E,EAAoBa,EAEtB9G,EAAU,CAAC,EAAEx4E,eAEfs/E,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBn7E,EAAOC,QAAqB,SAAUqiE,GAGpC,SAASsiB,EAAShoE,GAChBgoE,EAAShN,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC1C3f,KAAKgH,KAAOk3E,EAASV,KACvB,CAUA,OAvBS,SAAS5yD,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAO+pE,EAAUtiB,GAOjBsiB,EAASnoF,UAAUyf,MAAQ,WACzB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEA2nF,EAASnoF,UAAUgE,SAAW,SAASwN,GACrC,MAAO,EACT,EAEO22E,CAER,CAlB2B,CAkBzB5I,EAEJ,GAAE79E,KAAKlB,8BC7BR,WACE,IAAIk+E,EAAUC,EAA0BmE,EAAiBvD,EAAStB,EAAUC,EAAYjuD,EAAU7P,EAEhGq4D,EAAU,CAAC,EAAEx4E,eAEfmgB,EAAM,EAAQ,OAAc6P,EAAW7P,EAAI6P,SAAUiuD,EAAa99D,EAAI89D,WAAYD,EAAW79D,EAAI69D,SAEjGsB,EAAU,EAAQ,OAElBb,EAAW,EAAQ,OAEnBC,EAAe,EAAQ,OAEvBmE,EAAkB,EAAQ,OAE1Bv/E,EAAOC,QAAuB,SAAUqiE,GAGtC,SAAS8f,EAAWxlE,EAAQ3e,EAAMiqC,GAChC,IAAIrgB,EAAOloB,EAAGL,EAAKmgF,EAEnB,GADA2C,EAAWxK,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAChC,MAAR3e,EACF,MAAM,IAAIgH,MAAM,yBAA2BhI,KAAKo+E,aASlD,GAPAp+E,KAAKgB,KAAOhB,KAAKoM,UAAUpL,KAAKA,GAChChB,KAAKgH,KAAOk3E,EAAS1B,QACrBx8E,KAAKmmF,QAAU,CAAC,EAChBnmF,KAAKu+E,eAAiB,KACJ,MAAdtzC,GACFjrC,KAAKmrC,UAAUF,GAEbtrB,EAAO3Y,OAASk3E,EAASlB,WAC3Bh9E,KAAK4nF,QAAS,EACd5nF,KAAK0iF,eAAiB/iE,EACtBA,EAAO4jE,WAAavjF,KAChB2f,EAAOwB,UAET,IAAKze,EAAI,EAAGL,GADZmgF,EAAO7iE,EAAOwB,UACSzf,OAAQgB,EAAIL,EAAKK,IAEtC,IADAkoB,EAAQ43D,EAAK9/E,IACHsE,OAASk3E,EAASjB,QAAS,CACnCryD,EAAM5pB,KAAOhB,KAAKgB,KAClB,KACF,CAIR,CAsPA,OAlSS,SAAS4pB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAczRoe,CAAOunE,EAAY9f,GAgCnB9lE,OAAOoX,eAAewuE,EAAW3lF,UAAW,UAAW,CACrDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAewuE,EAAW3lF,UAAW,eAAgB,CAC1DmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAewuE,EAAW3lF,UAAW,SAAU,CACpDmO,IAAK,WACH,MAAO,EACT,IAGFpO,OAAOoX,eAAewuE,EAAW3lF,UAAW,YAAa,CACvDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAewuE,EAAW3lF,UAAW,KAAM,CAChDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKo+E,YAC/D,IAGF7+E,OAAOoX,eAAewuE,EAAW3lF,UAAW,YAAa,CACvDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKo+E,YAC/D,IAGF7+E,OAAOoX,eAAewuE,EAAW3lF,UAAW,YAAa,CACvDmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKo+E,YAC/D,IAGF7+E,OAAOoX,eAAewuE,EAAW3lF,UAAW,aAAc,CACxDmO,IAAK,WAIH,OAHK3N,KAAK6nF,cAAiB7nF,KAAK6nF,aAAa5iD,QAC3CjlC,KAAK6nF,aAAe,IAAIvF,EAAgBtiF,KAAKmmF,UAExCnmF,KAAK6nF,YACd,IAGF1C,EAAW3lF,UAAUyf,MAAQ,WAC3B,IAAI45D,EAAKqN,EAAS4B,EAAYtF,EAO9B,IAAK0D,KANL4B,EAAavoF,OAAOqB,OAAOZ,OACZ4nF,SACbE,EAAWpF,eAAiB,MAE9BoF,EAAW3B,QAAU,CAAC,EACtB3D,EAAOxiF,KAAKmmF,QAELlO,EAAQ/2E,KAAKshF,EAAM0D,KACxBrN,EAAM2J,EAAK0D,GACX4B,EAAW3B,QAAQD,GAAWrN,EAAI55D,SASpC,OAPA6oE,EAAW3mE,SAAW,GACtBnhB,KAAKmhB,SAAS9S,SAAQ,SAASuc,GAC7B,IAAIm9D,EAGJ,OAFAA,EAAcn9D,EAAM3L,SACRU,OAASmoE,EACdA,EAAW3mE,SAAS3gB,KAAKunF,EAClC,IACOD,CACT,EAEA3C,EAAW3lF,UAAU2rC,UAAY,SAASnqC,EAAMoI,GAC9C,IAAI88E,EAAS7H,EAIb,GAHY,MAARr9E,IACFA,EAAOy8E,EAASz8E,IAEdyuB,EAASzuB,GACX,IAAKklF,KAAWllF,EACTi3E,EAAQ/2E,KAAKF,EAAMklF,KACxB7H,EAAWr9E,EAAKklF,GAChBlmF,KAAKmrC,UAAU+6C,EAAS7H,SAGtBX,EAAWt0E,KACbA,EAAQA,EAAM3G,SAEZzC,KAAKgR,QAAQy1E,oBAAgC,MAATr9E,EACtCpJ,KAAKmmF,QAAQnlF,GAAQ,IAAIm9E,EAAan+E,KAAMgB,EAAM,IAChC,MAAToI,IACTpJ,KAAKmmF,QAAQnlF,GAAQ,IAAIm9E,EAAan+E,KAAMgB,EAAMoI,IAGtD,OAAOpJ,IACT,EAEAmlF,EAAW3lF,UAAUwoF,gBAAkB,SAAShnF,GAC9C,IAAIklF,EAASxjF,EAAGL,EAChB,GAAY,MAARrB,EACF,MAAM,IAAIgH,MAAM,2BAA6BhI,KAAKo+E,aAGpD,GADAp9E,EAAOy8E,EAASz8E,GACZY,MAAMoI,QAAQhJ,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtCwjF,EAAUllF,EAAK0B,UACR1C,KAAKmmF,QAAQD,eAGflmF,KAAKmmF,QAAQnlF,GAEtB,OAAOhB,IACT,EAEAmlF,EAAW3lF,UAAUgE,SAAW,SAASwN,GACvC,OAAOhR,KAAKgR,QAAQwtE,OAAO/jC,QAAQz6C,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC7E,EAEAm0E,EAAW3lF,UAAUq5E,IAAM,SAAS73E,EAAMoI,GACxC,OAAOpJ,KAAKmrC,UAAUnqC,EAAMoI,EAC9B,EAEA+7E,EAAW3lF,UAAU2G,EAAI,SAASnF,EAAMoI,GACtC,OAAOpJ,KAAKmrC,UAAUnqC,EAAMoI,EAC9B,EAEA+7E,EAAW3lF,UAAUkrB,aAAe,SAAS1pB,GAC3C,OAAIhB,KAAKmmF,QAAQ1mF,eAAeuB,GACvBhB,KAAKmmF,QAAQnlF,GAAMoI,MAEnB,IAEX,EAEA+7E,EAAW3lF,UAAUihD,aAAe,SAASz/C,EAAMoI,GACjD,MAAM,IAAIpB,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUyoF,iBAAmB,SAASjnF,GAC/C,OAAIhB,KAAKmmF,QAAQ1mF,eAAeuB,GACvBhB,KAAKmmF,QAAQnlF,GAEb,IAEX,EAEAmkF,EAAW3lF,UAAU0oF,iBAAmB,SAASC,GAC/C,MAAM,IAAIngF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAU4oF,oBAAsB,SAASC,GAClD,MAAM,IAAIrgF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUwkF,qBAAuB,SAAShjF,GACnD,MAAM,IAAIgH,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAU8oF,eAAiB,SAAS3J,EAAcC,GAC3D,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAU+oF,eAAiB,SAAS5J,EAAcuB,EAAe92E,GAC1E,MAAM,IAAIpB,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUgpF,kBAAoB,SAAS7J,EAAcC,GAC9D,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUipF,mBAAqB,SAAS9J,EAAcC,GAC/D,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUkpF,mBAAqB,SAASP,GACjD,MAAM,IAAIngF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAU8kF,uBAAyB,SAAS3F,EAAcC,GACnE,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUmpF,aAAe,SAAS3nF,GAC3C,OAAOhB,KAAKmmF,QAAQ1mF,eAAeuB,EACrC,EAEAmkF,EAAW3lF,UAAUopF,eAAiB,SAASjK,EAAcC,GAC3D,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUqpF,eAAiB,SAAS7nF,EAAMs9E,GACnD,OAAIt+E,KAAKmmF,QAAQ1mF,eAAeuB,GACvBhB,KAAKmmF,QAAQnlF,GAAMs9E,KAEnBA,CAEX,EAEA6G,EAAW3lF,UAAUspF,iBAAmB,SAASnK,EAAcC,EAAWN,GACxE,MAAM,IAAIt2E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUupF,mBAAqB,SAASC,EAAQ1K,GACzD,MAAM,IAAIt2E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUwkF,qBAAuB,SAASC,GACnD,MAAM,IAAIj8E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAU8kF,uBAAyB,SAAS3F,EAAcC,GACnE,MAAM,IAAI52E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUmlF,uBAAyB,SAASC,GACrD,MAAM,IAAI58E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEA+G,EAAW3lF,UAAUk/E,YAAc,SAASp5E,GAC1C,IAAI9D,EAAGkB,EAAG8/E,EACV,IAAK2C,EAAWxK,UAAU+D,YAAYj8E,MAAMzC,KAAMsC,WAAWo8E,YAAYp5E,GACvE,OAAO,EAET,GAAIA,EAAKq5E,eAAiB3+E,KAAK2+E,aAC7B,OAAO,EAET,GAAIr5E,EAAK5F,SAAWM,KAAKN,OACvB,OAAO,EAET,GAAI4F,EAAKs5E,YAAc5+E,KAAK4+E,UAC1B,OAAO,EAET,GAAIt5E,EAAK6gF,QAAQzkF,SAAW1B,KAAKmmF,QAAQzkF,OACvC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAG8/E,EAAOxiF,KAAKmmF,QAAQzkF,OAAS,EAAG,GAAK8gF,EAAO9/E,GAAK8/E,EAAO9/E,GAAK8/E,EAAMhhF,EAAI,GAAKghF,IAAS9/E,IAAMA,EACzG,IAAK1C,KAAKmmF,QAAQ3kF,GAAGk9E,YAAYp5E,EAAK6gF,QAAQ3kF,IAC5C,OAAO,EAGX,OAAO,CACT,EAEO2jF,CAER,CAvR6B,CAuR3BpG,EAEJ,GAAE79E,KAAKlB,0BCxSR,WAGE+C,EAAOC,QAA4B,WACjC,SAASs/E,EAAgBr9C,GACvBjlC,KAAKilC,MAAQA,CACf,CA8CA,OA5CA1lC,OAAOoX,eAAe2rE,EAAgB9iF,UAAW,SAAU,CACzDmO,IAAK,WACH,OAAOpO,OAAO4K,KAAKnK,KAAKilC,OAAOvjC,QAAU,CAC3C,IAGF4gF,EAAgB9iF,UAAUyf,MAAQ,WAChC,OAAOjf,KAAKilC,MAAQ,IACtB,EAEAq9C,EAAgB9iF,UAAUypF,aAAe,SAASjoF,GAChD,OAAOhB,KAAKilC,MAAMjkC,EACpB,EAEAshF,EAAgB9iF,UAAU0pF,aAAe,SAAS5jF,GAChD,IAAI6jF,EAGJ,OAFAA,EAAUnpF,KAAKilC,MAAM3/B,EAAKi2E,UAC1Bv7E,KAAKilC,MAAM3/B,EAAKi2E,UAAYj2E,EACrB6jF,GAAW,IACpB,EAEA7G,EAAgB9iF,UAAU4pF,gBAAkB,SAASpoF,GACnD,IAAImoF,EAGJ,OAFAA,EAAUnpF,KAAKilC,MAAMjkC,UACdhB,KAAKilC,MAAMjkC,GACXmoF,GAAW,IACpB,EAEA7G,EAAgB9iF,UAAU4N,KAAO,SAASyP,GACxC,OAAO7c,KAAKilC,MAAM1lC,OAAO4K,KAAKnK,KAAKilC,OAAOpoB,KAAW,IACvD,EAEAylE,EAAgB9iF,UAAU6pF,eAAiB,SAAS1K,EAAcC,GAChE,MAAM,IAAI52E,MAAM,sCAClB,EAEAs6E,EAAgB9iF,UAAU8pF,eAAiB,SAAShkF,GAClD,MAAM,IAAI0C,MAAM,sCAClB,EAEAs6E,EAAgB9iF,UAAU+pF,kBAAoB,SAAS5K,EAAcC,GACnE,MAAM,IAAI52E,MAAM,sCAClB,EAEOs6E,CAER,CAnDkC,EAqDpC,GAAEphF,KAAKlB,8BCxDR,WACE,IAAIwpF,EAAkBtL,EAAUY,EAAUO,EAAY2C,EAAgBO,EAAYoF,EAAUxC,EAAsCsE,EAAarE,EAA0BC,EAAQC,EAAS7H,EAAUtD,EAASuD,EAAYjuD,EAAU+yD,EACjOvK,EAAU,CAAC,EAAEx4E,eAEf+iF,EAAO,EAAQ,OAAc/yD,EAAW+yD,EAAK/yD,SAAUiuD,EAAa8E,EAAK9E,WAAYvD,EAAUqI,EAAKrI,QAASsD,EAAW+E,EAAK/E,SAE7H0H,EAAa,KAEbrG,EAAW,KAEXO,EAAa,KAEb2C,EAAiB,KAEjBO,EAAa,KAEb8C,EAAS,KAETC,EAAU,KAEVF,EAA2B,KAE3BuC,EAAW,KAEXzJ,EAAW,KAEXuL,EAAc,KAIdD,EAAmB,KAEnBzmF,EAAOC,QAAoB,WACzB,SAAS+7E,EAAQ2K,GACf1pF,KAAK2f,OAAS+pE,EACV1pF,KAAK2f,SACP3f,KAAKgR,QAAUhR,KAAK2f,OAAO3O,QAC3BhR,KAAKoM,UAAYpM,KAAK2f,OAAOvT,WAE/BpM,KAAKoJ,MAAQ,KACbpJ,KAAKmhB,SAAW,GAChBnhB,KAAK2pF,QAAU,KACVxE,IACHA,EAAa,EAAQ,OACrBrG,EAAW,EAAQ,OACnBO,EAAa,EAAQ,OACrB2C,EAAiB,EAAQ,OACzBO,EAAa,EAAQ,OACrB8C,EAAS,EAAQ,MACjBC,EAAU,EAAQ,OAClBF,EAA2B,EAAQ,OACnCuC,EAAW,EAAQ,OACnBzJ,EAAW,EAAQ,OACnBuL,EAAc,EAAQ,OACJ,EAAQ,OAC1BD,EAAmB,EAAQ,OAE/B,CAktBA,OAhtBAjqF,OAAOoX,eAAeooE,EAAQv/E,UAAW,WAAY,CACnDmO,IAAK,WACH,OAAO3N,KAAKgB,IACd,IAGFzB,OAAOoX,eAAeooE,EAAQv/E,UAAW,WAAY,CACnDmO,IAAK,WACH,OAAO3N,KAAKgH,IACd,IAGFzH,OAAOoX,eAAeooE,EAAQv/E,UAAW,YAAa,CACpDmO,IAAK,WACH,OAAO3N,KAAKoJ,KACd,IAGF7J,OAAOoX,eAAeooE,EAAQv/E,UAAW,aAAc,CACrDmO,IAAK,WACH,OAAO3N,KAAK2f,MACd,IAGFpgB,OAAOoX,eAAeooE,EAAQv/E,UAAW,aAAc,CACrDmO,IAAK,WAIH,OAHK3N,KAAK4pF,eAAkB5pF,KAAK4pF,cAAc3kD,QAC7CjlC,KAAK4pF,cAAgB,IAAIH,EAAYzpF,KAAKmhB,WAErCnhB,KAAK4pF,aACd,IAGFrqF,OAAOoX,eAAeooE,EAAQv/E,UAAW,aAAc,CACrDmO,IAAK,WACH,OAAO3N,KAAKmhB,SAAS,IAAM,IAC7B,IAGF5hB,OAAOoX,eAAeooE,EAAQv/E,UAAW,YAAa,CACpDmO,IAAK,WACH,OAAO3N,KAAKmhB,SAASnhB,KAAKmhB,SAASzf,OAAS,IAAM,IACpD,IAGFnC,OAAOoX,eAAeooE,EAAQv/E,UAAW,kBAAmB,CAC1DmO,IAAK,WACH,IAAInM,EAEJ,OADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MAC1BA,KAAK2f,OAAOwB,SAAS3f,EAAI,IAAM,IACxC,IAGFjC,OAAOoX,eAAeooE,EAAQv/E,UAAW,cAAe,CACtDmO,IAAK,WACH,IAAInM,EAEJ,OADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MAC1BA,KAAK2f,OAAOwB,SAAS3f,EAAI,IAAM,IACxC,IAGFjC,OAAOoX,eAAeooE,EAAQv/E,UAAW,gBAAiB,CACxDmO,IAAK,WACH,OAAO3N,KAAKyF,YAAc,IAC5B,IAGFlG,OAAOoX,eAAeooE,EAAQv/E,UAAW,cAAe,CACtDmO,IAAK,WACH,IAAIid,EAAOloB,EAAGL,EAAKogF,EAAMxkE,EACzB,GAAIje,KAAK0/D,WAAawe,EAAS1B,SAAWx8E,KAAK0/D,WAAawe,EAAShB,iBAAkB,CAGrF,IAFAj/D,EAAM,GAEDvb,EAAI,EAAGL,GADZogF,EAAOziF,KAAKmhB,UACWzf,OAAQgB,EAAIL,EAAKK,KACtCkoB,EAAQ63D,EAAK//E,IACHmnF,cACR5rE,GAAO2M,EAAMi/D,aAGjB,OAAO5rE,CACT,CACE,OAAO,IAEX,EACAjO,IAAK,SAAS5G,GACZ,MAAM,IAAIpB,MAAM,sCAAwChI,KAAKo+E,YAC/D,IAGFW,EAAQv/E,UAAUsqF,UAAY,SAASnqE,GACrC,IAAIiL,EAAOloB,EAAGL,EAAKogF,EAAMr5C,EAQzB,IAPAppC,KAAK2f,OAASA,EACVA,IACF3f,KAAKgR,QAAU2O,EAAO3O,QACtBhR,KAAKoM,UAAYuT,EAAOvT,WAG1Bg9B,EAAU,GACL1mC,EAAI,EAAGL,GAFZogF,EAAOziF,KAAKmhB,UAEWzf,OAAQgB,EAAIL,EAAKK,IACtCkoB,EAAQ63D,EAAK//E,GACb0mC,EAAQ5oC,KAAKoqB,EAAMk/D,UAAU9pF,OAE/B,OAAOopC,CACT,EAEA21C,EAAQv/E,UAAUi7C,QAAU,SAASz5C,EAAMiqC,EAAY59B,GACrD,IAAI08E,EAAW38E,EAAM1K,EAAGsnF,EAAG9gF,EAAK+gF,EAAW5nF,EAAK6nF,EAAMzH,EAAM0H,EAAM1rE,EAelE,GAdAwrE,EAAY,KACO,OAAfh/C,GAAgC,MAAR59B,IACP49B,GAAnBw3C,EAAO,CAAC,CAAC,EAAG,OAAyB,GAAIp1E,EAAOo1E,EAAK,IAErC,MAAdx3C,IACFA,EAAa,CAAC,GAEhBA,EAAawyC,EAASxyC,GACjBxb,EAASwb,KACe59B,GAA3B88E,EAAO,CAACl/C,EAAY59B,IAAmB,GAAI49B,EAAak/C,EAAK,IAEnD,MAARnpF,IACFA,EAAOy8E,EAASz8E,IAEdY,MAAMoI,QAAQhJ,GAChB,IAAK0B,EAAI,EAAGL,EAAMrB,EAAKU,OAAQgB,EAAIL,EAAKK,IACtC0K,EAAOpM,EAAK0B,GACZunF,EAAYjqF,KAAKy6C,QAAQrtC,QAEtB,GAAIswE,EAAW18E,GACpBipF,EAAYjqF,KAAKy6C,QAAQz5C,EAAKyB,cACzB,GAAIgtB,EAASzuB,IAClB,IAAKkI,KAAOlI,EACV,GAAKi3E,EAAQ/2E,KAAKF,EAAMkI,GAKxB,GAJAuV,EAAMzd,EAAKkI,GACPw0E,EAAWj/D,KACbA,EAAMA,EAAIhc,UAEPzC,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUi+E,eAA+D,IAA9CnhF,EAAImK,QAAQrT,KAAKoM,UAAUi+E,eAC/FJ,EAAYjqF,KAAKmrC,UAAUjiC,EAAI6c,OAAO/lB,KAAKoM,UAAUi+E,cAAc3oF,QAAS+c,QACvE,IAAKze,KAAKgR,QAAQs5E,oBAAsB1oF,MAAMoI,QAAQyU,IAAQ07D,EAAQ17D,GAC3EwrE,EAAYjqF,KAAKomF,aACZ,GAAI32D,EAAShR,IAAQ07D,EAAQ17D,GAClCwrE,EAAYjqF,KAAKy6C,QAAQvxC,QACpB,GAAKlJ,KAAKgR,QAAQu5E,eAAyB,MAAP9rE,EAEpC,IAAKze,KAAKgR,QAAQs5E,oBAAsB1oF,MAAMoI,QAAQyU,GAC3D,IAAKurE,EAAI,EAAGE,EAAOzrE,EAAI/c,OAAQsoF,EAAIE,EAAMF,IACvC58E,EAAOqR,EAAIurE,IACXD,EAAY,CAAC,GACH7gF,GAAOkE,EACjB68E,EAAYjqF,KAAKy6C,QAAQsvC,QAElBt6D,EAAShR,IACbze,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUo+E,gBAAiE,IAA/CthF,EAAImK,QAAQrT,KAAKoM,UAAUo+E,gBAChGP,EAAYjqF,KAAKy6C,QAAQh8B,IAEzBwrE,EAAYjqF,KAAKy6C,QAAQvxC,IACfuxC,QAAQh8B,GAGpBwrE,EAAYjqF,KAAKy6C,QAAQvxC,EAAKuV,QAhB9BwrE,EAAYjqF,KAAKomF,aAuBnB6D,EAJQjqF,KAAKgR,QAAQu5E,eAA0B,OAATl9E,GAGnCrN,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUo+E,gBAAkE,IAAhDxpF,EAAKqS,QAAQrT,KAAKoM,UAAUo+E,gBACrFxqF,KAAKqN,KAAKA,IACZrN,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUq+E,iBAAoE,IAAjDzpF,EAAKqS,QAAQrT,KAAKoM,UAAUq+E,iBAC7FzqF,KAAKu7D,MAAMluD,IACbrN,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUs+E,mBAAwE,IAAnD1pF,EAAKqS,QAAQrT,KAAKoM,UAAUs+E,mBAC/F1qF,KAAKy7D,QAAQpuD,IACfrN,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUu+E,eAAgE,IAA/C3pF,EAAKqS,QAAQrT,KAAKoM,UAAUu+E,eAC3F3qF,KAAK+mB,IAAI1Z,IACXrN,KAAKgR,QAAQo5E,kBAAoBpqF,KAAKoM,UAAUw+E,cAA8D,IAA9C5pF,EAAKqS,QAAQrT,KAAKoM,UAAUw+E,cAC1F5qF,KAAKqmF,YAAYrlF,EAAK+kB,OAAO/lB,KAAKoM,UAAUw+E,aAAalpF,QAAS2L,GAElErN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,GAb9BrN,KAAKomF,QAgBnB,GAAiB,MAAb6D,EACF,MAAM,IAAIjiF,MAAM,uCAAyChH,EAAO,KAAOhB,KAAKo+E,aAE9E,OAAO6L,CACT,EAEAlL,EAAQv/E,UAAUqrF,aAAe,SAAS7pF,EAAMiqC,EAAY59B,GAC1D,IAAIud,EAAOppB,EAAGspF,EAAUC,EAAUC,EAClC,GAAY,MAARhqF,EAAeA,EAAKgG,UAAO,EAY7B,OAVA+jF,EAAW9/C,GADX6/C,EAAW9pF,GAEF8oF,UAAU9pF,MACf+qF,GACFvpF,EAAI2f,SAAS9N,QAAQ03E,GACrBC,EAAU7pE,SAAS7N,OAAO9R,GAC1B2f,SAAS3gB,KAAKsqF,GACdlpF,MAAMpC,UAAUgB,KAAKiC,MAAM0e,SAAU6pE,IAErC7pE,SAAS3gB,KAAKsqF,GAETA,EAEP,GAAI9qF,KAAK4nF,OACP,MAAM,IAAI5/E,MAAM,yCAA2ChI,KAAKo+E,UAAUp9E,IAM5E,OAJAQ,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCgrF,EAAUhrF,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GACtCopB,EAAQ5qB,KAAK2f,OAAO86B,QAAQz5C,EAAMiqC,EAAY59B,GAC9CzL,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU6pE,GAC1CpgE,CAEX,EAEAm0D,EAAQv/E,UAAUyrF,YAAc,SAASjqF,EAAMiqC,EAAY59B,GACzD,IAAIud,EAAOppB,EAAGwpF,EACd,GAAIhrF,KAAK4nF,OACP,MAAM,IAAI5/E,MAAM,yCAA2ChI,KAAKo+E,UAAUp9E,IAM5E,OAJAQ,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCgrF,EAAUhrF,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAC1CopB,EAAQ5qB,KAAK2f,OAAO86B,QAAQz5C,EAAMiqC,EAAY59B,GAC9CzL,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU6pE,GAC1CpgE,CACT,EAEAm0D,EAAQv/E,UAAU0rF,OAAS,WACzB,IAAI1pF,EACJ,GAAIxB,KAAK4nF,OACP,MAAM,IAAI5/E,MAAM,mCAAqChI,KAAKo+E,aAI5D,OAFA58E,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjC,GAAGsT,OAAO7Q,MAAMzC,KAAK2f,OAAOwB,SAAU,CAAC3f,EAAGA,EAAIA,EAAI,GAAGH,OAAc,KAC5DrB,KAAK2f,MACd,EAEAo/D,EAAQv/E,UAAU8F,KAAO,SAAStE,EAAMiqC,EAAY59B,GAClD,IAAIud,EAAO63D,EAcX,OAbY,MAARzhF,IACFA,EAAOy8E,EAASz8E,IAElBiqC,IAAeA,EAAa,CAAC,GAC7BA,EAAawyC,EAASxyC,GACjBxb,EAASwb,KACe59B,GAA3Bo1E,EAAO,CAACx3C,EAAY59B,IAAmB,GAAI49B,EAAaw3C,EAAK,IAE/D73D,EAAQ,IAAIu6D,EAAWnlF,KAAMgB,EAAMiqC,GACvB,MAAR59B,GACFud,EAAMvd,KAAKA,GAEbrN,KAAKmhB,SAAS3gB,KAAKoqB,GACZA,CACT,EAEAm0D,EAAQv/E,UAAU6N,KAAO,SAASjE,GAChC,IAAIwhB,EAMJ,OALI6E,EAASrmB,IACXpJ,KAAKy6C,QAAQrxC,GAEfwhB,EAAQ,IAAI06D,EAAQtlF,KAAMoJ,GAC1BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA++E,EAAQv/E,UAAU+7D,MAAQ,SAASnyD,GACjC,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIk0D,EAAS9+E,KAAMoJ,GAC3BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA++E,EAAQv/E,UAAUi8D,QAAU,SAASryD,GACnC,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIy0D,EAAWr/E,KAAMoJ,GAC7BpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA++E,EAAQv/E,UAAU2rF,cAAgB,SAAS/hF,GACzC,IAAW5H,EAAGwpF,EAKd,OAJAxpF,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCgrF,EAAUhrF,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GAC9BxB,KAAK2f,OAAO87C,QAAQryD,GAC5BxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU6pE,GAC1ChrF,IACT,EAEA++E,EAAQv/E,UAAU4rF,aAAe,SAAShiF,GACxC,IAAW5H,EAAGwpF,EAKd,OAJAxpF,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCgrF,EAAUhrF,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAClCxB,KAAK2f,OAAO87C,QAAQryD,GAC5BxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU6pE,GAC1ChrF,IACT,EAEA++E,EAAQv/E,UAAUunB,IAAM,SAAS3d,GAC/B,IAAIwhB,EAGJ,OAFAA,EAAQ,IAAIy6D,EAAOrlF,KAAMoJ,GACzBpJ,KAAKmhB,SAAS3gB,KAAKoqB,GACZ5qB,IACT,EAEA++E,EAAQv/E,UAAU4mF,MAAQ,WAGxB,OADQ,IAAIuB,EAAS3nF,KAEvB,EAEA++E,EAAQv/E,UAAU6mF,YAAc,SAAS5/E,EAAQ2C,GAC/C,IAAIs9E,EAAWC,EAAUN,EAAa3jF,EAAGL,EAOzC,GANc,MAAVoE,IACFA,EAASg3E,EAASh3E,IAEP,MAAT2C,IACFA,EAAQq0E,EAASr0E,IAEfxH,MAAMoI,QAAQvD,GAChB,IAAK/D,EAAI,EAAGL,EAAMoE,EAAO/E,OAAQgB,EAAIL,EAAKK,IACxCgkF,EAAYjgF,EAAO/D,GACnB1C,KAAKqmF,YAAYK,QAEd,GAAIj3D,EAAShpB,GAClB,IAAKigF,KAAajgF,EACXwxE,EAAQ/2E,KAAKuF,EAAQigF,KAC1BC,EAAWlgF,EAAOigF,GAClB1mF,KAAKqmF,YAAYK,EAAWC,SAG1BjJ,EAAWt0E,KACbA,EAAQA,EAAM3G,SAEhB4jF,EAAc,IAAIjB,EAAyBplF,KAAMyG,EAAQ2C,GACzDpJ,KAAKmhB,SAAS3gB,KAAK6lF,GAErB,OAAOrmF,IACT,EAEA++E,EAAQv/E,UAAU6rF,kBAAoB,SAAS5kF,EAAQ2C,GACrD,IAAW5H,EAAGwpF,EAKd,OAJAxpF,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCgrF,EAAUhrF,KAAK2f,OAAOwB,SAAS7N,OAAO9R,GAC9BxB,KAAK2f,OAAO0mE,YAAY5/E,EAAQ2C,GACxCxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU6pE,GAC1ChrF,IACT,EAEA++E,EAAQv/E,UAAU8rF,iBAAmB,SAAS7kF,EAAQ2C,GACpD,IAAW5H,EAAGwpF,EAKd,OAJAxpF,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,MACjCgrF,EAAUhrF,KAAK2f,OAAOwB,SAAS7N,OAAO9R,EAAI,GAClCxB,KAAK2f,OAAO0mE,YAAY5/E,EAAQ2C,GACxCxH,MAAMpC,UAAUgB,KAAKiC,MAAMzC,KAAK2f,OAAOwB,SAAU6pE,GAC1ChrF,IACT,EAEA++E,EAAQv/E,UAAU6iF,YAAc,SAAS7oD,EAAS+9B,EAAU0qB,GAC1D,IAAI3gB,EAAKwX,EAUT,OATAxX,EAAMthE,KAAKyF,WACXqzE,EAAS,IAAIkJ,EAAe1gB,EAAK9nC,EAAS+9B,EAAU0qB,GACxB,IAAxB3gB,EAAIngD,SAASzf,OACf4/D,EAAIngD,SAASpR,QAAQ+oE,GACZxX,EAAIngD,SAAS,GAAGna,OAASk3E,EAASd,YAC3C9b,EAAIngD,SAAS,GAAK23D,EAElBxX,EAAIngD,SAASpR,QAAQ+oE,GAEhBxX,EAAIn8B,QAAUm8B,CACvB,EAEAyd,EAAQv/E,UAAUkoF,IAAM,SAASrG,EAAOC,GACtC,IAAWhgB,EAAK3F,EAASn6D,EAAGkB,EAAGsnF,EAAG3nF,EAAK6nF,EAAMzH,EAAM0H,EAInD,IAHA7oB,EAAMthE,KAAKyF,WACXk2D,EAAU,IAAI4mB,EAAWjhB,EAAK+f,EAAOC,GAEhC9/E,EAAIkB,EAAI,EAAGL,GADhBogF,EAAOnhB,EAAIngD,UACgBzf,OAAQgB,EAAIL,EAAKb,IAAMkB,EAEhD,GADQ+/E,EAAKjhF,GACHwF,OAASk3E,EAASjB,QAE1B,OADA3b,EAAIngD,SAAS3f,GAAKm6D,EACXA,EAIX,IAAKn6D,EAAIwoF,EAAI,EAAGE,GADhBC,EAAO7oB,EAAIngD,UACiBzf,OAAQsoF,EAAIE,EAAM1oF,IAAMwoF,EAElD,GADQG,EAAK3oF,GACHomF,OAER,OADAtmB,EAAIngD,SAAS7N,OAAO9R,EAAG,EAAGm6D,GACnBA,EAIX,OADA2F,EAAIngD,SAAS3gB,KAAKm7D,GACXA,CACT,EAEAojB,EAAQv/E,UAAUo5E,GAAK,WACrB,GAAI54E,KAAK4nF,OACP,MAAM,IAAI5/E,MAAM,kFAElB,OAAOhI,KAAK2f,MACd,EAEAo/D,EAAQv/E,UAAU2lC,KAAO,WACvB,IAAI7/B,EAEJ,IADAA,EAAOtF,KACAsF,GAAM,CACX,GAAIA,EAAK0B,OAASk3E,EAASlB,SACzB,OAAO13E,EAAKi+E,WACP,GAAIj+E,EAAKsiF,OACd,OAAOtiF,EAEPA,EAAOA,EAAKqa,MAEhB,CACF,EAEAo/D,EAAQv/E,UAAUiG,SAAW,WAC3B,IAAIH,EAEJ,IADAA,EAAOtF,KACAsF,GAAM,CACX,GAAIA,EAAK0B,OAASk3E,EAASlB,SACzB,OAAO13E,EAEPA,EAAOA,EAAKqa,MAEhB,CACF,EAEAo/D,EAAQv/E,UAAU8mB,IAAM,SAAStV,GAC/B,OAAOhR,KAAKyF,WAAW6gB,IAAItV,EAC7B,EAEA+tE,EAAQv/E,UAAU4zB,KAAO,WACvB,IAAI5xB,EAEJ,IADAA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,OACzB,EACN,MAAM,IAAIgI,MAAM,8BAAgChI,KAAKo+E,aAEvD,OAAOp+E,KAAK2f,OAAOwB,SAAS3f,EAAI,EAClC,EAEAu9E,EAAQv/E,UAAUimB,KAAO,WACvB,IAAIjkB,EAEJ,IAAW,KADXA,EAAIxB,KAAK2f,OAAOwB,SAAS9N,QAAQrT,QACjBwB,IAAMxB,KAAK2f,OAAOwB,SAASzf,OAAS,EAClD,MAAM,IAAIsG,MAAM,6BAA+BhI,KAAKo+E,aAEtD,OAAOp+E,KAAK2f,OAAOwB,SAAS3f,EAAI,EAClC,EAEAu9E,EAAQv/E,UAAU+rF,eAAiB,SAASjqB,GAC1C,IAAIkqB,EAKJ,OAJAA,EAAalqB,EAAIn8B,OAAOlmB,SACbU,OAAS3f,KACpBwrF,EAAW5D,QAAS,EACpB5nF,KAAKmhB,SAAS3gB,KAAKgrF,GACZxrF,IACT,EAEA++E,EAAQv/E,UAAU4+E,UAAY,SAASp9E,GACrC,IAAIyhF,EAAM0H,EAEV,OAAa,OADbnpF,EAAOA,GAAQhB,KAAKgB,QAC4B,OAAvByhF,EAAOziF,KAAK2f,QAAkB8iE,EAAKzhF,UAAO,GAEhD,MAARA,EACF,YAAchB,KAAK2f,OAAO3e,KAAO,KACL,OAAvBmpF,EAAOnqF,KAAK2f,QAAkBwqE,EAAKnpF,UAAO,GAG/C,UAAYA,EAAO,eAAiBhB,KAAK2f,OAAO3e,KAAO,IAFvD,UAAYA,EAAO,IAJnB,EAQX,EAEA+9E,EAAQv/E,UAAUm5E,IAAM,SAAS33E,EAAMiqC,EAAY59B,GACjD,OAAOrN,KAAKy6C,QAAQz5C,EAAMiqC,EAAY59B,EACxC,EAEA0xE,EAAQv/E,UAAU6nF,IAAM,SAASrmF,EAAMiqC,EAAY59B,GACjD,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEA0xE,EAAQv/E,UAAUk5E,IAAM,SAAStvE,GAC/B,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEA21E,EAAQv/E,UAAU8nF,IAAM,SAASl+E,GAC/B,OAAOpJ,KAAKu7D,MAAMnyD,EACpB,EAEA21E,EAAQv/E,UAAU+nF,IAAM,SAASn+E,GAC/B,OAAOpJ,KAAKy7D,QAAQryD,EACtB,EAEA21E,EAAQv/E,UAAUgoF,IAAM,SAAS/gF,EAAQ2C,GACvC,OAAOpJ,KAAKqmF,YAAY5/E,EAAQ2C,EAClC,EAEA21E,EAAQv/E,UAAU8hE,IAAM,WACtB,OAAOthE,KAAKyF,UACd,EAEAs5E,EAAQv/E,UAAUioF,IAAM,SAASjuD,EAAS+9B,EAAU0qB,GAClD,OAAOjiF,KAAKqiF,YAAY7oD,EAAS+9B,EAAU0qB,EAC7C,EAEAlD,EAAQv/E,UAAU2F,EAAI,SAASnE,EAAMiqC,EAAY59B,GAC/C,OAAOrN,KAAKy6C,QAAQz5C,EAAMiqC,EAAY59B,EACxC,EAEA0xE,EAAQv/E,UAAUu2B,EAAI,SAAS/0B,EAAMiqC,EAAY59B,GAC/C,OAAOrN,KAAKsF,KAAKtE,EAAMiqC,EAAY59B,EACrC,EAEA0xE,EAAQv/E,UAAUw+B,EAAI,SAAS50B,GAC7B,OAAOpJ,KAAKqN,KAAKjE,EACnB,EAEA21E,EAAQv/E,UAAUmjE,EAAI,SAASv5D,GAC7B,OAAOpJ,KAAKu7D,MAAMnyD,EACpB,EAEA21E,EAAQv/E,UAAUue,EAAI,SAAS3U,GAC7B,OAAOpJ,KAAKy7D,QAAQryD,EACtB,EAEA21E,EAAQv/E,UAAUg3E,EAAI,SAASptE,GAC7B,OAAOpJ,KAAK+mB,IAAI3d,EAClB,EAEA21E,EAAQv/E,UAAUgC,EAAI,SAASiF,EAAQ2C,GACrC,OAAOpJ,KAAKqmF,YAAY5/E,EAAQ2C,EAClC,EAEA21E,EAAQv/E,UAAUisF,EAAI,WACpB,OAAOzrF,KAAK44E,IACd,EAEAmG,EAAQv/E,UAAUksF,iBAAmB,SAASpqB,GAC5C,OAAOthE,KAAKurF,eAAejqB,EAC7B,EAEAyd,EAAQv/E,UAAUmsF,aAAe,SAASb,EAAUc,GAClD,MAAM,IAAI5jF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAU+iE,YAAc,SAASqpB,GACvC,MAAM,IAAI5jF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUygC,YAAc,SAAS6qD,GACvC,MAAM,IAAI9iF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUqsF,cAAgB,WAChC,OAAgC,IAAzB7rF,KAAKmhB,SAASzf,MACvB,EAEAq9E,EAAQv/E,UAAUw3C,UAAY,SAAS5kC,GACrC,MAAM,IAAIpK,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUmgE,UAAY,WAC5B,MAAM,IAAI33D,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUssF,YAAc,SAAS9L,EAASxmD,GAChD,OAAO,CACT,EAEAulD,EAAQv/E,UAAUusF,cAAgB,WAChC,OAA+B,IAAxB/rF,KAAKmmF,QAAQzkF,MACtB,EAEAq9E,EAAQv/E,UAAUwsF,wBAA0B,SAASC,GACnD,IAAIrsE,EAAKvB,EAET,OADAuB,EAAM5f,QACMisF,EACH,EACEjsF,KAAKyF,aAAewmF,EAAMxmF,YACnC4Y,EAAMmrE,EAAiBtN,aAAesN,EAAiBjN,uBACnD1oD,KAAKm0B,SAAW,GAClB3pC,GAAOmrE,EAAiBrN,UAExB99D,GAAOmrE,EAAiBpN,UAEnB/9D,GACEuB,EAAIssE,WAAWD,GACjBzC,EAAiBnN,SAAWmN,EAAiBrN,UAC3Cv8D,EAAIusE,aAAaF,GACnBzC,EAAiBnN,SAAWmN,EAAiBpN,UAC3Cx8D,EAAIwsE,YAAYH,GAClBzC,EAAiBrN,UAEjBqN,EAAiBpN,SAE5B,EAEA2C,EAAQv/E,UAAU6sF,WAAa,SAASJ,GACtC,MAAM,IAAIjkF,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAU8sF,aAAe,SAAS3N,GACxC,MAAM,IAAI32E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAU+sF,mBAAqB,SAAS5N,GAC9C,MAAM,IAAI32E,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUgtF,mBAAqB,SAAS9sF,GAC9C,MAAM,IAAIsI,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUk/E,YAAc,SAASp5E,GACvC,IAAI9D,EAAGkB,EAAG+/E,EACV,GAAIn9E,EAAKo6D,WAAa1/D,KAAK0/D,SACzB,OAAO,EAET,GAAIp6D,EAAK6b,SAASzf,SAAW1B,KAAKmhB,SAASzf,OACzC,OAAO,EAET,IAAKF,EAAIkB,EAAI,EAAG+/E,EAAOziF,KAAKmhB,SAASzf,OAAS,EAAG,GAAK+gF,EAAO//E,GAAK+/E,EAAO//E,GAAK+/E,EAAMjhF,EAAI,GAAKihF,IAAS//E,IAAMA,EAC1G,IAAK1C,KAAKmhB,SAAS3f,GAAGk9E,YAAYp5E,EAAK6b,SAAS3f,IAC9C,OAAO,EAGX,OAAO,CACT,EAEAu9E,EAAQv/E,UAAU+gF,WAAa,SAASP,EAASxmD,GAC/C,MAAM,IAAIxxB,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUitF,YAAc,SAASvjF,EAAKgB,EAAMif,GAClD,MAAM,IAAInhB,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUktF,YAAc,SAASxjF,GACvC,MAAM,IAAIlB,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAW,EAAQv/E,UAAUk6C,SAAW,SAASuyC,GACpC,QAAKA,IAGEA,IAAUjsF,MAAQA,KAAKmsF,aAAaF,GAC7C,EAEAlN,EAAQv/E,UAAU2sF,aAAe,SAAS7mF,GACxC,IAAIslB,EAA0BloB,EAAGL,EAAKogF,EAEtC,IAAK//E,EAAI,EAAGL,GADZogF,EAAOziF,KAAKmhB,UACWzf,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI4C,KADJslB,EAAQ63D,EAAK//E,IAEX,OAAO,EAGT,GADoBkoB,EAAMuhE,aAAa7mF,GAErC,OAAO,CAEX,CACA,OAAO,CACT,EAEAy5E,EAAQv/E,UAAU0sF,WAAa,SAAS5mF,GACtC,OAAOA,EAAK6mF,aAAansF,KAC3B,EAEA++E,EAAQv/E,UAAU4sF,YAAc,SAAS9mF,GACvC,IAAIqnF,EAASC,EAGb,OAFAD,EAAU3sF,KAAK6sF,aAAavnF,GAC5BsnF,EAAU5sF,KAAK6sF,aAAa7sF,OACX,IAAb2sF,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEA7N,EAAQv/E,UAAUstF,YAAc,SAASxnF,GACvC,IAAIqnF,EAASC,EAGb,OAFAD,EAAU3sF,KAAK6sF,aAAavnF,GAC5BsnF,EAAU5sF,KAAK6sF,aAAa7sF,OACX,IAAb2sF,IAA+B,IAAbC,GAGbD,EAAUC,CAErB,EAEA7N,EAAQv/E,UAAUqtF,aAAe,SAASvnF,GACxC,IAAIynF,EAAOC,EASX,OARAA,EAAM,EACND,GAAQ,EACR/sF,KAAKitF,gBAAgBjtF,KAAKyF,YAAY,SAASskF,GAE7C,GADAiD,KACKD,GAAShD,IAAczkF,EAC1B,OAAOynF,GAAQ,CAEnB,IACIA,EACKC,GAEC,CAEZ,EAEAjO,EAAQv/E,UAAUytF,gBAAkB,SAAS3nF,EAAM4nF,GACjD,IAAItiE,EAAOloB,EAAGL,EAAKogF,EAAMpkE,EAGzB,IAFA/Y,IAASA,EAAOtF,KAAKyF,YAEhB/C,EAAI,EAAGL,GADZogF,EAAOn9E,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IAAK,CAE3C,GAAI2b,EAAM6uE,EADVtiE,EAAQ63D,EAAK//E,IAEX,OAAO2b,EAGP,GADAA,EAAMre,KAAKitF,gBAAgBriE,EAAOsiE,GAEhC,OAAO7uE,CAGb,CACF,EAEO0gE,CAER,CA7uB0B,EA+uB5B,GAAE79E,KAAKlB,0BC/wBR,WAGE+C,EAAOC,QAAwB,WAC7B,SAASymF,EAAYxkD,GACnBjlC,KAAKilC,MAAQA,CACf,CAgBA,OAdA1lC,OAAOoX,eAAe8yE,EAAYjqF,UAAW,SAAU,CACrDmO,IAAK,WACH,OAAO3N,KAAKilC,MAAMvjC,QAAU,CAC9B,IAGF+nF,EAAYjqF,UAAUyf,MAAQ,WAC5B,OAAOjf,KAAKilC,MAAQ,IACtB,EAEAwkD,EAAYjqF,UAAU4N,KAAO,SAASyP,GACpC,OAAO7c,KAAKilC,MAAMpoB,IAAU,IAC9B,EAEO4sE,CAER,CArB8B,EAuBhC,GAAEvoF,KAAKlB,8BC1BR,WACE,IAAIk+E,EAAUW,EAEZ5G,EAAU,CAAC,EAAEx4E,eAEfy+E,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B97E,EAAOC,QAAqC,SAAUqiE,GAGpD,SAAS+f,EAAyBzlE,EAAQlZ,EAAQ2C,GAEhD,GADAg8E,EAAyBzK,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC5C,MAAVlZ,EACF,MAAM,IAAIuB,MAAM,+BAAiChI,KAAKo+E,aAExDp+E,KAAKgH,KAAOk3E,EAASpB,sBACrB98E,KAAKyG,OAASzG,KAAKoM,UAAUs6E,UAAUjgF,GACvCzG,KAAKgB,KAAOhB,KAAKyG,OACb2C,IACFpJ,KAAKoJ,MAAQpJ,KAAKoM,UAAUu6E,SAASv9E,GAEzC,CAoBA,OAzCS,SAASwhB,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAOwnE,EAA0B/f,GAejC+f,EAAyB5lF,UAAUyf,MAAQ,WACzC,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAolF,EAAyB5lF,UAAUgE,SAAW,SAASwN,GACrD,OAAOhR,KAAKgR,QAAQwtE,OAAOoI,sBAAsB5mF,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC3F,EAEAo0E,EAAyB5lF,UAAUk/E,YAAc,SAASp5E,GACxD,QAAK8/E,EAAyBzK,UAAU+D,YAAYj8E,MAAMzC,KAAMsC,WAAWo8E,YAAYp5E,IAGnFA,EAAKmB,SAAWzG,KAAKyG,MAI3B,EAEO2+E,CAER,CApC2C,CAoCzCvG,EAEJ,GAAE39E,KAAKlB,6BC/CR,WACE,IAAIk+E,EAAUa,EAEZ9G,EAAU,CAAC,EAAEx4E,eAEfy+E,EAAW,EAAQ,OAEnBa,EAAU,EAAQ,OAElBh8E,EAAOC,QAAmB,SAAUqiE,GAGlC,SAASggB,EAAO1lE,EAAQtS,GAEtB,GADAg4E,EAAO1K,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC5B,MAARtS,EACF,MAAM,IAAIrF,MAAM,qBAAuBhI,KAAKo+E,aAE9Cp+E,KAAKgH,KAAOk3E,EAASb,IACrBr9E,KAAKoJ,MAAQpJ,KAAKoM,UAAU2a,IAAI1Z,EAClC,CAUA,OA3BS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAOynE,EAAQhgB,GAWfggB,EAAO7lF,UAAUyf,MAAQ,WACvB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAqlF,EAAO7lF,UAAUgE,SAAW,SAASwN,GACnC,OAAOhR,KAAKgR,QAAQwtE,OAAOz3D,IAAI/mB,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GACzE,EAEOq0E,CAER,CAtByB,CAsBvBtG,EAEJ,GAAE79E,KAAKlB,8BCjCR,WACE,IAAIk+E,EAAUgH,EAA8BiI,EAE1ClV,EAAU,CAAC,EAAEx4E,eAEfy+E,EAAW,EAAQ,OAEnBiP,EAAgB,EAAQ,MAExBjI,EAAc,EAAQ,OAEtBniF,EAAOC,QAA4B,SAAUqiE,GAG3C,SAAS+nB,EAAgBxlB,EAAQ52D,GAC/BhR,KAAK4nE,OAASA,EACdwlB,EAAgBzS,UAAUjlD,YAAYx0B,KAAKlB,KAAMgR,EACnD,CAyJA,OAxKS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAUzRoe,CAAOwvE,EAAiB/nB,GAOxB+nB,EAAgB5tF,UAAU0nF,QAAU,SAAS5hF,EAAM0L,EAASo2E,GAC1D,OAAI9hF,EAAK+nF,gBAAkBr8E,EAAQ/H,QAAUi8E,EAAYjH,SAChD,GAEAmP,EAAgBzS,UAAUuM,QAAQhmF,KAAKlB,KAAMsF,EAAM0L,EAASo2E,EAEvE,EAEAgG,EAAgB5tF,UAAUiG,SAAW,SAAS67D,EAAKtwD,GACjD,IAAI4Z,EAAOppB,EAAGkB,EAAGsnF,EAAG3nF,EAAK6nF,EAAMtqE,EAAK4iE,EAAMp5C,EAE1C,IAAK5nC,EAAIkB,EAAI,EAAGL,GADhBud,EAAM0hD,EAAIngD,UACgBzf,OAAQgB,EAAIL,EAAKb,IAAMkB,GAC/CkoB,EAAQhL,EAAIpe,IACN6rF,eAAiB7rF,IAAM8/D,EAAIngD,SAASzf,OAAS,EAKrD,IAHAsP,EAAUhR,KAAKy+E,cAAcztE,GAE7Bo4B,EAAU,GACL4gD,EAAI,EAAGE,GAFZ1H,EAAOlhB,EAAIngD,UAEazf,OAAQsoF,EAAIE,EAAMF,IACxCp/D,EAAQ43D,EAAKwH,GACb5gD,EAAQ5oC,KAAKR,KAAKstF,eAAe1iE,EAAO5Z,EAAS,IAEnD,OAAOo4B,CACT,EAEAgkD,EAAgB5tF,UAAU2rC,UAAY,SAAS0tC,EAAK7nE,EAASo2E,GAC3D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUxvC,UAAUjqC,KAAKlB,KAAM64E,EAAK7nE,EAASo2E,GACxF,EAEAgG,EAAgB5tF,UAAU+7D,MAAQ,SAASj2D,EAAM0L,EAASo2E,GACxD,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUpf,MAAMr6D,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GACrF,EAEAgG,EAAgB5tF,UAAUi8D,QAAU,SAASn2D,EAAM0L,EAASo2E,GAC1D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUlf,QAAQv6D,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GACvF,EAEAgG,EAAgB5tF,UAAU6iF,YAAc,SAAS/8E,EAAM0L,EAASo2E,GAC9D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAU0H,YAAYnhF,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GAC3F,EAEAgG,EAAgB5tF,UAAUsjF,QAAU,SAASx9E,EAAM0L,EAASo2E,GAC1D,IAAIx8D,EAAOloB,EAAGL,EAAKud,EAWnB,GAVAwnE,IAAUA,EAAQ,GAClBpnF,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5B/9E,KAAK4nE,OAAOlO,MAAM15D,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,IAC7CpnF,KAAK4nE,OAAOlO,MAAM,aAAep0D,EAAK6/B,OAAOnkC,MACzCsE,EAAK+7E,OAAS/7E,EAAKg8E,MACrBthF,KAAK4nE,OAAOlO,MAAM,YAAcp0D,EAAK+7E,MAAQ,MAAQ/7E,EAAKg8E,MAAQ,KACzDh8E,EAAKg8E,OACdthF,KAAK4nE,OAAOlO,MAAM,YAAcp0D,EAAKg8E,MAAQ,KAE3Ch8E,EAAK6b,SAASzf,OAAS,EAAG,CAK5B,IAJA1B,KAAK4nE,OAAOlO,MAAM,MAClB15D,KAAK4nE,OAAOlO,MAAM15D,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,IAC9Cp2E,EAAQ/H,MAAQi8E,EAAYlH,UAEvBt7E,EAAI,EAAGL,GADZud,EAAMta,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IACrCkoB,EAAQhL,EAAIld,GACZ1C,KAAKstF,eAAe1iE,EAAO5Z,EAASo2E,EAAQ,GAE9Cp2E,EAAQ/H,MAAQi8E,EAAYjH,SAC5Bj+E,KAAK4nE,OAAOlO,MAAM,IACpB,CAKA,OAJA1oD,EAAQ/H,MAAQi8E,EAAYjH,SAC5Bj+E,KAAK4nE,OAAOlO,MAAM1oD,EAAQu8E,iBAAmB,KAC7CvtF,KAAK4nE,OAAOlO,MAAM15D,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,IAC9Cp2E,EAAQ/H,MAAQi8E,EAAYpH,KACrB99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,EACvC,EAEAgG,EAAgB5tF,UAAUi7C,QAAU,SAASn1C,EAAM0L,EAASo2E,GAC1D,IAAIvO,EAAKjuD,EAAO4iE,EAAgBC,EAAgB/qF,EAAGL,EAAKrB,EAAwB4e,EAAK4iE,EAMrF,IAAKxhF,KALLomF,IAAUA,EAAQ,GAClBpnF,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5B/9E,KAAK4nE,OAAOlO,MAAM15D,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,IAAM9hF,EAAKtE,MACjE4e,EAAMta,EAAK6gF,QAEJlO,EAAQ/2E,KAAK0e,EAAK5e,KACvB63E,EAAMj5D,EAAI5e,GACVhB,KAAKmrC,UAAU0tC,EAAK7nE,EAASo2E,IAI/B,GADAqG,EAAoC,KADpCD,EAAiBloF,EAAK6b,SAASzf,QACS,KAAO4D,EAAK6b,SAAS,GACtC,IAAnBqsE,GAAwBloF,EAAK6b,SAAShB,OAAM,SAAShb,GACvD,OAAQA,EAAE6B,OAASk3E,EAASxB,MAAQv3E,EAAE6B,OAASk3E,EAASb,MAAoB,KAAZl4E,EAAEiE,KACpE,IACM4H,EAAQ08E,YACV1tF,KAAK4nE,OAAOlO,MAAM,KAClB1oD,EAAQ/H,MAAQi8E,EAAYjH,SAC5Bj+E,KAAK4nE,OAAOlO,MAAM,KAAOp0D,EAAKtE,KAAO,OAErCgQ,EAAQ/H,MAAQi8E,EAAYjH,SAC5Bj+E,KAAK4nE,OAAOlO,MAAM1oD,EAAQu8E,iBAAmB,YAE1C,IAAIv8E,EAAQmV,QAA6B,IAAnBqnE,GAAyBC,EAAezmF,OAASk3E,EAASxB,MAAQ+Q,EAAezmF,OAASk3E,EAASb,KAAiC,MAAxBoQ,EAAerkF,MAUjJ,CAIL,IAHApJ,KAAK4nE,OAAOlO,MAAM,IAAM15D,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,IACpDp2E,EAAQ/H,MAAQi8E,EAAYlH,UAEvBt7E,EAAI,EAAGL,GADZmgF,EAAOl9E,EAAK6b,UACWzf,OAAQgB,EAAIL,EAAKK,IACtCkoB,EAAQ43D,EAAK9/E,GACb1C,KAAKstF,eAAe1iE,EAAO5Z,EAASo2E,EAAQ,GAE9Cp2E,EAAQ/H,MAAQi8E,EAAYjH,SAC5Bj+E,KAAK4nE,OAAOlO,MAAM15D,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,KAAO9hF,EAAKtE,KAAO,IAC3E,MAnBEhB,KAAK4nE,OAAOlO,MAAM,KAClB1oD,EAAQ/H,MAAQi8E,EAAYlH,UAC5BhtE,EAAQ28E,sBAER3tF,KAAKstF,eAAeG,EAAgBz8E,EAASo2E,EAAQ,GACrDp2E,EAAQ28E,sBAER38E,EAAQ/H,MAAQi8E,EAAYjH,SAC5Bj+E,KAAK4nE,OAAOlO,MAAM,KAAOp0D,EAAKtE,KAAO,KAcvC,OAFAhB,KAAK4nE,OAAOlO,MAAM15D,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,IAC9Cp2E,EAAQ/H,MAAQi8E,EAAYpH,KACrB99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,EACvC,EAEAgG,EAAgB5tF,UAAUonF,sBAAwB,SAASthF,EAAM0L,EAASo2E,GACxE,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUiM,sBAAsB1lF,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GACrG,EAEAgG,EAAgB5tF,UAAUunB,IAAM,SAASzhB,EAAM0L,EAASo2E,GACtD,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAU5zD,IAAI7lB,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GACnF,EAEAgG,EAAgB5tF,UAAU6N,KAAO,SAAS/H,EAAM0L,EAASo2E,GACvD,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUttE,KAAKnM,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GACpF,EAEAgG,EAAgB5tF,UAAUuhF,WAAa,SAASz7E,EAAM0L,EAASo2E,GAC7D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUoG,WAAW7/E,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GAC1F,EAEAgG,EAAgB5tF,UAAU0hF,WAAa,SAAS57E,EAAM0L,EAASo2E,GAC7D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUuG,WAAWhgF,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GAC1F,EAEAgG,EAAgB5tF,UAAUqiF,UAAY,SAASv8E,EAAM0L,EAASo2E,GAC5D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUkH,UAAU3gF,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GACzF,EAEAgG,EAAgB5tF,UAAUuiF,YAAc,SAASz8E,EAAM0L,EAASo2E,GAC9D,OAAOpnF,KAAK4nE,OAAOlO,MAAM0zB,EAAgBzS,UAAUoH,YAAY7gF,KAAKlB,KAAMsF,EAAM0L,EAASo2E,GAC3F,EAEOgG,CAER,CAjKkC,CAiKhCD,EAEJ,GAAEjsF,KAAKlB,8BC9KR,WACE,IAAqBmtF,EAEnBlV,EAAU,CAAC,EAAEx4E,eAEf0tF,EAAgB,EAAQ,MAExBpqF,EAAOC,QAA4B,SAAUqiE,GAG3C,SAAS6d,EAAgBlyE,GACvBkyE,EAAgBvI,UAAUjlD,YAAYx0B,KAAKlB,KAAMgR,EACnD,CAiBA,OA3BS,SAAS4Z,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAMzRoe,CAAOslE,EAAiB7d,GAMxB6d,EAAgB1jF,UAAUiG,SAAW,SAAS67D,EAAKtwD,GACjD,IAAI4Z,EAAOppB,EAAGa,EAAKm0E,EAAG52D,EAItB,IAHA5O,EAAUhR,KAAKy+E,cAAcztE,GAC7BwlE,EAAI,GAECh1E,EAAI,EAAGa,GADZud,EAAM0hD,EAAIngD,UACYzf,OAAQF,EAAIa,EAAKb,IACrCopB,EAAQhL,EAAIpe,GACZg1E,GAAKx2E,KAAKstF,eAAe1iE,EAAO5Z,EAAS,GAK3C,OAHIA,EAAQmV,QAAUqwD,EAAEr1E,OAAO6P,EAAQ48E,QAAQlsF,UAAYsP,EAAQ48E,UACjEpX,EAAIA,EAAEr1E,MAAM,GAAI6P,EAAQ48E,QAAQlsF,SAE3B80E,CACT,EAEO0M,CAER,CAxBkC,CAwBhCiK,EAEJ,GAAEjsF,KAAKlB,0BCjCR,WACE,IACEwR,EAAO,SAAS3R,EAAIg/D,GAAK,OAAO,WAAY,OAAOh/D,EAAG4C,MAAMo8D,EAAIv8D,UAAY,CAAG,EAC/E21E,EAAU,CAAC,EAAEx4E,eAEfsD,EAAOC,QAA2B,WAChC,SAASmgF,EAAenyE,GAGtB,IAAI9H,EAAK0W,EAAKxW,EAOd,IAAKF,KATLlJ,KAAK6tF,gBAAkBr8E,EAAKxR,KAAK6tF,gBAAiB7tF,MAClDA,KAAK8tF,gBAAkBt8E,EAAKxR,KAAK8tF,gBAAiB9tF,MAElDgR,IAAYA,EAAU,CAAC,GACvBhR,KAAKgR,QAAUA,EACVhR,KAAKgR,QAAQwoB,UAChBx5B,KAAKgR,QAAQwoB,QAAU,OAEzB5Z,EAAM5O,EAAQ5E,WAAa,CAAC,EAErB6rE,EAAQ/2E,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAKkJ,GAAOE,EAEhB,CAqNA,OAnNA+5E,EAAe3jF,UAAUwB,KAAO,SAASyd,GACvC,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK6tF,gBAAgB,GAAKpvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAU6N,KAAO,SAASoR,GACvC,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB9tF,KAAK+tF,WAAW,GAAKtvE,GAAO,IAC1D,EAEA0kE,EAAe3jF,UAAU+7D,MAAQ,SAAS98C,GACxC,OAAIze,KAAKgR,QAAQw1E,aACR/nE,GAGTA,GADAA,EAAM,GAAKA,GAAO,IACRxW,QAAQ,MAAO,mBAClBjI,KAAK8tF,gBAAgBrvE,GAC9B,EAEA0kE,EAAe3jF,UAAUi8D,QAAU,SAASh9C,GAC1C,GAAIze,KAAKgR,QAAQw1E,aACf,OAAO/nE,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVrF,MAAM,MACZ,MAAM,IAAIpR,MAAM,6CAA+CyW,GAEjE,OAAOze,KAAK8tF,gBAAgBrvE,EAC9B,EAEA0kE,EAAe3jF,UAAUunB,IAAM,SAAStI,GACtC,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEF,GAAKA,GAAO,EACrB,EAEA0kE,EAAe3jF,UAAU6+E,SAAW,SAAS5/D,GAC3C,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB9tF,KAAKguF,UAAUvvE,EAAM,GAAKA,GAAO,IAC/D,EAEA0kE,EAAe3jF,UAAUknF,UAAY,SAASjoE,GAC5C,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUmnF,SAAW,SAASloE,GAC3C,GAAIze,KAAKgR,QAAQw1E,aACf,OAAO/nE,EAGT,IADAA,EAAM,GAAKA,GAAO,IACVrF,MAAM,OACZ,MAAM,IAAIpR,MAAM,yCAA2CyW,GAE7D,OAAOze,KAAK8tF,gBAAgBrvE,EAC9B,EAEA0kE,EAAe3jF,UAAU0iF,WAAa,SAASzjE,GAC7C,GAAIze,KAAKgR,QAAQw1E,aACf,OAAO/nE,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTrF,MAAM,aACb,MAAM,IAAIpR,MAAM,2BAA6ByW,GAE/C,OAAOA,CACT,EAEA0kE,EAAe3jF,UAAU2iF,YAAc,SAAS1jE,GAC9C,GAAIze,KAAKgR,QAAQw1E,aACf,OAAO/nE,EAGT,KADAA,EAAM,GAAKA,GAAO,IACTrF,MAAM,iCACb,MAAM,IAAIpR,MAAM,qBAAuByW,GAEzC,OAAOze,KAAK8tF,gBAAgBrvE,EAC9B,EAEA0kE,EAAe3jF,UAAU4iF,cAAgB,SAAS3jE,GAChD,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAELA,EACK,MAEA,IAEX,EAEA0kE,EAAe3jF,UAAUgiF,SAAW,SAAS/iE,GAC3C,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUiiF,SAAW,SAAShjE,GAC3C,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUyhF,gBAAkB,SAASxiE,GAClD,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUqhF,WAAa,SAASpiE,GAC7C,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUshF,cAAgB,SAASriE,GAChD,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUoiF,eAAiB,SAASnjE,GACjD,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAUmiF,SAAW,SAASljE,GAC3C,OAAIze,KAAKgR,QAAQw1E,aACR/nE,EAEFze,KAAK8tF,gBAAgB,GAAKrvE,GAAO,GAC1C,EAEA0kE,EAAe3jF,UAAU6qF,cAAgB,IAEzClH,EAAe3jF,UAAUorF,aAAe,IAExCzH,EAAe3jF,UAAUgrF,eAAiB,QAE1CrH,EAAe3jF,UAAUirF,gBAAkB,SAE3CtH,EAAe3jF,UAAUkrF,kBAAoB,WAE7CvH,EAAe3jF,UAAUmrF,cAAgB,OAEzCxH,EAAe3jF,UAAUsuF,gBAAkB,SAAS7vE,GAClD,IAAI4N,EAAOxN,EACX,GAAIre,KAAKgR,QAAQw1E,aACf,OAAOvoE,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,EAEAklE,EAAe3jF,UAAUquF,gBAAkB,SAAS5vE,GAClD,IAAI4N,EACJ,GAAI7rB,KAAKgR,QAAQw1E,aACf,OAAOvoE,EAIT,GAFAje,KAAK8tF,gBAAgB7vE,GACrB4N,EAAQ,gXACH5N,EAAI7E,MAAMyS,GACb,MAAM,IAAI7jB,MAAM,6BAElB,OAAOiW,CACT,EAEAklE,EAAe3jF,UAAUuuF,WAAa,SAAS9vE,GAC7C,IAAIgwE,EACJ,OAAIjuF,KAAKgR,QAAQw1E,aACRvoE,GAETgwE,EAAWjuF,KAAKgR,QAAQk9E,iBAAmB,cAAgB,KACpDjwE,EAAIhW,QAAQgmF,EAAU,SAAShmF,QAAQ,KAAM,QAAQA,QAAQ,KAAM,QAAQA,QAAQ,MAAO,SACnG,EAEAk7E,EAAe3jF,UAAUwuF,UAAY,SAAS/vE,GAC5C,IAAIgwE,EACJ,OAAIjuF,KAAKgR,QAAQw1E,aACRvoE,GAETgwE,EAAWjuF,KAAKgR,QAAQk9E,iBAAmB,cAAgB,KACpDjwE,EAAIhW,QAAQgmF,EAAU,SAAShmF,QAAQ,KAAM,QAAQA,QAAQ,KAAM,UAAUA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SAASA,QAAQ,MAAO,SACrJ,EAEOk7E,CAER,CAvOiC,EAyOnC,GAAEjiF,KAAKlB,8BC9OR,WACE,IAAIk+E,EAAUW,EAEZ5G,EAAU,CAAC,EAAEx4E,eAEfy+E,EAAW,EAAQ,OAEnBW,EAAmB,EAAQ,OAE3B97E,EAAOC,QAAoB,SAAUqiE,GAGnC,SAASigB,EAAQ3lE,EAAQtS,GAEvB,GADAi4E,EAAQ3K,UAAUjlD,YAAYx0B,KAAKlB,KAAM2f,GAC7B,MAARtS,EACF,MAAM,IAAIrF,MAAM,yBAA2BhI,KAAKo+E,aAElDp+E,KAAKgB,KAAO,QACZhB,KAAKgH,KAAOk3E,EAASxB,KACrB18E,KAAKoJ,MAAQpJ,KAAKoM,UAAUiB,KAAKA,EACnC,CA2CA,OA7DS,SAASud,EAAOjL,GAAU,IAAK,IAAIzW,KAAOyW,EAAcs4D,EAAQ/2E,KAAKye,EAAQzW,KAAM0hB,EAAM1hB,GAAOyW,EAAOzW,IAAQ,SAASwxE,IAAS16E,KAAK01B,YAAc9K,CAAO,CAAE8vD,EAAKl7E,UAAYmgB,EAAOngB,UAAWorB,EAAMprB,UAAY,IAAIk7E,EAAQ9vD,EAAM+vD,UAAYh7D,EAAOngB,SAAyB,CAQzRoe,CAAO0nE,EAASjgB,GAYhB9lE,OAAOoX,eAAe2uE,EAAQ9lF,UAAW,6BAA8B,CACrEmO,IAAK,WACH,MAAM,IAAI3F,MAAM,sCAAwChI,KAAKo+E,YAC/D,IAGF7+E,OAAOoX,eAAe2uE,EAAQ9lF,UAAW,YAAa,CACpDmO,IAAK,WACH,IAAI8X,EAAM2N,EAAMnV,EAGhB,IAFAA,EAAM,GACNmV,EAAOpzB,KAAKmuF,gBACL/6D,GACLnV,EAAMmV,EAAKlpB,KAAO+T,EAClBmV,EAAOA,EAAK+6D,gBAId,IAFAlwE,GAAOje,KAAKkK,KACZub,EAAOzlB,KAAKouF,YACL3oE,GACLxH,GAAYwH,EAAKvb,KACjBub,EAAOA,EAAK2oE,YAEd,OAAOnwE,CACT,IAGFqnE,EAAQ9lF,UAAUyf,MAAQ,WACxB,OAAO1f,OAAOqB,OAAOZ,KACvB,EAEAslF,EAAQ9lF,UAAUgE,SAAW,SAASwN,GACpC,OAAOhR,KAAKgR,QAAQwtE,OAAOnxE,KAAKrN,KAAMA,KAAKgR,QAAQwtE,OAAOC,cAAcztE,GAC1E,EAEAs0E,EAAQ9lF,UAAU6uF,UAAY,SAAS7oE,GACrC,MAAM,IAAIxd,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEAkH,EAAQ9lF,UAAU8uF,iBAAmB,SAASlkB,GAC5C,MAAM,IAAIpiE,MAAM,sCAAwChI,KAAKo+E,YAC/D,EAEOkH,CAER,CAxD0B,CAwDxBzG,EAEJ,GAAE39E,KAAKlB,6BCnER,WACE,IAAIk+E,EAAUgH,EAA2Mh9E,EACvN+vE,EAAU,CAAC,EAAEx4E,eAEfyI,EAAS,gBAETg2E,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,OAEzBgH,EAAc,EAAQ,OAEtBniF,EAAOC,QAA0B,WAC/B,SAASmqF,EAAcn8E,GACrB,IAAI9H,EAAK0W,EAAKxW,EAId,IAAKF,KAHL8H,IAAYA,EAAU,CAAC,GACvBhR,KAAKgR,QAAUA,EACf4O,EAAM5O,EAAQwtE,QAAU,CAAC,EAElBvG,EAAQ/2E,KAAK0e,EAAK1W,KACvBE,EAAQwW,EAAI1W,GACZlJ,KAAK,IAAMkJ,GAAOlJ,KAAKkJ,GACvBlJ,KAAKkJ,GAAOE,EAEhB,CAsXA,OApXA+jF,EAAc3tF,UAAUi/E,cAAgB,SAASztE,GAC/C,IAAIu9E,EAAiB3uE,EAAK4iE,EAAMC,EAAM0H,EAAMqE,EAAMC,EAAMC,EAmBxD,OAlBA19E,IAAYA,EAAU,CAAC,GACvBA,EAAU9I,EAAO,CAAC,EAAGlI,KAAKgR,QAASA,IACnCu9E,EAAkB,CAChB/P,OAAQx+E,OAEMmmB,OAASnV,EAAQmV,SAAU,EAC3CooE,EAAgBb,WAAa18E,EAAQ08E,aAAc,EACnDa,EAAgBtH,OAAmC,OAAzBrnE,EAAM5O,EAAQi2E,QAAkBrnE,EAAM,KAChE2uE,EAAgBX,QAAsC,OAA3BpL,EAAOxxE,EAAQ48E,SAAmBpL,EAAO,KACpE+L,EAAgB/oE,OAAoC,OAA1Bi9D,EAAOzxE,EAAQwU,QAAkBi9D,EAAO,EAClE8L,EAAgBI,oBAAoH,OAA7FxE,EAA+C,OAAvCqE,EAAOx9E,EAAQ29E,qBAA+BH,EAAOx9E,EAAQ49E,qBAA+BzE,EAAO,EAClJoE,EAAgBhB,iBAA2G,OAAvFkB,EAA4C,OAApCC,EAAO19E,EAAQu8E,kBAA4BmB,EAAO19E,EAAQ69E,kBAA4BJ,EAAO,IAChG,IAArCF,EAAgBhB,mBAClBgB,EAAgBhB,iBAAmB,KAErCgB,EAAgBZ,oBAAsB,EACtCY,EAAgBO,KAAO,CAAC,EACxBP,EAAgBtlF,MAAQi8E,EAAYpH,KAC7ByQ,CACT,EAEApB,EAAc3tF,UAAUynF,OAAS,SAAS3hF,EAAM0L,EAASo2E,GACvD,IAAI2H,EACJ,OAAK/9E,EAAQmV,QAAUnV,EAAQ28E,oBACtB,GACE38E,EAAQmV,SACjB4oE,GAAe3H,GAAS,GAAKp2E,EAAQwU,OAAS,GAC5B,EACT,IAAI5jB,MAAMmtF,GAAaj2E,KAAK9H,EAAQi2E,QAGxC,EACT,EAEAkG,EAAc3tF,UAAU0nF,QAAU,SAAS5hF,EAAM0L,EAASo2E,GACxD,OAAKp2E,EAAQmV,QAAUnV,EAAQ28E,oBACtB,GAEA38E,EAAQ48E,OAEnB,EAEAT,EAAc3tF,UAAU2rC,UAAY,SAAS0tC,EAAK7nE,EAASo2E,GACzD,IAAI5Q,EAIJ,OAHAx2E,KAAKgvF,cAAcnW,EAAK7nE,EAASo2E,GACjC5Q,EAAI,IAAMqC,EAAI73E,KAAO,KAAO63E,EAAIzvE,MAAQ,IACxCpJ,KAAKivF,eAAepW,EAAK7nE,EAASo2E,GAC3B5Q,CACT,EAEA2W,EAAc3tF,UAAU+7D,MAAQ,SAASj2D,EAAM0L,EAASo2E,GACtD,IAAI5Q,EAUJ,OATAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,YACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAKlxE,EAAK8D,MACV4H,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAK,MAAQx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACzCp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUi8D,QAAU,SAASn2D,EAAM0L,EAASo2E,GACxD,IAAI5Q,EAUJ,OATAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,WACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAKlxE,EAAK8D,MACV4H,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAK,UAASx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GAC1Cp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAU6iF,YAAc,SAAS/8E,EAAM0L,EAASo2E,GAC5D,IAAI5Q,EAiBJ,OAhBAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,QACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAK,aAAelxE,EAAKk0B,QAAU,IACd,MAAjBl0B,EAAKiyD,WACPif,GAAK,cAAgBlxE,EAAKiyD,SAAW,KAEhB,MAAnBjyD,EAAK28E,aACPzL,GAAK,gBAAkBlxE,EAAK28E,WAAa,KAE3CjxE,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,KAChC/W,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUsjF,QAAU,SAASx9E,EAAM0L,EAASo2E,GACxD,IAAIx8D,EAAOppB,EAAGa,EAAKm0E,EAAG52D,EAWtB,GAVAwnE,IAAUA,EAAQ,GAClBpnF,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAC/B5Q,GAAK,aAAelxE,EAAK6/B,OAAOnkC,KAC5BsE,EAAK+7E,OAAS/7E,EAAKg8E,MACrB9K,GAAK,YAAclxE,EAAK+7E,MAAQ,MAAQ/7E,EAAKg8E,MAAQ,IAC5Ch8E,EAAKg8E,QACd9K,GAAK,YAAclxE,EAAKg8E,MAAQ,KAE9Bh8E,EAAK6b,SAASzf,OAAS,EAAG,CAK5B,IAJA80E,GAAK,KACLA,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAEvBx8E,EAAI,EAAGa,GADZud,EAAMta,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IACrCopB,EAAQhL,EAAIpe,GACZg1E,GAAKx2E,KAAKstF,eAAe1iE,EAAO5Z,EAASo2E,EAAQ,GAEnDp2E,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAK,GACP,CAMA,OALAxlE,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,IAChC/W,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUi7C,QAAU,SAASn1C,EAAM0L,EAASo2E,GACxD,IAAIvO,EAAKjuD,EAAO4iE,EAAgBC,EAAgBjsF,EAAGkB,EAAGL,EAAK6nF,EAAMlpF,EAAMkuF,EAAkB1Y,EAAG52D,EAAK4iE,EAAMC,EAQvG,IAAKzhF,KAPLomF,IAAUA,EAAQ,GAClB8H,GAAmB,EACnB1Y,EAAI,GACJx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,GAAKx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,IAAM9hF,EAAKtE,KACpD4e,EAAMta,EAAK6gF,QAEJlO,EAAQ/2E,KAAK0e,EAAK5e,KACvB63E,EAAMj5D,EAAI5e,GACVw1E,GAAKx2E,KAAKmrC,UAAU0tC,EAAK7nE,EAASo2E,IAIpC,GADAqG,EAAoC,KADpCD,EAAiBloF,EAAK6b,SAASzf,QACS,KAAO4D,EAAK6b,SAAS,GACtC,IAAnBqsE,GAAwBloF,EAAK6b,SAAShB,OAAM,SAAShb,GACvD,OAAQA,EAAE6B,OAASk3E,EAASxB,MAAQv3E,EAAE6B,OAASk3E,EAASb,MAAoB,KAAZl4E,EAAEiE,KACpE,IACM4H,EAAQ08E,YACVlX,GAAK,IACLxlE,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAK,KAAOlxE,EAAKtE,KAAO,IAAMhB,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,KAE1Dp2E,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,KAAOvtF,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,SAEhE,IAAIp2E,EAAQmV,QAA6B,IAAnBqnE,GAAyBC,EAAezmF,OAASk3E,EAASxB,MAAQ+Q,EAAezmF,OAASk3E,EAASb,KAAiC,MAAxBoQ,EAAerkF,MAUjJ,CACL,GAAI4H,EAAQ29E,oBAEV,IAAKntF,EAAI,EAAGa,GADZmgF,EAAOl9E,EAAK6b,UACWzf,OAAQF,EAAIa,EAAKb,IAEtC,KADAopB,EAAQ43D,EAAKhhF,IACFwF,OAASk3E,EAASxB,MAAQ9xD,EAAM5jB,OAASk3E,EAASb,MAAwB,MAAfzyD,EAAMxhB,MAAgB,CAC1F4H,EAAQ28E,sBACRuB,GAAmB,EACnB,KACF,CAMJ,IAHA1Y,GAAK,IAAMx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACvCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAEvBt7E,EAAI,EAAGwnF,GADZzH,EAAOn9E,EAAK6b,UACYzf,OAAQgB,EAAIwnF,EAAMxnF,IACxCkoB,EAAQ63D,EAAK//E,GACb8zE,GAAKx2E,KAAKstF,eAAe1iE,EAAO5Z,EAASo2E,EAAQ,GAEnDp2E,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,KAAO9hF,EAAKtE,KAAO,IACxDkuF,GACFl+E,EAAQ28E,sBAEVnX,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYpH,IAC9B,MAnCEtH,GAAK,IACLxlE,EAAQ/H,MAAQi8E,EAAYlH,UAC5BhtE,EAAQ28E,sBACRuB,GAAmB,EACnB1Y,GAAKx2E,KAAKstF,eAAeG,EAAgBz8E,EAASo2E,EAAQ,GAC1Dp2E,EAAQ28E,sBACRuB,GAAmB,EACnBl+E,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAK,KAAOlxE,EAAKtE,KAAO,IAAMhB,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GA6B5D,OADApnF,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAU8tF,eAAiB,SAAShoF,EAAM0L,EAASo2E,GAC/D,OAAQ9hF,EAAK0B,MACX,KAAKk3E,EAASvB,MACZ,OAAO38E,KAAKu7D,MAAMj2D,EAAM0L,EAASo2E,GACnC,KAAKlJ,EAASnB,QACZ,OAAO/8E,KAAKy7D,QAAQn2D,EAAM0L,EAASo2E,GACrC,KAAKlJ,EAAS1B,QACZ,OAAOx8E,KAAKy6C,QAAQn1C,EAAM0L,EAASo2E,GACrC,KAAKlJ,EAASb,IACZ,OAAOr9E,KAAK+mB,IAAIzhB,EAAM0L,EAASo2E,GACjC,KAAKlJ,EAASxB,KACZ,OAAO18E,KAAKqN,KAAK/H,EAAM0L,EAASo2E,GAClC,KAAKlJ,EAASpB,sBACZ,OAAO98E,KAAK4mF,sBAAsBthF,EAAM0L,EAASo2E,GACnD,KAAKlJ,EAASV,MACZ,MAAO,GACT,KAAKU,EAASd,YACZ,OAAOp9E,KAAKqiF,YAAY/8E,EAAM0L,EAASo2E,GACzC,KAAKlJ,EAASjB,QACZ,OAAOj9E,KAAK8iF,QAAQx9E,EAAM0L,EAASo2E,GACrC,KAAKlJ,EAASZ,qBACZ,OAAOt9E,KAAK+gF,WAAWz7E,EAAM0L,EAASo2E,GACxC,KAAKlJ,EAASX,mBACZ,OAAOv9E,KAAKkhF,WAAW57E,EAAM0L,EAASo2E,GACxC,KAAKlJ,EAASrB,kBACZ,OAAO78E,KAAK6hF,UAAUv8E,EAAM0L,EAASo2E,GACvC,KAAKlJ,EAASf,oBACZ,OAAOn9E,KAAK+hF,YAAYz8E,EAAM0L,EAASo2E,GACzC,QACE,MAAM,IAAIp/E,MAAM,0BAA4B1C,EAAKowB,YAAY10B,MAEnE,EAEAmsF,EAAc3tF,UAAUonF,sBAAwB,SAASthF,EAAM0L,EAASo2E,GACtE,IAAI5Q,EAcJ,OAbAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,KACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAKlxE,EAAKmB,OACNnB,EAAK8D,QACPotE,GAAK,IAAMlxE,EAAK8D,OAElB4H,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,KAChC/W,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUunB,IAAM,SAASzhB,EAAM0L,EAASo2E,GACpD,IAAI5Q,EAUJ,OATAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAC/Bp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAKlxE,EAAK8D,MACV4H,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAU6N,KAAO,SAAS/H,EAAM0L,EAASo2E,GACrD,IAAI5Q,EAUJ,OATAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAC/Bp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAKlxE,EAAK8D,MACV4H,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKx2E,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GACjCp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUuhF,WAAa,SAASz7E,EAAM0L,EAASo2E,GAC3D,IAAI5Q,EAgBJ,OAfAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,YACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAK,IAAMlxE,EAAKm7E,YAAc,IAAMn7E,EAAKo7E,cAAgB,IAAMp7E,EAAKq7E,cACtC,aAA1Br7E,EAAKs7E,mBACPpK,GAAK,IAAMlxE,EAAKs7E,kBAEdt7E,EAAKiM,eACPilE,GAAK,KAAOlxE,EAAKiM,aAAe,KAElCP,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,IAAMvtF,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GAClEp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAU0hF,WAAa,SAAS57E,EAAM0L,EAASo2E,GAC3D,IAAI5Q,EAUJ,OATAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,YACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAK,IAAMlxE,EAAKtE,KAAO,IAAMsE,EAAK8D,MAClC4H,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,IAAMvtF,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GAClEp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUqiF,UAAY,SAASv8E,EAAM0L,EAASo2E,GAC1D,IAAI5Q,EAyBJ,OAxBAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,WACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UACxB14E,EAAK87E,KACP5K,GAAK,MAEPA,GAAK,IAAMlxE,EAAKtE,KACZsE,EAAK8D,MACPotE,GAAK,KAAOlxE,EAAK8D,MAAQ,KAErB9D,EAAK+7E,OAAS/7E,EAAKg8E,MACrB9K,GAAK,YAAclxE,EAAK+7E,MAAQ,MAAQ/7E,EAAKg8E,MAAQ,IAC5Ch8E,EAAKg8E,QACd9K,GAAK,YAAclxE,EAAKg8E,MAAQ,KAE9Bh8E,EAAKo8E,QACPlL,GAAK,UAAYlxE,EAAKo8E,QAG1B1wE,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,IAAMvtF,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GAClEp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUuiF,YAAc,SAASz8E,EAAM0L,EAASo2E,GAC5D,IAAI5Q,EAiBJ,OAhBAx2E,KAAK+mF,SAASzhF,EAAM0L,EAASo2E,GAC7Bp2E,EAAQ/H,MAAQi8E,EAAYnH,QAC5BvH,EAAIx2E,KAAKinF,OAAO3hF,EAAM0L,EAASo2E,GAAS,aACxCp2E,EAAQ/H,MAAQi8E,EAAYlH,UAC5BxH,GAAK,IAAMlxE,EAAKtE,KACZsE,EAAK+7E,OAAS/7E,EAAKg8E,MACrB9K,GAAK,YAAclxE,EAAK+7E,MAAQ,MAAQ/7E,EAAKg8E,MAAQ,IAC5Ch8E,EAAK+7E,MACd7K,GAAK,YAAclxE,EAAK+7E,MAAQ,IACvB/7E,EAAKg8E,QACd9K,GAAK,YAAclxE,EAAKg8E,MAAQ,KAElCtwE,EAAQ/H,MAAQi8E,EAAYjH,SAC5BzH,GAAKxlE,EAAQu8E,iBAAmB,IAAMvtF,KAAKknF,QAAQ5hF,EAAM0L,EAASo2E,GAClEp2E,EAAQ/H,MAAQi8E,EAAYpH,KAC5B99E,KAAK8mF,UAAUxhF,EAAM0L,EAASo2E,GACvB5Q,CACT,EAEA2W,EAAc3tF,UAAUunF,SAAW,SAASzhF,EAAM0L,EAASo2E,GAAQ,EAEnE+F,EAAc3tF,UAAUsnF,UAAY,SAASxhF,EAAM0L,EAASo2E,GAAQ,EAEpE+F,EAAc3tF,UAAUwvF,cAAgB,SAASnW,EAAK7nE,EAASo2E,GAAQ,EAEvE+F,EAAc3tF,UAAUyvF,eAAiB,SAASpW,EAAK7nE,EAASo2E,GAAQ,EAEjE+F,CAER,CApYgC,EAsYlC,GAAEjsF,KAAKlB,8BC1aR,WACE,IAAIk+E,EAAUgH,EAAapF,EAAsBsD,EAAamC,EAAe6H,EAAiBlK,EAAiBh7E,EAAQw1E,EAAY99D,EAEnIA,EAAM,EAAQ,OAAc1X,EAAS0X,EAAI1X,OAAQw1E,EAAa99D,EAAI89D,WAElEoC,EAAuB,EAAQ,OAE/BsD,EAAc,EAAQ,OAEtBmC,EAAgB,EAAQ,OAExBrC,EAAkB,EAAQ,OAE1BkK,EAAkB,EAAQ,OAE1BlP,EAAW,EAAQ,OAEnBgH,EAAc,EAAQ,OAEtBniF,EAAOC,QAAQpC,OAAS,SAASI,EAAM83E,EAAQnd,EAAS3qD,GACtD,IAAIswD,EAAKn8B,EACT,GAAY,MAARnkC,EACF,MAAM,IAAIgH,MAAM,8BAWlB,OATAgJ,EAAU9I,EAAO,CAAC,EAAG4wE,EAAQnd,EAAS3qD,GAEtCm0B,GADAm8B,EAAM,IAAI8hB,EAAYpyE,IACXypC,QAAQz5C,GACdgQ,EAAQ+nE,WACXzX,EAAI+gB,YAAYrxE,GACM,MAAjBA,EAAQqwE,OAAoC,MAAjBrwE,EAAQswE,OACtChgB,EAAIomB,IAAI12E,IAGLm0B,CACT,EAEApiC,EAAOC,QAAQmsF,MAAQ,SAASn+E,EAASw0E,EAAQC,GAC/C,IAAIjD,EAKJ,OAJI9E,EAAW1sE,KACaw0E,GAA1BhD,EAAO,CAACxxE,EAASw0E,IAAuB,GAAIC,EAAQjD,EAAK,GACzDxxE,EAAU,CAAC,GAETw0E,EACK,IAAID,EAAcv0E,EAASw0E,EAAQC,GAEnC,IAAIrC,EAAYpyE,EAE3B,EAEAjO,EAAOC,QAAQosF,aAAe,SAASp+E,GACrC,OAAO,IAAIkyE,EAAgBlyE,EAC7B,EAEAjO,EAAOC,QAAQqsF,aAAe,SAASznB,EAAQ52D,GAC7C,OAAO,IAAIo8E,EAAgBxlB,EAAQ52D,EACrC,EAEAjO,EAAOC,QAAQssF,eAAiB,IAAIxP,EAEpC/8E,EAAOC,QAAQ08D,SAAWwe,EAE1Bn7E,EAAOC,QAAQusF,YAAcrK,CAE9B,GAAEhkF,KAAKlB,0+BCnCR,MAMMm/B,EALS,QADI2vD,GAMM,YAJd,UAAmBpzD,OAAO,SAASE,SAErC,UAAmBF,OAAO,SAAS8zD,OAAOV,EAAKrtD,KAAK7F,QAJ3C,IAACkzD,EAkCnB,MAAMW,EACJC,SAAW,GACX,aAAAC,CAAchnD,GACZ3oC,KAAK4vF,cAAcjnD,GACnBA,EAAMknD,SAAWlnD,EAAMknD,UAAY,EACnC7vF,KAAK0vF,SAASlvF,KAAKmoC,EACrB,CACA,eAAAmnD,CAAgBnnD,GACd,MAAMonD,EAA8B,iBAAVpnD,EAAqB3oC,KAAKgwF,cAAcrnD,GAAS3oC,KAAKgwF,cAAcrnD,EAAM/+B,KAChF,IAAhBmmF,EAIJ/vF,KAAK0vF,SAASp8E,OAAOy8E,EAAY,GAH/B5wD,EAAO32B,KAAK,mCAAoC,CAAEmgC,QAAO/tB,QAAS5a,KAAKkpC,cAI3E,CAMA,UAAAA,CAAWppC,GACT,OAAIA,EACKE,KAAK0vF,SAASzgF,QAAQ05B,GAAmC,mBAAlBA,EAAM3D,SAAyB2D,EAAM3D,QAAQllC,KAEtFE,KAAK0vF,QACd,CACA,aAAAM,CAAcpmF,GACZ,OAAO5J,KAAK0vF,SAAS9zC,WAAWjT,GAAUA,EAAM/+B,KAAOA,GACzD,CACA,aAAAgmF,CAAcjnD,GACZ,IAAKA,EAAM/+B,KAAO++B,EAAM9D,cAAiB8D,EAAM7D,gBAAiB6D,EAAMjE,YAAeiE,EAAMxf,QACzF,MAAM,IAAInhB,MAAM,iBAElB,GAAwB,iBAAb2gC,EAAM/+B,IAAgD,iBAAtB++B,EAAM9D,YAC/C,MAAM,IAAI78B,MAAM,sCAElB,GAAI2gC,EAAMjE,WAAwC,iBAApBiE,EAAMjE,WAA0BiE,EAAM7D,eAAgD,iBAAxB6D,EAAM7D,cAChG,MAAM,IAAI98B,MAAM,yBAElB,QAAsB,IAAlB2gC,EAAM3D,SAA+C,mBAAlB2D,EAAM3D,QAC3C,MAAM,IAAIh9B,MAAM,4BAElB,GAA6B,mBAAlB2gC,EAAMxf,QACf,MAAM,IAAInhB,MAAM,4BAElB,GAAI,UAAW2gC,GAAgC,iBAAhBA,EAAMrF,MACnC,MAAM,IAAIt7B,MAAM,0BAElB,IAAsC,IAAlChI,KAAKgwF,cAAcrnD,EAAM/+B,IAC3B,MAAM,IAAI5B,MAAM,kBAEpB,EA8BF,IAAI0zC,EAA8B,CAAEu0C,IAClCA,EAAsB,QAAI,UAC1BA,EAAqB,OAAI,SAClBA,GAHyB,CAI/Bv0C,GAAe,CAAC,GACnB,MAAM9W,EACJsrD,QACA,WAAAx6D,CAAY3pB,GACV/L,KAAKmwF,eAAepkF,GACpB/L,KAAKkwF,QAAUnkF,CACjB,CACA,MAAInC,GACF,OAAO5J,KAAKkwF,QAAQtmF,EACtB,CACA,eAAIi7B,GACF,OAAO7kC,KAAKkwF,QAAQrrD,WACtB,CACA,SAAIv9B,GACF,OAAOtH,KAAKkwF,QAAQ5oF,KACtB,CACA,iBAAIw9B,GACF,OAAO9kC,KAAKkwF,QAAQprD,aACtB,CACA,WAAIE,GACF,OAAOhlC,KAAKkwF,QAAQlrD,OACtB,CACA,QAAIrqB,GACF,OAAO3a,KAAKkwF,QAAQv1E,IACtB,CACA,aAAIm2B,GACF,OAAO9wC,KAAKkwF,QAAQp/C,SACtB,CACA,SAAIxN,GACF,OAAOtjC,KAAKkwF,QAAQ5sD,KACtB,CACA,UAAI3jB,GACF,OAAO3f,KAAKkwF,QAAQvwE,MACtB,CACA,WAAI,GACF,OAAO3f,KAAKkwF,QAAQlvE,OACtB,CACA,UAAIq6B,GACF,OAAOr7C,KAAKkwF,QAAQ70C,MACtB,CACA,gBAAIE,GACF,OAAOv7C,KAAKkwF,QAAQ30C,YACtB,CACA,cAAA40C,CAAepkF,GACb,IAAKA,EAAOnC,IAA2B,iBAAdmC,EAAOnC,GAC9B,MAAM,IAAI5B,MAAM,cAElB,IAAK+D,EAAO84B,aAA6C,mBAAvB94B,EAAO84B,YACvC,MAAM,IAAI78B,MAAM,gCAElB,GAAI,UAAW+D,GAAkC,mBAAjBA,EAAOzE,MACrC,MAAM,IAAIU,MAAM,0BAElB,IAAK+D,EAAO+4B,eAAiD,mBAAzB/4B,EAAO+4B,cACzC,MAAM,IAAI98B,MAAM,kCAElB,IAAK+D,EAAO4O,MAA+B,mBAAhB5O,EAAO4O,KAChC,MAAM,IAAI3S,MAAM,yBAElB,GAAI,YAAa+D,GAAoC,mBAAnBA,EAAOi5B,QACvC,MAAM,IAAIh9B,MAAM,4BAElB,GAAI,cAAe+D,GAAsC,mBAArBA,EAAO+kC,UACzC,MAAM,IAAI9oC,MAAM,8BAElB,GAAI,UAAW+D,GAAkC,iBAAjBA,EAAOu3B,MACrC,MAAM,IAAIt7B,MAAM,iBAElB,GAAI,WAAY+D,GAAmC,iBAAlBA,EAAO4T,OACtC,MAAM,IAAI3X,MAAM,kBAElB,GAAI+D,EAAOiV,UAAYzhB,OAAO6O,OAAOstC,GAAa5yC,SAASiD,EAAOiV,SAChE,MAAM,IAAIhZ,MAAM,mBAElB,GAAI,WAAY+D,GAAmC,mBAAlBA,EAAOsvC,OACtC,MAAM,IAAIrzC,MAAM,2BAElB,GAAI,iBAAkB+D,GAAyC,mBAAxBA,EAAOwvC,aAC5C,MAAM,IAAIvzC,MAAM,gCAEpB,EAEF,MAWM0yC,EAAiB,WAKrB,YAJsC,IAA3B92C,OAAOwsF,kBAChBxsF,OAAOwsF,gBAAkB,GACzBjxD,EAAOwE,MAAM,4BAER//B,OAAOwsF,eAChB,EAwEM/lC,EAAqB,WAKzB,YAJyC,IAA9BzmD,OAAOysF,qBAChBzsF,OAAOysF,mBAAqB,GAC5BlxD,EAAOwE,MAAM,gCAER//B,OAAOysF,kBAChB,EAsBA,IAAIhrD,EAA6B,CAAEirD,IACjCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAkB,KAAI,GAAK,OACvCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAoB,OAAI,GAAK,SACzCA,EAAYA,EAAmB,MAAI,IAAM,QACzCA,EAAYA,EAAiB,IAAI,IAAM,MAChCA,GARwB,CAS9BjrD,GAAc,CAAC,GAuBlB,MAAMkrD,EAAuB,CAC3B,qBACA,mBACA,YACA,oBACA,0BACA,iBACA,iBACA,kBACA,gBACA,qBACA,cACA,YACA,wBACA,cACA,iBACA,WAEIC,EAAuB,CAC3B7tB,EAAG,OACH8tB,GAAI,0BACJC,GAAI,yBACJC,IAAK,6CAyBDC,EAAmB,WAIvB,YAHyC,IAA9BhtF,OAAOitF,qBAChBjtF,OAAOitF,mBAAqB,IAAIN,IAE3B3sF,OAAOitF,mBAAmB3hF,KAAKqH,GAAS,IAAIA,SAAWuC,KAAK,IACrE,EACMg4E,EAAmB,WAIvB,YAHyC,IAA9BltF,OAAOmtF,qBAChBntF,OAAOmtF,mBAAqB,IAAKP,IAE5BjxF,OAAO4K,KAAKvG,OAAOmtF,oBAAoB7hF,KAAKkqD,GAAO,SAASA,MAAOx1D,OAAOmtF,qBAAqB33B,QAAQtgD,KAAK,IACrH,EACM+wB,EAAwB,WAC5B,MAAO,0CACOinD,iCAEVF,yCAGN,EAYMI,EAAqB,SAASxoD,GAClC,MAAO,4DACUsoD,8HAKbF,iGAKe,WAAkBnvD,0nBA0BrB+G,yXAkBlB,EAuBM+D,EAAsB,SAAS0kD,EAAa,IAChD,IAAI7rD,EAAcC,EAAWC,KAC7B,OAAK2rD,IAGDA,EAAWnoF,SAAS,MAAQmoF,EAAWnoF,SAAS,QAClDs8B,GAAeC,EAAW2K,QAExBihD,EAAWnoF,SAAS,OACtBs8B,GAAeC,EAAW+Y,OAExB6yC,EAAWnoF,SAAS,MAAQmoF,EAAWnoF,SAAS,MAAQmoF,EAAWnoF,SAAS,QAC9Es8B,GAAeC,EAAWwF,QAExBomD,EAAWnoF,SAAS,OACtBs8B,GAAeC,EAAW6rD,QAExBD,EAAWnoF,SAAS,OACtBs8B,GAAeC,EAAWkrB,OAErBnrB,GAjBEA,CAkBX,EAsBA,IAAI6B,EAA2B,CAAEkqD,IAC/BA,EAAkB,OAAI,SACtBA,EAAgB,KAAI,OACbA,GAHsB,CAI5BlqD,GAAY,CAAC,GAsBhB,MAAMmqD,EAAiB,SAASjtE,EAAQktE,GACtC,OAAoC,OAA7BltE,EAAO/K,MAAMi4E,EACtB,EACMC,EAAe,CAACpnF,EAAMmnF,KAC1B,GAAInnF,EAAKN,IAAyB,iBAAZM,EAAKN,GACzB,MAAM,IAAI5B,MAAM,4BAElB,IAAKkC,EAAKia,OACR,MAAM,IAAInc,MAAM,4BAElB,IACE,IAAItB,IAAIwD,EAAKia,OACf,CAAE,MAAOhf,GACP,MAAM,IAAI6C,MAAM,oDAClB,CACA,IAAKkC,EAAKia,OAAOjU,WAAW,QAC1B,MAAM,IAAIlI,MAAM,oDAElB,GAAIkC,EAAKyiC,SAAWziC,EAAKyiC,iBAAiBl7B,MACxC,MAAM,IAAIzJ,MAAM,sBAElB,GAAIkC,EAAKqnF,UAAYrnF,EAAKqnF,kBAAkB9/E,MAC1C,MAAM,IAAIzJ,MAAM,uBAElB,IAAKkC,EAAK2iC,MAA6B,iBAAd3iC,EAAK2iC,OAAsB3iC,EAAK2iC,KAAKzzB,MAAM,yBAClE,MAAM,IAAIpR,MAAM,qCAElB,GAAI,SAAUkC,GAA6B,iBAAdA,EAAKwF,WAAmC,IAAdxF,EAAKwF,KAC1D,MAAM,IAAI1H,MAAM,qBAElB,GAAI,gBAAiBkC,QAA6B,IAArBA,EAAKk7B,eAAwD,iBAArBl7B,EAAKk7B,aAA4Bl7B,EAAKk7B,aAAeC,EAAWC,MAAQp7B,EAAKk7B,aAAeC,EAAWuF,KAC1K,MAAM,IAAI5iC,MAAM,uBAElB,GAAIkC,EAAKsiC,OAAwB,OAAftiC,EAAKsiC,OAAwC,iBAAftiC,EAAKsiC,MACnD,MAAM,IAAIxkC,MAAM,sBAElB,GAAIkC,EAAK+gC,YAAyC,iBAApB/gC,EAAK+gC,WACjC,MAAM,IAAIjjC,MAAM,2BAElB,GAAIkC,EAAKi7B,MAA6B,iBAAdj7B,EAAKi7B,KAC3B,MAAM,IAAIn9B,MAAM,qBAElB,GAAIkC,EAAKi7B,OAASj7B,EAAKi7B,KAAKj1B,WAAW,KACrC,MAAM,IAAIlI,MAAM,wCAElB,GAAIkC,EAAKi7B,OAASj7B,EAAKia,OAAOrb,SAASoB,EAAKi7B,MAC1C,MAAM,IAAIn9B,MAAM,mCAElB,GAAIkC,EAAKi7B,MAAQisD,EAAelnF,EAAKia,OAAQktE,GAAa,CACxD,MAAMprD,EAAU/7B,EAAKia,OAAO/K,MAAMi4E,GAAY,GAC9C,IAAKnnF,EAAKia,OAAOrb,UAAS,IAAAgQ,MAAKmtB,EAAS/7B,EAAKi7B,OAC3C,MAAM,IAAIn9B,MAAM,4DAEpB,CACA,GAAIkC,EAAK9E,SAAW7F,OAAO6O,OAAOggC,GAAYtlC,SAASoB,EAAK9E,QAC1D,MAAM,IAAI4C,MAAM,oCAClB,EAuBF,IAAIomC,EAA6B,CAAEojD,IACjCA,EAAiB,IAAI,MACrBA,EAAoB,OAAI,SACxBA,EAAqB,QAAI,UACzBA,EAAoB,OAAI,SACjBA,GALwB,CAM9BpjD,GAAc,CAAC,GAClB,MAAMkJ,EACJm6C,MACAC,YACAC,iBAAmB,mCACnBC,mBAAqBryF,OAAOqb,QAAQrb,OAAO4zE,0BAA0B77B,EAAK93C,YAAYyP,QAAQ9J,GAA0B,mBAAbA,EAAE,GAAGwI,KAA+B,cAATxI,EAAE,KAAoB+J,KAAK/J,GAAMA,EAAE,KACzKgkB,QAAU,CACRnZ,IAAK,CAACvJ,EAAQ8P,EAAMnN,KACdpJ,KAAK4xF,mBAAmB9oF,SAASyN,KAGrCvW,KAAK6xF,cACEhhF,QAAQb,IAAIvJ,EAAQ8P,EAAMnN,IAEnC0oF,eAAgB,CAACrrF,EAAQ8P,KACnBvW,KAAK4xF,mBAAmB9oF,SAASyN,KAGrCvW,KAAK6xF,cACEhhF,QAAQihF,eAAerrF,EAAQ8P,IAGxC5I,IAAK,CAAClH,EAAQ8P,EAAM49C,IACdn0D,KAAK4xF,mBAAmB9oF,SAASyN,IACnC4oB,EAAO32B,KAAK,8BAA8B+N,8DACnC1F,QAAQlD,IAAI3N,KAAMuW,IAEpB1F,QAAQlD,IAAIlH,EAAQ8P,EAAM49C,IAGrC,WAAAz+B,CAAYxrB,EAAMmnF,GAChBC,EAAapnF,EAAMmnF,GAAcrxF,KAAK2xF,kBACtC3xF,KAAKyxF,MAAQ,IAAKvnF,EAAM+gC,WAAY,CAAC,GACrCjrC,KAAK0xF,YAAc,IAAI9gF,MAAM5Q,KAAKyxF,MAAMxmD,WAAYjrC,KAAKmpB,SACzDnpB,KAAK86B,OAAO5wB,EAAK+gC,YAAc,CAAC,GAChCjrC,KAAKyxF,MAAM9kD,MAAQziC,EAAKyiC,MACpB0kD,IACFrxF,KAAK2xF,iBAAmBN,EAE5B,CAMA,UAAIltE,GACF,OAAOnkB,KAAKyxF,MAAMttE,OAAOlc,QAAQ,OAAQ,GAC3C,CAIA,iBAAI83C,GACF,MAAM,OAAEx5C,GAAW,IAAIG,IAAI1G,KAAKmkB,QAChC,OAAO5d,GAAS,QAAWvG,KAAKmkB,OAAOhjB,MAAMoF,EAAO7E,QACtD,CAMA,YAAIwoC,GACF,OAAO,IAAAA,UAASlqC,KAAKmkB,OACvB,CAMA,aAAI8zB,GACF,OAAO,IAAAjJ,SAAQhvC,KAAKmkB,OACtB,CAQA,WAAIgjB,GACF,GAAInnC,KAAKmlC,KAAM,CACb,IAAIhhB,EAASnkB,KAAKmkB,OACdnkB,KAAKoxF,iBACPjtE,EAASA,EAAOvL,MAAM5Y,KAAK2xF,kBAAkBjuE,OAE/C,MAAMquE,EAAa5tE,EAAO9Q,QAAQrT,KAAKmlC,MACjCA,EAAOnlC,KAAKmlC,KAAKl9B,QAAQ,MAAO,IACtC,OAAO,IAAAk/B,SAAQhjB,EAAOhjB,MAAM4wF,EAAa5sD,EAAKzjC,SAAW,IAC3D,CACA,MAAM2C,EAAM,IAAIqC,IAAI1G,KAAKmkB,QACzB,OAAO,IAAAgjB,SAAQ9iC,EAAI6xB,SACrB,CAKA,QAAI2W,GACF,OAAO7sC,KAAKyxF,MAAM5kD,IACpB,CAMA,SAAIF,GACF,OAAO3sC,KAAKyxF,MAAM9kD,KACpB,CAKA,UAAI4kD,GACF,OAAOvxF,KAAKyxF,MAAMF,MACpB,CAIA,QAAI7hF,GACF,OAAO1P,KAAKyxF,MAAM/hF,IACpB,CAIA,QAAIA,CAAKA,GACP1P,KAAK6xF,cACL7xF,KAAKyxF,MAAM/hF,KAAOA,CACpB,CAKA,cAAIu7B,GACF,OAAOjrC,KAAK0xF,WACd,CAIA,eAAItsD,GACF,OAAmB,OAAfplC,KAAKwsC,OAAmBxsC,KAAKoxF,oBAGC,IAA3BpxF,KAAKyxF,MAAMrsD,YAAyBplC,KAAKyxF,MAAMrsD,YAAcC,EAAWC,KAFtED,EAAW+Y,IAGtB,CAIA,eAAIhZ,CAAYA,GACdplC,KAAK6xF,cACL7xF,KAAKyxF,MAAMrsD,YAAcA,CAC3B,CAKA,SAAIoH,GACF,OAAKxsC,KAAKoxF,eAGHpxF,KAAKyxF,MAAMjlD,MAFT,IAGX,CAIA,kBAAI4kD,GACF,OAAOA,EAAepxF,KAAKmkB,OAAQnkB,KAAK2xF,iBAC1C,CAKA,QAAIxsD,GACF,OAAInlC,KAAKyxF,MAAMtsD,KACNnlC,KAAKyxF,MAAMtsD,KAAKl9B,QAAQ,WAAY,MAEzCjI,KAAKoxF,iBACM,IAAAjqD,SAAQnnC,KAAKmkB,QACdvL,MAAM5Y,KAAK2xF,kBAAkBjuE,OAEpC,IACT,CAIA,QAAI5T,GACF,GAAI9P,KAAKmlC,KAAM,CACb,IAAIhhB,EAASnkB,KAAKmkB,OACdnkB,KAAKoxF,iBACPjtE,EAASA,EAAOvL,MAAM5Y,KAAK2xF,kBAAkBjuE,OAE/C,MAAMquE,EAAa5tE,EAAO9Q,QAAQrT,KAAKmlC,MACjCA,EAAOnlC,KAAKmlC,KAAKl9B,QAAQ,MAAO,IACtC,OAAOkc,EAAOhjB,MAAM4wF,EAAa5sD,EAAKzjC,SAAW,GACnD,CACA,OAAQ1B,KAAKmnC,QAAU,IAAMnnC,KAAKkqC,UAAUjiC,QAAQ,QAAS,IAC/D,CAKA,UAAIw9B,GACF,OAAOzlC,KAAKyxF,OAAO7nF,EACrB,CAIA,UAAIxE,GACF,OAAOpF,KAAKyxF,OAAOrsF,MACrB,CAIA,UAAIA,CAAOA,GACTpF,KAAKyxF,MAAMrsF,OAASA,CACtB,CAOA,IAAA4sF,CAAKhoD,GACHsnD,EAAa,IAAKtxF,KAAKyxF,MAAOttE,OAAQ6lB,GAAehqC,KAAK2xF,kBAC1D3xF,KAAKyxF,MAAMttE,OAAS6lB,EACpBhqC,KAAK6xF,aACP,CAOA,MAAA7xC,CAAOiyC,GACL,GAAIA,EAAUnpF,SAAS,KACrB,MAAM,IAAId,MAAM,oBAElBhI,KAAKgyF,MAAK,IAAA7qD,SAAQnnC,KAAKmkB,QAAU,IAAM8tE,EACzC,CAIA,WAAAJ,GACM7xF,KAAKyxF,MAAM9kD,QACb3sC,KAAKyxF,MAAM9kD,MAAwB,IAAIl7B,KAE3C,CAMA,MAAAqpB,CAAOmQ,GACL,IAAK,MAAOjqC,EAAMoI,KAAU7J,OAAOqb,QAAQqwB,GACzC,SACgB,IAAV7hC,SACKpJ,KAAKirC,WAAWjqC,GAEvBhB,KAAKirC,WAAWjqC,GAAQoI,CAE5B,CAAE,MAAOjE,GACP,GAAIA,aAAa/E,UACf,SAEF,MAAM+E,CACR,CAEJ,EAuBF,MAAMgjC,UAAamP,EACjB,QAAItwC,GACF,OAAOigC,EAASkB,IAClB,EAuBF,MAAMjB,UAAeoQ,EACnB,WAAA5hB,CAAYxrB,GACVm+B,MAAM,IACDn+B,EACH2iC,KAAM,wBAEV,CACA,QAAI7lC,GACF,OAAOigC,EAASC,MAClB,CACA,aAAI+Q,GACF,OAAO,IACT,CACA,QAAIpL,GACF,MAAO,sBACT,EAwBF,MAAM2B,EAAc,WAAU,WAAkB/M,MAC1CywD,GAAe,QAAkB,OACjC3oD,EAAe,SAAS4oD,EAAYD,EAAcjmD,EAAU,CAAC,GACjE,MAAMT,GAAS,QAAa2mD,EAAW,CAAElmD,YACzC,SAASN,EAAWrzB,GAClBkzB,EAAOG,WAAW,IACbM,EAEH,mBAAoB,iBAEpBL,aAActzB,GAAS,IAE3B,CAYA,OAXA,QAAqBqzB,GACrBA,GAAW,YACK,UACRK,MAAM,SAAS,CAAC3nC,EAAK2M,KAC3B,MAAMohF,EAAWphF,EAAQi7B,QAKzB,OAJImmD,GAAUlmD,SACZl7B,EAAQk7B,OAASkmD,EAASlmD,cACnBkmD,EAASlmD,QAEXC,MAAM9nC,EAAK2M,EAAQ,IAErBw6B,CACT,EACM6mD,EAAmB,CAAC/oD,EAAWx5B,EAAO,IAAKwiF,EAAU9jD,KACzD,MAAMvB,EAAa,IAAIC,gBACvB,OAAO,IAAI,EAAAE,mBAAkBphC,MAAOe,EAASC,EAAQqgC,KACnDA,GAAS,IAAMJ,EAAWxZ,UAC1B,IAYE1mB,SAX+Bu8B,EAAUiE,qBAAqB,GAAG+kD,IAAUxiF,IAAQ,CACjF29B,OAAQR,EAAWQ,OACnB7D,SAAS,EACT1/B,KArnBC,+CACY4mF,iCAEfF,wIAmnBE3kD,QAAS,CAEPC,OAAQ,UAEVsB,aAAa,KAEgBtjC,KAAK+E,QAAQ3J,GAASA,EAAKmnC,WAAa38B,IAAMZ,KAAKnH,GAAW+hC,EAAgB/hC,EAAQuqF,KAEvH,CAAE,MAAOttF,GACPgI,EAAOhI,EACT,IACA,EAEE8kC,EAAkB,SAASxkC,EAAMitF,EAAY/jD,EAAa2jD,EAAYD,GAC1E,IAAI5lD,GAAS,WAAkB7K,IAC/B,MAAM+wD,EAAW/sF,SAASoqB,cAAc,mBAAmBzmB,MAC3D,GAAIopF,EACFlmD,EAASA,GAAU7mC,SAASoqB,cAAc,wBAAwBzmB,MAClEkjC,EAASA,GAAU,iBACd,IAAKA,EACV,MAAM,IAAItkC,MAAM,oBAElB,MAAM+Y,EAAQzb,EAAKyb,MACbqkB,EAAcmH,EAAoBxrB,GAAOqkB,aACzCoH,EAAQtlC,OAAO6Z,IAAQ,aAAeurB,GACtCI,EAAW,CACf9iC,GAAImX,GAAO0kB,QAAU,EACrBthB,OAAQ,GAAGguE,IAAY7sF,EAAKmnC,WAC5BE,MAAO,IAAIl7B,KAAKA,KAAKlF,MAAMjH,EAAKsnC,UAChCC,KAAMvnC,EAAKunC,MAAQ,2BACnBn9B,KAAMqR,GAAOrR,MAAQuL,OAAOy7B,SAAS31B,EAAM0xE,kBAAoB,KAC/DrtD,cACAoH,QACArH,KAAMotD,EACNtnD,WAAY,IACP3lC,KACAyb,EACH+rB,WAAY/rB,IAAQ,iBAIxB,cADO2rB,EAASzB,YAAYlqB,MACP,SAAdzb,EAAK0B,KAAkB,IAAImhC,EAAKuE,GAAY,IAAIxF,EAAOwF,EAChE,EAC4B9oC,OAAO8uF,WACJ9uF,OAAO8uF,YAAY1zC,uBAAwB,IAAIxmC,OAAO5U,OAAO8uF,WAAW1zC,uBAgCvG,MAAM2zC,EAAY,CAAC,IAAK,KAAM,KAAM,KAAM,KAAM,MAC1CC,EAAkB,CAAC,IAAK,MAAO,MAAO,MAAO,MAAO,OAC1D,SAASh1D,EAAeluB,EAAMmjF,GAAiB,EAAOC,GAAiB,EAAOC,GAAW,GACvFD,EAAiBA,IAAmBC,EAChB,iBAATrjF,IACTA,EAAOuL,OAAOvL,IAEhB,IAAI4zB,EAAQ5zB,EAAO,EAAImkB,KAAK4zB,MAAM5zB,KAAKprB,IAAIiH,GAAQmkB,KAAKprB,IAAIsqF,EAAW,IAAM,OAAS,EACtFzvD,EAAQzP,KAAKiM,KAAKgzD,EAAiBF,EAAgBlxF,OAASixF,EAAUjxF,QAAU,EAAG4hC,GACnF,MAAM0vD,EAAiBF,EAAiBF,EAAgBtvD,GAASqvD,EAAUrvD,GAC3E,IAAI2vD,GAAgBvjF,EAAOmkB,KAAKgwB,IAAIkvC,EAAW,IAAM,KAAMzvD,IAAQhW,QAAQ,GAC3E,OAAuB,IAAnBulE,GAAqC,IAAVvvD,GACJ,QAAjB2vD,EAAyB,OAAS,OAASH,EAAiBF,EAAgB,GAAKD,EAAU,KAGnGM,EADE3vD,EAAQ,EACK04C,WAAWiX,GAAc3lE,QAAQ,GAEjC0uD,WAAWiX,GAAcC,gBAAe,WAElDD,EAAe,IAAMD,EAC9B,CAmHA,MAAMtgC,EACJygC,OAAS,GACTC,aAAe,KACf,QAAAhgC,CAASv5B,GACP,GAAI75B,KAAKmzF,OAAOhwD,MAAM9M,GAAWA,EAAOzsB,KAAOiwB,EAAKjwB,KAClD,MAAM,IAAI5B,MAAM,WAAW6xB,EAAKjwB,4BAElC5J,KAAKmzF,OAAO3yF,KAAKq5B,EACnB,CACA,MAAAqxD,CAAOthF,GACL,MAAMiT,EAAQ7c,KAAKmzF,OAAOv3C,WAAW/hB,GAASA,EAAKjwB,KAAOA,KAC3C,IAAXiT,GACF7c,KAAKmzF,OAAO7/E,OAAOuJ,EAAO,EAE9B,CACA,SAAIqmB,GACF,OAAOljC,KAAKmzF,MACd,CACA,SAAAzvD,CAAU7J,GACR75B,KAAKozF,aAAev5D,CACtB,CACA,UAAImN,GACF,OAAOhnC,KAAKozF,YACd,EAEF,MAAMrsD,EAAgB,WAKpB,YAJqC,IAA1BnjC,OAAOyvF,iBAChBzvF,OAAOyvF,eAAiB,IAAI3gC,EAC5BvzB,EAAOwE,MAAM,mCAER//B,OAAOyvF,cAChB,EAsBA,MAAMC,EACJC,QACA,WAAA79D,CAAY6uB,GACVivC,EAAcjvC,GACdvkD,KAAKuzF,QAAUhvC,CACjB,CACA,MAAI36C,GACF,OAAO5J,KAAKuzF,QAAQ3pF,EACtB,CACA,SAAItC,GACF,OAAOtH,KAAKuzF,QAAQjsF,KACtB,CACA,UAAI2Z,GACF,OAAOjhB,KAAKuzF,QAAQtyE,MACtB,CACA,QAAIlG,GACF,OAAO/a,KAAKuzF,QAAQx4E,IACtB,CACA,WAAIw7B,GACF,OAAOv2C,KAAKuzF,QAAQh9C,OACtB,EAEF,MAAMi9C,EAAgB,SAASjvC,GAC7B,IAAKA,EAAO36C,IAA2B,iBAAd26C,EAAO36C,GAC9B,MAAM,IAAI5B,MAAM,2BAElB,IAAKu8C,EAAOj9C,OAAiC,iBAAjBi9C,EAAOj9C,MACjC,MAAM,IAAIU,MAAM,8BAElB,IAAKu8C,EAAOtjC,QAAmC,mBAAlBsjC,EAAOtjC,OAClC,MAAM,IAAIjZ,MAAM,iCAElB,GAAIu8C,EAAOxpC,MAA+B,mBAAhBwpC,EAAOxpC,KAC/B,MAAM,IAAI/S,MAAM,0CAElB,GAAIu8C,EAAOhO,SAAqC,mBAAnBgO,EAAOhO,QAClC,MAAM,IAAIvuC,MAAM,qCAElB,OAAO,CACT,EACA,IAAIyrF,EAAc,CAAC,EACfC,EAAS,CAAC,GACd,SAAU1wF,GACR,MAAM2wF,EAAgB,gLAEhBC,EAAa,IAAMD,EAAgB,KADxBA,EACE,iDACbE,EAAY,IAAIr7E,OAAO,IAAMo7E,EAAa,KAoBhD5wF,EAAQ8wF,QAAU,SAASvkE,GACzB,YAAoB,IAANA,CAChB,EACAvsB,EAAQ+wF,cAAgB,SAASt9E,GAC/B,OAAmC,IAA5BlX,OAAO4K,KAAKsM,GAAK/U,MAC1B,EACAsB,EAAQgxF,MAAQ,SAASvtF,EAAQN,EAAG8tF,GAClC,GAAI9tF,EAAG,CACL,MAAMgE,EAAO5K,OAAO4K,KAAKhE,GACnB9D,EAAM8H,EAAKzI,OACjB,IAAK,IAAIF,EAAI,EAAGA,EAAIa,EAAKb,IAErBiF,EAAO0D,EAAK3I,IADI,WAAdyyF,EACgB,CAAC9tF,EAAEgE,EAAK3I,KAER2E,EAAEgE,EAAK3I,GAG/B,CACF,EACAwB,EAAQy6E,SAAW,SAASluD,GAC1B,OAAIvsB,EAAQ8wF,QAAQvkE,GACXA,EAEA,EAEX,EACAvsB,EAAQkxF,OA9BO,SAAS56E,GAEtB,QAAQ,MADMu6E,EAAUl5E,KAAKrB,GAE/B,EA4BAtW,EAAQmxF,cA9Cc,SAAS76E,EAAQuS,GACrC,MAAM3F,EAAU,GAChB,IAAI9M,EAAQyS,EAAMlR,KAAKrB,GACvB,KAAOF,GAAO,CACZ,MAAMg7E,EAAa,GACnBA,EAAW1sC,WAAa77B,EAAMu8B,UAAYhvC,EAAM,GAAG1X,OACnD,MAAMW,EAAM+W,EAAM1X,OAClB,IAAK,IAAImb,EAAQ,EAAGA,EAAQxa,EAAKwa,IAC/Bu3E,EAAW5zF,KAAK4Y,EAAMyD,IAExBqJ,EAAQ1lB,KAAK4zF,GACbh7E,EAAQyS,EAAMlR,KAAKrB,EACrB,CACA,OAAO4M,CACT,EAiCAljB,EAAQ4wF,WAAaA,CACtB,CArDD,CAqDGF,GACH,MAAMW,EAASX,EACTY,EAAmB,CACvBC,wBAAwB,EAExBC,aAAc,IA4IhB,SAASC,EAAav1C,GACpB,MAAgB,MAATA,GAAyB,OAATA,GAAyB,OAATA,GAA0B,OAATA,CAC1D,CACA,SAASw1C,EAAOC,EAASnzF,GACvB,MAAM2wC,EAAQ3wC,EACd,KAAOA,EAAImzF,EAAQjzF,OAAQF,IACzB,GAAkB,KAAdmzF,EAAQnzF,IAA2B,KAAdmzF,EAAQnzF,QAAjC,CACE,MAAMyiF,EAAU0Q,EAAQ5uE,OAAOosB,EAAO3wC,EAAI2wC,GAC1C,GAAI3wC,EAAI,GAAiB,QAAZyiF,EACX,OAAO2Q,GAAe,aAAc,6DAA8DC,GAAyBF,EAASnzF,IAC/H,GAAkB,KAAdmzF,EAAQnzF,IAA+B,KAAlBmzF,EAAQnzF,EAAI,GAAW,CACrDA,IACA,KACF,CAGF,CAEF,OAAOA,CACT,CACA,SAASszF,EAAoBH,EAASnzF,GACpC,GAAImzF,EAAQjzF,OAASF,EAAI,GAAwB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAClE,IAAKA,GAAK,EAAGA,EAAImzF,EAAQjzF,OAAQF,IAC/B,GAAmB,MAAfmzF,EAAQnzF,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,OAEG,GAAImzF,EAAQjzF,OAASF,EAAI,GAAwB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,GAAY,CACvN,IAAIuzF,EAAqB,EACzB,IAAKvzF,GAAK,EAAGA,EAAImzF,EAAQjzF,OAAQF,IAC/B,GAAmB,MAAfmzF,EAAQnzF,GACVuzF,SACK,GAAmB,MAAfJ,EAAQnzF,KACjBuzF,IAC2B,IAAvBA,GACF,KAIR,MAAO,GAAIJ,EAAQjzF,OAASF,EAAI,GAAwB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,GAC3M,IAAKA,GAAK,EAAGA,EAAImzF,EAAQjzF,OAAQF,IAC/B,GAAmB,MAAfmzF,EAAQnzF,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,GAAY,CAC1EA,GAAK,EACL,KACF,CAGJ,OAAOA,CACT,CA3LAiyF,EAAYuB,SAAW,SAASL,EAAS3jF,GACvCA,EAAUzR,OAAO2I,OAAO,CAAC,EAAGosF,EAAkBtjF,GAC9C,MAAMwnD,EAAO,GACb,IAAIy8B,GAAW,EACXC,GAAc,EACC,WAAfP,EAAQ,KACVA,EAAUA,EAAQ5uE,OAAO,IAE3B,IAAK,IAAIvkB,EAAI,EAAGA,EAAImzF,EAAQjzF,OAAQF,IAClC,GAAmB,MAAfmzF,EAAQnzF,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAGpC,GAFAA,GAAK,EACLA,EAAIkzF,EAAOC,EAASnzF,GAChBA,EAAE0c,IACJ,OAAO1c,MACJ,IAAmB,MAAfmzF,EAAQnzF,GA4GZ,CACL,GAAIizF,EAAaE,EAAQnzF,IACvB,SAEF,OAAOozF,GAAe,cAAe,SAAWD,EAAQnzF,GAAK,qBAAsBqzF,GAAyBF,EAASnzF,GACvH,CAjH+B,CAC7B,IAAI2zF,EAAc3zF,EAElB,GADAA,IACmB,MAAfmzF,EAAQnzF,GAAY,CACtBA,EAAIszF,EAAoBH,EAASnzF,GACjC,QACF,CAAO,CACL,IAAI4zF,GAAa,EACE,MAAfT,EAAQnzF,KACV4zF,GAAa,EACb5zF,KAEF,IAAIw5D,EAAU,GACd,KAAOx5D,EAAImzF,EAAQjzF,QAAyB,MAAfizF,EAAQnzF,IAA6B,MAAfmzF,EAAQnzF,IAA6B,OAAfmzF,EAAQnzF,IAA6B,OAAfmzF,EAAQnzF,IAA8B,OAAfmzF,EAAQnzF,GAAaA,IACzIw5D,GAAW25B,EAAQnzF,GAOrB,GALAw5D,EAAUA,EAAQz/C,OACkB,MAAhCy/C,EAAQA,EAAQt5D,OAAS,KAC3Bs5D,EAAUA,EAAQf,UAAU,EAAGe,EAAQt5D,OAAS,GAChDF,KAgQeyiF,EA9PIjpB,GA+PpBq5B,EAAOH,OAAOjQ,GA/PgB,CAC7B,IAAItvD,EAMJ,OAJEA,EAD4B,IAA1BqmC,EAAQz/C,OAAO7Z,OACX,2BAEA,QAAUs5D,EAAU,wBAErB45B,GAAe,aAAcjgE,EAAKkgE,GAAyBF,EAASnzF,GAC7E,CACA,MAAMuG,EAASstF,GAAiBV,EAASnzF,GACzC,IAAe,IAAXuG,EACF,OAAO6sF,GAAe,cAAe,mBAAqB55B,EAAU,qBAAsB65B,GAAyBF,EAASnzF,IAE9H,IAAI8zF,EAAUvtF,EAAOqB,MAErB,GADA5H,EAAIuG,EAAO8U,MACyB,MAAhCy4E,EAAQA,EAAQ5zF,OAAS,GAAY,CACvC,MAAM6zF,EAAe/zF,EAAI8zF,EAAQ5zF,OACjC4zF,EAAUA,EAAQr7B,UAAU,EAAGq7B,EAAQ5zF,OAAS,GAChD,MAAM8zF,EAAUC,GAAwBH,EAAStkF,GACjD,IAAgB,IAAZwkF,EAGF,OAAOZ,GAAeY,EAAQt3E,IAAI8mD,KAAMwwB,EAAQt3E,IAAIyW,IAAKkgE,GAAyBF,EAASY,EAAeC,EAAQt3E,IAAIq7C,OAFtH07B,GAAW,CAIf,MAAO,GAAIG,EAAY,CACrB,IAAKrtF,EAAO2tF,UACV,OAAOd,GAAe,aAAc,gBAAkB55B,EAAU,iCAAkC65B,GAAyBF,EAASnzF,IAC/H,GAAI8zF,EAAQ/5E,OAAO7Z,OAAS,EACjC,OAAOkzF,GAAe,aAAc,gBAAkB55B,EAAU,+CAAgD65B,GAAyBF,EAASQ,IAC7I,GAAoB,IAAhB38B,EAAK92D,OACd,OAAOkzF,GAAe,aAAc,gBAAkB55B,EAAU,yBAA0B65B,GAAyBF,EAASQ,IACvH,CACL,MAAMQ,EAAMn9B,EAAK90C,MACjB,GAAIs3C,IAAY26B,EAAI36B,QAAS,CAC3B,IAAI46B,EAAUf,GAAyBF,EAASgB,EAAIR,aACpD,OAAOP,GACL,aACA,yBAA2Be,EAAI36B,QAAU,qBAAuB46B,EAAQr8B,KAAO,SAAWq8B,EAAQC,IAAM,6BAA+B76B,EAAU,KACjJ65B,GAAyBF,EAASQ,GAEtC,CACmB,GAAf38B,EAAK92D,SACPwzF,GAAc,EAElB,CACF,KAAO,CACL,MAAMM,EAAUC,GAAwBH,EAAStkF,GACjD,IAAgB,IAAZwkF,EACF,OAAOZ,GAAeY,EAAQt3E,IAAI8mD,KAAMwwB,EAAQt3E,IAAIyW,IAAKkgE,GAAyBF,EAASnzF,EAAI8zF,EAAQ5zF,OAAS8zF,EAAQt3E,IAAIq7C,OAE9H,IAAoB,IAAhB27B,EACF,OAAON,GAAe,aAAc,sCAAuCC,GAAyBF,EAASnzF,KACzD,IAA3CwP,EAAQwjF,aAAanhF,QAAQ2nD,IAGtCxC,EAAKh4D,KAAK,CAAEw6D,UAASm6B,gBAEvBF,GAAW,CACb,CACA,IAAKzzF,IAAKA,EAAImzF,EAAQjzF,OAAQF,IAC5B,GAAmB,MAAfmzF,EAAQnzF,GAAY,CACtB,GAAuB,MAAnBmzF,EAAQnzF,EAAI,GAAY,CAC1BA,IACAA,EAAIszF,EAAoBH,EAASnzF,GACjC,QACF,CAAO,GAAuB,MAAnBmzF,EAAQnzF,EAAI,GAKrB,MAHA,GADAA,EAAIkzF,EAAOC,IAAWnzF,GAClBA,EAAE0c,IACJ,OAAO1c,CAIb,MAAO,GAAmB,MAAfmzF,EAAQnzF,GAAY,CAC7B,MAAMs0F,EAAWC,GAAkBpB,EAASnzF,GAC5C,IAAiB,GAAbs0F,EACF,OAAOlB,GAAe,cAAe,4BAA6BC,GAAyBF,EAASnzF,IACtGA,EAAIs0F,CACN,MACE,IAAoB,IAAhBZ,IAAyBT,EAAaE,EAAQnzF,IAChD,OAAOozF,GAAe,aAAc,wBAAyBC,GAAyBF,EAASnzF,IAIlF,MAAfmzF,EAAQnzF,IACVA,GAEJ,CACF,CAKA,CAkKJ,IAAyByiF,EAhKvB,OAAKgR,EAEqB,GAAfz8B,EAAK92D,OACPkzF,GAAe,aAAc,iBAAmBp8B,EAAK,GAAGwC,QAAU,KAAM65B,GAAyBF,EAASn8B,EAAK,GAAG28B,gBAChH38B,EAAK92D,OAAS,IAChBkzF,GAAe,aAAc,YAAczoF,KAAKC,UAAUosD,EAAKtpD,KAAK8uB,GAAMA,EAAEg9B,UAAU,KAAM,GAAG/yD,QAAQ,SAAU,IAAM,WAAY,CAAEsxD,KAAM,EAAGs8B,IAAK,IAJnJjB,GAAe,aAAc,sBAAuB,EAO/D,EAmDA,MAAMoB,EAAc,IACdC,EAAc,IACpB,SAASZ,GAAiBV,EAASnzF,GACjC,IAAI8zF,EAAU,GACVY,EAAY,GACZR,GAAY,EAChB,KAAOl0F,EAAImzF,EAAQjzF,OAAQF,IAAK,CAC9B,GAAImzF,EAAQnzF,KAAOw0F,GAAerB,EAAQnzF,KAAOy0F,EAC7B,KAAdC,EACFA,EAAYvB,EAAQnzF,GACX00F,IAAcvB,EAAQnzF,KAG/B00F,EAAY,SAET,GAAmB,MAAfvB,EAAQnzF,IACC,KAAd00F,EAAkB,CACpBR,GAAY,EACZ,KACF,CAEFJ,GAAWX,EAAQnzF,EACrB,CACA,MAAkB,KAAd00F,GAGG,CACL9sF,MAAOksF,EACPz4E,MAAOrb,EACPk0F,YAEJ,CACA,MAAMS,GAAoB,IAAI39E,OAAO,0DAA0D,KAC/F,SAASi9E,GAAwBH,EAAStkF,GACxC,MAAMkV,EAAUmuE,EAAOF,cAAcmB,EAASa,IACxCC,EAAY,CAAC,EACnB,IAAK,IAAI50F,EAAI,EAAGA,EAAI0kB,EAAQxkB,OAAQF,IAAK,CACvC,GAA6B,IAAzB0kB,EAAQ1kB,GAAG,GAAGE,OAChB,OAAOkzF,GAAe,cAAe,cAAgB1uE,EAAQ1kB,GAAG,GAAK,8BAA+B60F,GAAqBnwE,EAAQ1kB,KAC5H,QAAsB,IAAlB0kB,EAAQ1kB,GAAG,SAAmC,IAAlB0kB,EAAQ1kB,GAAG,GAChD,OAAOozF,GAAe,cAAe,cAAgB1uE,EAAQ1kB,GAAG,GAAK,sBAAuB60F,GAAqBnwE,EAAQ1kB,KACpH,QAAsB,IAAlB0kB,EAAQ1kB,GAAG,KAAkBwP,EAAQujF,uBAC9C,OAAOK,GAAe,cAAe,sBAAwB1uE,EAAQ1kB,GAAG,GAAK,oBAAqB60F,GAAqBnwE,EAAQ1kB,KAEjI,MAAM80F,EAAWpwE,EAAQ1kB,GAAG,GAC5B,IAAK+0F,GAAiBD,GACpB,OAAO1B,GAAe,cAAe,cAAgB0B,EAAW,wBAAyBD,GAAqBnwE,EAAQ1kB,KAExH,GAAK40F,EAAU32F,eAAe62F,GAG5B,OAAO1B,GAAe,cAAe,cAAgB0B,EAAW,iBAAkBD,GAAqBnwE,EAAQ1kB,KAF/G40F,EAAUE,GAAY,CAI1B,CACA,OAAO,CACT,CAeA,SAASP,GAAkBpB,EAASnzF,GAElC,GAAmB,MAAfmzF,IADJnzF,GAEE,OAAQ,EACV,GAAmB,MAAfmzF,EAAQnzF,GAEV,OApBJ,SAAiCmzF,EAASnzF,GACxC,IAAI4kB,EAAK,KAKT,IAJmB,MAAfuuE,EAAQnzF,KACVA,IACA4kB,EAAK,cAEA5kB,EAAImzF,EAAQjzF,OAAQF,IAAK,CAC9B,GAAmB,MAAfmzF,EAAQnzF,GACV,OAAOA,EACT,IAAKmzF,EAAQnzF,GAAG4X,MAAMgN,GACpB,KACJ,CACA,OAAQ,CACV,CAOWowE,CAAwB7B,IAD/BnzF,GAGF,IAAIgqD,EAAQ,EACZ,KAAOhqD,EAAImzF,EAAQjzF,OAAQF,IAAKgqD,IAC9B,KAAImpC,EAAQnzF,GAAG4X,MAAM,OAASoyC,EAAQ,IAAtC,CAEA,GAAmB,MAAfmpC,EAAQnzF,GACV,MACF,OAAQ,CAHE,CAKZ,OAAOA,CACT,CACA,SAASozF,GAAe5vB,EAAM38D,EAASouF,GACrC,MAAO,CACLv4E,IAAK,CACH8mD,OACArwC,IAAKtsB,EACLkxD,KAAMk9B,EAAWl9B,MAAQk9B,EACzBZ,IAAKY,EAAWZ,KAGtB,CACA,SAASU,GAAiBD,GACxB,OAAOjC,EAAOH,OAAOoC,EACvB,CAIA,SAASzB,GAAyBF,EAAS93E,GACzC,MAAM65E,EAAQ/B,EAAQ16B,UAAU,EAAGp9C,GAAOjE,MAAM,SAChD,MAAO,CACL2gD,KAAMm9B,EAAMh1F,OAEZm0F,IAAKa,EAAMA,EAAMh1F,OAAS,GAAGA,OAAS,EAE1C,CACA,SAAS20F,GAAqBj9E,GAC5B,OAAOA,EAAMsuC,WAAatuC,EAAM,GAAG1X,MACrC,CACA,IAAIi1F,GAAiB,CAAC,EACtB,MAAMC,GAAmB,CACvBC,eAAe,EACfC,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBC,gBAAgB,EAEhB3C,wBAAwB,EAGxB4C,eAAe,EACfC,qBAAqB,EACrBC,YAAY,EAEZC,eAAe,EACfC,mBAAoB,CAClBC,KAAK,EACLC,cAAc,EACdC,WAAW,GAEbC,kBAAmB,SAAS38B,EAASr8C,GACnC,OAAOA,CACT,EACAi5E,wBAAyB,SAAStB,EAAU33E,GAC1C,OAAOA,CACT,EACAk5E,UAAW,GAEXC,sBAAsB,EACtB9tF,QAAS,KAAM,EACf+tF,iBAAiB,EACjBvD,aAAc,GACdwD,iBAAiB,EACjBC,cAAc,EACdC,mBAAmB,EACnBC,cAAc,EACdC,kBAAkB,EAClBC,wBAAwB,EACxBC,UAAW,SAASt9B,EAASu9B,EAAOr1E,GAClC,OAAO83C,CACT,GAMF27B,GAAe6B,aAHQ,SAASxnF,GAC9B,OAAOzR,OAAO2I,OAAO,CAAC,EAAG0uF,GAAkB5lF,EAC7C,EAEA2lF,GAAe8B,eAAiB7B,GAuBhC,MAAM8B,GAAShF,EAwDf,SAASiF,GAAchE,EAASnzF,GAC9B,IAAIo3F,EAAc,GAClB,KAAOp3F,EAAImzF,EAAQjzF,QAA0B,MAAfizF,EAAQnzF,IAA6B,MAAfmzF,EAAQnzF,GAAaA,IACvEo3F,GAAejE,EAAQnzF,GAGzB,GADAo3F,EAAcA,EAAYr9E,QACQ,IAA9Bq9E,EAAYvlF,QAAQ,KACtB,MAAM,IAAIrL,MAAM,sCAClB,MAAMkuF,EAAYvB,EAAQnzF,KAC1B,IAAImd,EAAO,GACX,KAAOnd,EAAImzF,EAAQjzF,QAAUizF,EAAQnzF,KAAO00F,EAAW10F,IACrDmd,GAAQg2E,EAAQnzF,GAElB,MAAO,CAACo3F,EAAaj6E,EAAMnd,EAC7B,CACA,SAASq3F,GAAUlE,EAASnzF,GAC1B,MAAuB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,EAGtE,CACA,SAASs3F,GAASnE,EAASnzF,GACzB,MAAuB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,EAG9K,CACA,SAASu3F,GAAUpE,EAASnzF,GAC1B,MAAuB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,EAGxM,CACA,SAASw3F,GAAUrE,EAASnzF,GAC1B,MAAuB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,EAGxM,CACA,SAASy3F,GAAWtE,EAASnzF,GAC3B,MAAuB,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,EAGlO,CACA,SAAS03F,GAAmBl4F,GAC1B,GAAI03F,GAAOxE,OAAOlzF,GAChB,OAAOA,EAEP,MAAM,IAAIgH,MAAM,uBAAuBhH,IAC3C,CAEA,MAAMm4F,GAAW,wBACXC,GAAW,+EACZn+E,OAAOy7B,UAAY9yC,OAAO8yC,WAC7Bz7B,OAAOy7B,SAAW9yC,OAAO8yC,WAEtBz7B,OAAO+gE,YAAcp4E,OAAOo4E,aAC/B/gE,OAAO+gE,WAAap4E,OAAOo4E,YAE7B,MAAMqd,GAAW,CACf7B,KAAK,EACLC,cAAc,EACd6B,aAAc,IACd5B,WAAW,GA+EP3+D,GAAO26D,EACP6F,GAzNN,MACE,WAAA7jE,CAAYuuD,GACVjkF,KAAKikF,QAAUA,EACfjkF,KAAK4qB,MAAQ,GACb5qB,KAAK,MAAQ,CAAC,CAChB,CACA,GAAA6T,CAAI3K,EAAKyV,GACK,cAARzV,IACFA,EAAM,cACRlJ,KAAK4qB,MAAMpqB,KAAK,CAAE,CAAC0I,GAAMyV,GAC3B,CACA,QAAA66E,CAASl0F,GACc,cAAjBA,EAAK2+E,UACP3+E,EAAK2+E,QAAU,cACb3+E,EAAK,OAAS/F,OAAO4K,KAAK7E,EAAK,OAAO5D,OAAS,EACjD1B,KAAK4qB,MAAMpqB,KAAK,CAAE,CAAC8E,EAAK2+E,SAAU3+E,EAAKslB,MAAO,KAAQtlB,EAAK,QAE3DtF,KAAK4qB,MAAMpqB,KAAK,CAAE,CAAC8E,EAAK2+E,SAAU3+E,EAAKslB,OAE3C,GAuMI6uE,GAnMN,SAAuB9E,EAASnzF,GAC9B,MAAMk4F,EAAW,CAAC,EAClB,GAAuB,MAAnB/E,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,GAiDhJ,MAAM,IAAIwG,MAAM,kCAjD4I,CAC5JxG,GAAQ,EACR,IAAIuzF,EAAqB,EACrB4E,GAAU,EAAOl+B,GAAU,EAC3Bm+B,EAAM,GACV,KAAOp4F,EAAImzF,EAAQjzF,OAAQF,IACzB,GAAmB,MAAfmzF,EAAQnzF,IAAei6D,EAqBpB,GAAmB,MAAfk5B,EAAQnzF,IASjB,GARIi6D,EACqB,MAAnBk5B,EAAQnzF,EAAI,IAAiC,MAAnBmzF,EAAQnzF,EAAI,KACxCi6D,GAAU,EACVs5B,KAGFA,IAEyB,IAAvBA,EACF,UAEsB,MAAfJ,EAAQnzF,GACjBm4F,GAAU,EAEVC,GAAOjF,EAAQnzF,OApCmB,CAClC,GAAIm4F,GAAWb,GAASnE,EAASnzF,GAC/BA,GAAK,GACJq4F,WAAYp7E,IAAKjd,GAAKm3F,GAAchE,EAASnzF,EAAI,IACxB,IAAtBid,IAAIpL,QAAQ,OACdqmF,EAASR,GAAmBW,aAAe,CACzCC,KAAMthF,OAAO,IAAIqhF,cAAe,KAChCp7E,WAEC,GAAIk7E,GAAWZ,GAAUpE,EAASnzF,GACvCA,GAAK,OACF,GAAIm4F,GAAWX,GAAUrE,EAASnzF,GACrCA,GAAK,OACF,GAAIm4F,GAAWV,GAAWtE,EAASnzF,GACtCA,GAAK,MACF,KAAIq3F,GAGP,MAAM,IAAI7wF,MAAM,mBAFhByzD,GAAU,CAEwB,CACpCs5B,IACA6E,EAAM,EACR,CAkBF,GAA2B,IAAvB7E,EACF,MAAM,IAAI/sF,MAAM,mBAEpB,CAGA,MAAO,CAAE0xF,WAAUl4F,IACrB,EA8IMu4F,GA/EN,SAAoB97E,EAAKjN,EAAU,CAAC,GAElC,GADAA,EAAUzR,OAAO2I,OAAO,CAAC,EAAGmxF,GAAUroF,IACjCiN,GAAsB,iBAARA,EACjB,OAAOA,EACT,IAAI+7E,EAAa/7E,EAAI1C,OACrB,QAAyB,IAArBvK,EAAQipF,UAAuBjpF,EAAQipF,SAASj0F,KAAKg0F,GACvD,OAAO/7E,EACJ,GAAIjN,EAAQwmF,KAAO2B,GAASnzF,KAAKg0F,GACpC,OAAO/+E,OAAOy7B,SAASsjD,EAAY,IAC9B,CACL,MAAM5gF,EAAQggF,GAASz+E,KAAKq/E,GAC5B,GAAI5gF,EAAO,CACT,MAAM8gF,EAAO9gF,EAAM,GACbq+E,EAAer+E,EAAM,GAC3B,IAAI+gF,GAgDS55B,EAhDqBnnD,EAAM,MAiDL,IAAzBmnD,EAAOltD,QAAQ,MAEZ,OADfktD,EAASA,EAAOt4D,QAAQ,MAAO,KAE7Bs4D,EAAS,IACY,MAAdA,EAAO,GACdA,EAAS,IAAMA,EACsB,MAA9BA,EAAOA,EAAO7+D,OAAS,KAC9B6+D,EAASA,EAAOx6C,OAAO,EAAGw6C,EAAO7+D,OAAS,IACrC6+D,GAEFA,EA1DH,MAAMm3B,EAAYt+E,EAAM,IAAMA,EAAM,GACpC,IAAKpI,EAAQymF,cAAgBA,EAAa/1F,OAAS,GAAKw4F,GAA0B,MAAlBF,EAAW,GACzE,OAAO/7E,EACJ,IAAKjN,EAAQymF,cAAgBA,EAAa/1F,OAAS,IAAMw4F,GAA0B,MAAlBF,EAAW,GAC/E,OAAO/7E,EACJ,CACH,MAAMoiD,EAAMplD,OAAO++E,GACbz5B,EAAS,GAAKF,EACpB,OAA+B,IAA3BE,EAAOlqC,OAAO,SAKPqhE,EAJL1mF,EAAQ0mF,UACHr3B,EAEApiD,GAM6B,IAA7B+7E,EAAW3mF,QAAQ,KACb,MAAXktD,GAAwC,KAAtB45B,GAEb55B,IAAW45B,GAEXD,GAAQ35B,IAAW,IAAM45B,EAHzB95B,EAMApiD,EAEPw5E,EACE0C,IAAsB55B,GAEjB25B,EAAOC,IAAsB55B,EAD7BF,EAIApiD,EAEP+7E,IAAez5B,GAEVy5B,IAAeE,EAAO35B,EADtBF,EAGFpiD,CACT,CACF,CACE,OAAOA,CAEX,CAEF,IAAmBsiD,CADnB,EA6DA,SAAS65B,GAAoBC,GAC3B,MAAMC,EAAU/6F,OAAO4K,KAAKkwF,GAC5B,IAAK,IAAI74F,EAAI,EAAGA,EAAI84F,EAAQ54F,OAAQF,IAAK,CACvC,MAAMuhF,EAAMuX,EAAQ94F,GACpBxB,KAAKu6F,aAAaxX,GAAO,CACvBl3D,MAAO,IAAIrT,OAAO,IAAMuqE,EAAM,IAAK,KACnCtkE,IAAK47E,EAAiBtX,GAE1B,CACF,CACA,SAASyX,GAAc77E,EAAMq8C,EAASu9B,EAAOkC,EAAU1O,EAAe2O,EAAYC,GAChF,QAAa,IAATh8E,IACE3e,KAAKgR,QAAQqmF,aAAeoD,IAC9B97E,EAAOA,EAAKpD,QAEVoD,EAAKjd,OAAS,GAAG,CACdi5F,IACHh8E,EAAO3e,KAAK46F,qBAAqBj8E,IACnC,MAAMk8E,EAAS76F,KAAKgR,QAAQ2mF,kBAAkB38B,EAASr8C,EAAM45E,EAAOxM,EAAe2O,GACnF,OAAIG,QACKl8E,SACSk8E,UAAkBl8E,GAAQk8E,IAAWl8E,EAC9Ck8E,EACE76F,KAAKgR,QAAQqmF,YAGH14E,EAAKpD,SACLoD,EAHZvD,GAAWuD,EAAM3e,KAAKgR,QAAQmmF,cAAen3F,KAAKgR,QAAQumF,oBAMxD54E,CAGb,CAEJ,CACA,SAASm8E,GAAiB7W,GACxB,GAAIjkF,KAAKgR,QAAQkmF,eAAgB,CAC/B,MAAM1+B,EAAOyrB,EAAQrrE,MAAM,KACrBlZ,EAA+B,MAAtBukF,EAAQzgE,OAAO,GAAa,IAAM,GACjD,GAAgB,UAAZg1C,EAAK,GACP,MAAO,GAEW,IAAhBA,EAAK92D,SACPuiF,EAAUvkF,EAAS84D,EAAK,GAE5B,CACA,OAAOyrB,CACT,CACA,MAAM8W,GAAY,IAAIviF,OAAO,+CAA+C,MAC5E,SAASwiF,GAAmB1F,EAASiD,EAAOv9B,GAC1C,IAAKh7D,KAAKgR,QAAQimF,kBAAuC,iBAAZ3B,EAAsB,CACjE,MAAMpvE,EAAU6S,GAAKo7D,cAAcmB,EAASyF,IACtC14F,EAAM6jB,EAAQxkB,OACdwhB,EAAQ,CAAC,EACf,IAAK,IAAI1hB,EAAI,EAAGA,EAAIa,EAAKb,IAAK,CAC5B,MAAM80F,EAAWt2F,KAAK86F,iBAAiB50E,EAAQ1kB,GAAG,IAClD,IAAIy5F,EAAS/0E,EAAQ1kB,GAAG,GACpB05F,EAAQl7F,KAAKgR,QAAQ8lF,oBAAsBR,EAC/C,GAAIA,EAAS50F,OAMX,GALI1B,KAAKgR,QAAQqnF,yBACf6C,EAAQl7F,KAAKgR,QAAQqnF,uBAAuB6C,IAEhC,cAAVA,IACFA,EAAQ,mBACK,IAAXD,EAAmB,CACjBj7F,KAAKgR,QAAQqmF,aACf4D,EAASA,EAAO1/E,QAElB0/E,EAASj7F,KAAK46F,qBAAqBK,GACnC,MAAME,EAASn7F,KAAKgR,QAAQ4mF,wBAAwBtB,EAAU2E,EAAQ1C,GAEpEr1E,EAAMg4E,GADJC,QACaF,SACCE,UAAkBF,GAAUE,IAAWF,EACxCE,EAEA//E,GACb6/E,EACAj7F,KAAKgR,QAAQomF,oBACbp3F,KAAKgR,QAAQumF,mBAGnB,MAAWv3F,KAAKgR,QAAQujF,yBACtBrxE,EAAMg4E,IAAS,EAGrB,CACA,IAAK37F,OAAO4K,KAAK+Y,GAAOxhB,OACtB,OAEF,GAAI1B,KAAKgR,QAAQ+lF,oBAAqB,CACpC,MAAMqE,EAAiB,CAAC,EAExB,OADAA,EAAep7F,KAAKgR,QAAQ+lF,qBAAuB7zE,EAC5Ck4E,CACT,CACA,OAAOl4E,CACT,CACF,CACA,MAAMm4E,GAAW,SAAS1G,GACxBA,EAAUA,EAAQ1sF,QAAQ,SAAU,MACpC,MAAMqzF,EAAS,IAAI/B,GAAQ,QAC3B,IAAI3T,EAAc0V,EACdC,EAAW,GACXhD,EAAQ,GACZ,IAAK,IAAI/2F,EAAI,EAAGA,EAAImzF,EAAQjzF,OAAQF,IAElC,GAAW,MADAmzF,EAAQnzF,GAEjB,GAAuB,MAAnBmzF,EAAQnzF,EAAI,GAAY,CAC1B,MAAMg6F,EAAaC,GAAiB9G,EAAS,IAAKnzF,EAAG,8BACrD,IAAIw5D,EAAU25B,EAAQ16B,UAAUz4D,EAAI,EAAGg6F,GAAYjgF,OACnD,GAAIvb,KAAKgR,QAAQkmF,eAAgB,CAC/B,MAAMwE,EAAa1gC,EAAQ3nD,QAAQ,MACf,IAAhBqoF,IACF1gC,EAAUA,EAAQj1C,OAAO21E,EAAa,GAE1C,CACI17F,KAAKgR,QAAQonF,mBACfp9B,EAAUh7D,KAAKgR,QAAQonF,iBAAiBp9B,IAEtC4qB,IACF2V,EAAWv7F,KAAK27F,oBAAoBJ,EAAU3V,EAAa2S,IAE7D,MAAMqD,EAAcrD,EAAMt+B,UAAUs+B,EAAMsD,YAAY,KAAO,GAC7D,GAAI7gC,IAA2D,IAAhDh7D,KAAKgR,QAAQwjF,aAAanhF,QAAQ2nD,GAC/C,MAAM,IAAIhzD,MAAM,kDAAkDgzD,MAEpE,IAAI8gC,EAAY,EACZF,IAAmE,IAApD57F,KAAKgR,QAAQwjF,aAAanhF,QAAQuoF,IACnDE,EAAYvD,EAAMsD,YAAY,IAAKtD,EAAMsD,YAAY,KAAO,GAC5D77F,KAAK+7F,cAAcr4E,OAEnBo4E,EAAYvD,EAAMsD,YAAY,KAEhCtD,EAAQA,EAAMt+B,UAAU,EAAG6hC,GAC3BlW,EAAc5lF,KAAK+7F,cAAcr4E,MACjC63E,EAAW,GACX/5F,EAAIg6F,CACN,MAAO,GAAuB,MAAnB7G,EAAQnzF,EAAI,GAAY,CACjC,IAAIw6F,EAAUC,GAAWtH,EAASnzF,GAAG,EAAO,MAC5C,IAAKw6F,EACH,MAAM,IAAIh0F,MAAM,yBAElB,GADAuzF,EAAWv7F,KAAK27F,oBAAoBJ,EAAU3V,EAAa2S,GACvDv4F,KAAKgR,QAAQknF,mBAAyC,SAApB8D,EAAQhhC,SAAsBh7D,KAAKgR,QAAQmnF,kBAE5E,CACH,MAAMpO,EAAY,IAAIwP,GAAQyC,EAAQhhC,SACtC+uB,EAAUl2E,IAAI7T,KAAKgR,QAAQgmF,aAAc,IACrCgF,EAAQhhC,UAAYghC,EAAQE,QAAUF,EAAQG,iBAChDpS,EAAU,MAAQ/pF,KAAKg7F,mBAAmBgB,EAAQE,OAAQ3D,EAAOyD,EAAQhhC,UAE3Eh7D,KAAKw5F,SAAS5T,EAAamE,EAAWwO,EACxC,CACA/2F,EAAIw6F,EAAQR,WAAa,CAC3B,MAAO,GAAiC,QAA7B7G,EAAQ5uE,OAAOvkB,EAAI,EAAG,GAAc,CAC7C,MAAM46F,EAAWX,GAAiB9G,EAAS,SAAOnzF,EAAI,EAAG,0BACzD,GAAIxB,KAAKgR,QAAQ+mF,gBAAiB,CAChC,MAAMt8B,EAAUk5B,EAAQ16B,UAAUz4D,EAAI,EAAG46F,EAAW,GACpDb,EAAWv7F,KAAK27F,oBAAoBJ,EAAU3V,EAAa2S,GAC3D3S,EAAY/xE,IAAI7T,KAAKgR,QAAQ+mF,gBAAiB,CAAC,CAAE,CAAC/3F,KAAKgR,QAAQgmF,cAAev7B,IAChF,CACAj6D,EAAI46F,CACN,MAAO,GAAiC,OAA7BzH,EAAQ5uE,OAAOvkB,EAAI,EAAG,GAAa,CAC5C,MAAMuG,EAAS0xF,GAAY9E,EAASnzF,GACpCxB,KAAKq8F,gBAAkBt0F,EAAO2xF,SAC9Bl4F,EAAIuG,EAAOvG,CACb,MAAO,GAAiC,OAA7BmzF,EAAQ5uE,OAAOvkB,EAAI,EAAG,GAAa,CAC5C,MAAMg6F,EAAaC,GAAiB9G,EAAS,MAAOnzF,EAAG,wBAA0B,EAC3E06F,EAASvH,EAAQ16B,UAAUz4D,EAAI,EAAGg6F,GACxCD,EAAWv7F,KAAK27F,oBAAoBJ,EAAU3V,EAAa2S,GAC3D,IAAI55E,EAAO3e,KAAKw6F,cAAc0B,EAAQtW,EAAY3B,QAASsU,GAAO,GAAM,GAAO,GAAM,GACzE,MAAR55E,IACFA,EAAO,IACL3e,KAAKgR,QAAQsmF,cACf1R,EAAY/xE,IAAI7T,KAAKgR,QAAQsmF,cAAe,CAAC,CAAE,CAACt3F,KAAKgR,QAAQgmF,cAAekF,KAE5EtW,EAAY/xE,IAAI7T,KAAKgR,QAAQgmF,aAAcr4E,GAE7Cnd,EAAIg6F,EAAa,CACnB,KAAO,CACL,IAAIzzF,EAASk0F,GAAWtH,EAASnzF,EAAGxB,KAAKgR,QAAQkmF,gBAC7Cl8B,EAAUjzD,EAAOizD,QACrB,MAAMshC,EAAav0F,EAAOu0F,WAC1B,IAAIJ,EAASn0F,EAAOm0F,OAChBC,EAAiBp0F,EAAOo0F,eACxBX,EAAazzF,EAAOyzF,WACpBx7F,KAAKgR,QAAQonF,mBACfp9B,EAAUh7D,KAAKgR,QAAQonF,iBAAiBp9B,IAEtC4qB,GAAe2V,GACW,SAAxB3V,EAAY3B,UACdsX,EAAWv7F,KAAK27F,oBAAoBJ,EAAU3V,EAAa2S,GAAO,IAGtE,MAAMgE,EAAU3W,EAQhB,GAPI2W,IAAmE,IAAxDv8F,KAAKgR,QAAQwjF,aAAanhF,QAAQkpF,EAAQtY,WACvD2B,EAAc5lF,KAAK+7F,cAAcr4E,MACjC60E,EAAQA,EAAMt+B,UAAU,EAAGs+B,EAAMsD,YAAY,OAE3C7gC,IAAYsgC,EAAOrX,UACrBsU,GAASA,EAAQ,IAAMv9B,EAAUA,GAE/Bh7D,KAAKw8F,aAAax8F,KAAKgR,QAAQ6mF,UAAWU,EAAOv9B,GAAU,CAC7D,IAAIyhC,EAAa,GACjB,GAAIP,EAAOx6F,OAAS,GAAKw6F,EAAOL,YAAY,OAASK,EAAOx6F,OAAS,EAC/B,MAAhCs5D,EAAQA,EAAQt5D,OAAS,IAC3Bs5D,EAAUA,EAAQj1C,OAAO,EAAGi1C,EAAQt5D,OAAS,GAC7C62F,EAAQA,EAAMxyE,OAAO,EAAGwyE,EAAM72F,OAAS,GACvCw6F,EAASlhC,GAETkhC,EAASA,EAAOn2E,OAAO,EAAGm2E,EAAOx6F,OAAS,GAE5CF,EAAIuG,EAAOyzF,gBACN,IAAoD,IAAhDx7F,KAAKgR,QAAQwjF,aAAanhF,QAAQ2nD,GAC3Cx5D,EAAIuG,EAAOyzF,eACN,CACL,MAAMkB,EAAU18F,KAAK28F,iBAAiBhI,EAAS2H,EAAYd,EAAa,GACxE,IAAKkB,EACH,MAAM,IAAI10F,MAAM,qBAAqBs0F,KACvC96F,EAAIk7F,EAAQl7F,EACZi7F,EAAaC,EAAQD,UACvB,CACA,MAAM1S,EAAY,IAAIwP,GAAQv+B,GAC1BA,IAAYkhC,GAAUC,IACxBpS,EAAU,MAAQ/pF,KAAKg7F,mBAAmBkB,EAAQ3D,EAAOv9B,IAEvDyhC,IACFA,EAAaz8F,KAAKw6F,cAAciC,EAAYzhC,EAASu9B,GAAO,EAAM4D,GAAgB,GAAM,IAE1F5D,EAAQA,EAAMxyE,OAAO,EAAGwyE,EAAMsD,YAAY,MAC1C9R,EAAUl2E,IAAI7T,KAAKgR,QAAQgmF,aAAcyF,GACzCz8F,KAAKw5F,SAAS5T,EAAamE,EAAWwO,EACxC,KAAO,CACL,GAAI2D,EAAOx6F,OAAS,GAAKw6F,EAAOL,YAAY,OAASK,EAAOx6F,OAAS,EAAG,CAClC,MAAhCs5D,EAAQA,EAAQt5D,OAAS,IAC3Bs5D,EAAUA,EAAQj1C,OAAO,EAAGi1C,EAAQt5D,OAAS,GAC7C62F,EAAQA,EAAMxyE,OAAO,EAAGwyE,EAAM72F,OAAS,GACvCw6F,EAASlhC,GAETkhC,EAASA,EAAOn2E,OAAO,EAAGm2E,EAAOx6F,OAAS,GAExC1B,KAAKgR,QAAQonF,mBACfp9B,EAAUh7D,KAAKgR,QAAQonF,iBAAiBp9B,IAE1C,MAAM+uB,EAAY,IAAIwP,GAAQv+B,GAC1BA,IAAYkhC,GAAUC,IACxBpS,EAAU,MAAQ/pF,KAAKg7F,mBAAmBkB,EAAQ3D,EAAOv9B,IAE3Dh7D,KAAKw5F,SAAS5T,EAAamE,EAAWwO,GACtCA,EAAQA,EAAMxyE,OAAO,EAAGwyE,EAAMsD,YAAY,KAC5C,KAAO,CACL,MAAM9R,EAAY,IAAIwP,GAAQv+B,GAC9Bh7D,KAAK+7F,cAAcv7F,KAAKolF,GACpB5qB,IAAYkhC,GAAUC,IACxBpS,EAAU,MAAQ/pF,KAAKg7F,mBAAmBkB,EAAQ3D,EAAOv9B,IAE3Dh7D,KAAKw5F,SAAS5T,EAAamE,EAAWwO,GACtC3S,EAAcmE,CAChB,CACAwR,EAAW,GACX/5F,EAAIg6F,CACN,CACF,MAEAD,GAAY5G,EAAQnzF,GAGxB,OAAO85F,EAAO1wE,KAChB,EACA,SAAS4uE,GAAS5T,EAAamE,EAAWwO,GACxC,MAAMxwF,EAAS/H,KAAKgR,QAAQsnF,UAAUvO,EAAU9F,QAASsU,EAAOxO,EAAU,QAC3D,IAAXhiF,IAEuB,iBAAXA,GACdgiF,EAAU9F,QAAUl8E,EACpB69E,EAAY4T,SAASzP,IAErBnE,EAAY4T,SAASzP,GAEzB,CACA,MAAM6S,GAAyB,SAASj+E,GACtC,GAAI3e,KAAKgR,QAAQgnF,gBAAiB,CAChC,IAAK,IAAIY,KAAe54F,KAAKq8F,gBAAiB,CAC5C,MAAMr+B,EAASh+D,KAAKq8F,gBAAgBzD,GACpCj6E,EAAOA,EAAK1W,QAAQ+1D,EAAO87B,KAAM97B,EAAOv/C,IAC1C,CACA,IAAK,IAAIm6E,KAAe54F,KAAKu6F,aAAc,CACzC,MAAMv8B,EAASh+D,KAAKu6F,aAAa3B,GACjCj6E,EAAOA,EAAK1W,QAAQ+1D,EAAOnyC,MAAOmyC,EAAOv/C,IAC3C,CACA,GAAIze,KAAKgR,QAAQinF,aACf,IAAK,IAAIW,KAAe54F,KAAKi4F,aAAc,CACzC,MAAMj6B,EAASh+D,KAAKi4F,aAAaW,GACjCj6E,EAAOA,EAAK1W,QAAQ+1D,EAAOnyC,MAAOmyC,EAAOv/C,IAC3C,CAEFE,EAAOA,EAAK1W,QAAQjI,KAAK68F,UAAUhxE,MAAO7rB,KAAK68F,UAAUp+E,IAC3D,CACA,OAAOE,CACT,EACA,SAASg9E,GAAoBJ,EAAU3V,EAAa2S,EAAOmC,GAgBzD,OAfIa,SACiB,IAAfb,IACFA,EAAuD,IAA1Cn7F,OAAO4K,KAAKy7E,EAAYh7D,OAAOlpB,aAS7B,KARjB65F,EAAWv7F,KAAKw6F,cACde,EACA3V,EAAY3B,QACZsU,GACA,IACA3S,EAAY,OAAkD,IAA1CrmF,OAAO4K,KAAKy7E,EAAY,OAAOlkF,OACnDg5F,KAEsC,KAAba,GACzB3V,EAAY/xE,IAAI7T,KAAKgR,QAAQgmF,aAAcuE,GAC7CA,EAAW,IAENA,CACT,CACA,SAASiB,GAAa3E,EAAWU,EAAOuE,GACtC,MAAMC,EAAc,KAAOD,EAC3B,IAAK,MAAME,KAAgBnF,EAAW,CACpC,MAAMoF,EAAcpF,EAAUmF,GAC9B,GAAID,IAAgBE,GAAe1E,IAAU0E,EAC3C,OAAO,CACX,CACA,OAAO,CACT,CA+BA,SAASxB,GAAiB9G,EAAS12E,EAAKzc,EAAG07F,GACzC,MAAMC,EAAexI,EAAQthF,QAAQ4K,EAAKzc,GAC1C,IAAsB,IAAlB27F,EACF,MAAM,IAAIn1F,MAAMk1F,GAEhB,OAAOC,EAAel/E,EAAIvc,OAAS,CAEvC,CACA,SAASu6F,GAAWtH,EAASnzF,EAAG01F,EAAgBkG,EAAc,KAC5D,MAAMr1F,EAvCR,SAAgC4sF,EAASnzF,EAAG47F,EAAc,KACxD,IAAIC,EACAnB,EAAS,GACb,IAAK,IAAIr/E,EAAQrb,EAAGqb,EAAQ83E,EAAQjzF,OAAQmb,IAAS,CACnD,IAAIygF,EAAK3I,EAAQ93E,GACjB,GAAIwgF,EACEC,IAAOD,IACTA,EAAe,SACZ,GAAW,MAAPC,GAAqB,MAAPA,EACvBD,EAAeC,OACV,GAAIA,IAAOF,EAAY,GAAI,CAChC,IAAIA,EAAY,GAQd,MAAO,CACLlzF,KAAMgyF,EACNr/E,SATF,GAAI83E,EAAQ93E,EAAQ,KAAOugF,EAAY,GACrC,MAAO,CACLlzF,KAAMgyF,EACNr/E,QASR,KAAkB,OAAPygF,IACTA,EAAK,KAEPpB,GAAUoB,CACZ,CACF,CAUiBC,CAAuB5I,EAASnzF,EAAI,EAAG47F,GACtD,IAAKr1F,EACH,OACF,IAAIm0F,EAASn0F,EAAOmC,KACpB,MAAMsxF,EAAazzF,EAAO8U,MACpBrD,EAAiB0iF,EAAO7lE,OAAO,MACrC,IAAI2kC,EAAUkhC,EACVC,GAAiB,GACG,IAApB3iF,IACFwhD,EAAUkhC,EAAOjiC,UAAU,EAAGzgD,GAC9B0iF,EAASA,EAAOjiC,UAAUzgD,EAAiB,GAAGgkF,aAEhD,MAAMlB,EAAathC,EACnB,GAAIk8B,EAAgB,CAClB,MAAMwE,EAAa1gC,EAAQ3nD,QAAQ,MACf,IAAhBqoF,IACF1gC,EAAUA,EAAQj1C,OAAO21E,EAAa,GACtCS,EAAiBnhC,IAAYjzD,EAAOmC,KAAK6b,OAAO21E,EAAa,GAEjE,CACA,MAAO,CACL1gC,UACAkhC,SACAV,aACAW,iBACAG,aAEJ,CACA,SAASK,GAAiBhI,EAAS35B,EAASx5D,GAC1C,MAAMkmD,EAAalmD,EACnB,IAAIi8F,EAAe,EACnB,KAAOj8F,EAAImzF,EAAQjzF,OAAQF,IACzB,GAAmB,MAAfmzF,EAAQnzF,GACV,GAAuB,MAAnBmzF,EAAQnzF,EAAI,GAAY,CAC1B,MAAMg6F,EAAaC,GAAiB9G,EAAS,IAAKnzF,EAAG,GAAGw5D,mBAExD,GADmB25B,EAAQ16B,UAAUz4D,EAAI,EAAGg6F,GAAYjgF,SACnCy/C,IACnByiC,IACqB,IAAjBA,GACF,MAAO,CACLhB,WAAY9H,EAAQ16B,UAAUvS,EAAYlmD,GAC1CA,EAAGg6F,GAITh6F,EAAIg6F,CACN,MAAO,GAAuB,MAAnB7G,EAAQnzF,EAAI,GAErBA,EADmBi6F,GAAiB9G,EAAS,KAAMnzF,EAAI,EAAG,gCAErD,GAAiC,QAA7BmzF,EAAQ5uE,OAAOvkB,EAAI,EAAG,GAE/BA,EADmBi6F,GAAiB9G,EAAS,SAAOnzF,EAAI,EAAG,gCAEtD,GAAiC,OAA7BmzF,EAAQ5uE,OAAOvkB,EAAI,EAAG,GAE/BA,EADmBi6F,GAAiB9G,EAAS,MAAOnzF,EAAG,2BAA6B,MAE/E,CACL,MAAMw6F,EAAUC,GAAWtH,EAASnzF,EAAG,KACnCw6F,KACkBA,GAAWA,EAAQhhC,WACnBA,GAAyD,MAA9CghC,EAAQE,OAAOF,EAAQE,OAAOx6F,OAAS,IACpE+7F,IAEFj8F,EAAIw6F,EAAQR,WAEhB,CAGN,CACA,SAASpgF,GAAWuD,EAAM++E,EAAa1sF,GACrC,GAAI0sF,GAA+B,iBAAT/+E,EAAmB,CAC3C,MAAMk8E,EAASl8E,EAAKpD,OACpB,MAAe,SAAXs/E,GAEgB,UAAXA,GAGAd,GAASp7E,EAAM3N,EAC1B,CACE,OAAI+nB,GAAK+6D,QAAQn1E,GACRA,EAEA,EAGb,CACA,IACIg/E,GAAY,CAAC,EAIjB,SAASC,GAAS75E,EAAK/S,EAASunF,GAC9B,IAAIlrF,EACJ,MAAMwwF,EAAgB,CAAC,EACvB,IAAK,IAAIr8F,EAAI,EAAGA,EAAIuiB,EAAIriB,OAAQF,IAAK,CACnC,MAAMs8F,EAAS/5E,EAAIviB,GACbu8F,EAAWC,GAAWF,GAC5B,IAAIG,EAAW,GAKf,GAHEA,OADY,IAAV1F,EACSwF,EAEAxF,EAAQ,IAAMwF,EACvBA,IAAa/sF,EAAQgmF,kBACV,IAAT3pF,EACFA,EAAOywF,EAAOC,GAEd1wF,GAAQ,GAAKywF,EAAOC,OACjB,SAAiB,IAAbA,EACT,SACK,GAAID,EAAOC,GAAW,CAC3B,IAAIp/E,EAAOi/E,GAASE,EAAOC,GAAW/sF,EAASitF,GAC/C,MAAMC,EAASC,GAAUx/E,EAAM3N,GAC3B8sF,EAAO,MACTM,GAAiBz/E,EAAMm/E,EAAO,MAAOG,EAAUjtF,GACT,IAA7BzR,OAAO4K,KAAKwU,GAAMjd,aAA+C,IAA/Bid,EAAK3N,EAAQgmF,eAA6BhmF,EAAQ8mF,qBAEvD,IAA7Bv4F,OAAO4K,KAAKwU,GAAMjd,SACvBsP,EAAQ8mF,qBACVn5E,EAAK3N,EAAQgmF,cAAgB,GAE7Br4E,EAAO,IALTA,EAAOA,EAAK3N,EAAQgmF,mBAOU,IAA5B6G,EAAcE,IAAwBF,EAAcp+F,eAAes+F,IAChEn8F,MAAMoI,QAAQ6zF,EAAcE,MAC/BF,EAAcE,GAAY,CAACF,EAAcE,KAE3CF,EAAcE,GAAUv9F,KAAKme,IAEzB3N,EAAQhH,QAAQ+zF,EAAUE,EAAUC,GACtCL,EAAcE,GAAY,CAACp/E,GAE3Bk/E,EAAcE,GAAYp/E,CAGhC,EACF,CAMA,MALoB,iBAATtR,EACLA,EAAK3L,OAAS,IAChBm8F,EAAc7sF,EAAQgmF,cAAgB3pF,QACtB,IAATA,IACTwwF,EAAc7sF,EAAQgmF,cAAgB3pF,GACjCwwF,CACT,CACA,SAASG,GAAWvnF,GAClB,MAAMtM,EAAO5K,OAAO4K,KAAKsM,GACzB,IAAK,IAAIjV,EAAI,EAAGA,EAAI2I,EAAKzI,OAAQF,IAAK,CACpC,MAAM0H,EAAMiB,EAAK3I,GACjB,GAAY,OAAR0H,EACF,OAAOA,CACX,CACF,CACA,SAASk1F,GAAiB3nF,EAAK4nF,EAASC,EAAOttF,GAC7C,GAAIqtF,EAAS,CACX,MAAMl0F,EAAO5K,OAAO4K,KAAKk0F,GACnBh8F,EAAM8H,EAAKzI,OACjB,IAAK,IAAIF,EAAI,EAAGA,EAAIa,EAAKb,IAAK,CAC5B,MAAM+8F,EAAWp0F,EAAK3I,GAClBwP,EAAQhH,QAAQu0F,EAAUD,EAAQ,IAAMC,GAAU,GAAM,GAC1D9nF,EAAI8nF,GAAY,CAACF,EAAQE,IAEzB9nF,EAAI8nF,GAAYF,EAAQE,EAE5B,CACF,CACF,CACA,SAASJ,GAAU1nF,EAAKzF,GACtB,MAAM,aAAEgmF,GAAiBhmF,EACnBwtF,EAAYj/F,OAAO4K,KAAKsM,GAAK/U,OACnC,OAAkB,IAAd88F,KAGc,IAAdA,IAAoB/nF,EAAIugF,IAA8C,kBAAtBvgF,EAAIugF,IAAqD,IAAtBvgF,EAAIugF,GAI7F,CACA2G,GAAUc,SAxFV,SAAoBn5F,EAAM0L,GACxB,OAAO4sF,GAASt4F,EAAM0L,EACxB,EAuFA,MAAM,aAAEwnF,IAAiB7B,GACnB+H,GAxkBmB,MACvB,WAAAhpE,CAAY1kB,GACVhR,KAAKgR,QAAUA,EACfhR,KAAK4lF,YAAc,KACnB5lF,KAAK+7F,cAAgB,GACrB/7F,KAAKq8F,gBAAkB,CAAC,EACxBr8F,KAAKu6F,aAAe,CAClB,KAAQ,CAAE1uE,MAAO,qBAAsBpN,IAAK,KAC5C,GAAM,CAAEoN,MAAO,mBAAoBpN,IAAK,KACxC,GAAM,CAAEoN,MAAO,mBAAoBpN,IAAK,KACxC,KAAQ,CAAEoN,MAAO,qBAAsBpN,IAAK,MAE9Cze,KAAK68F,UAAY,CAAEhxE,MAAO,oBAAqBpN,IAAK,KACpDze,KAAKi4F,aAAe,CAClB,MAAS,CAAEpsE,MAAO,iBAAkBpN,IAAK,KAMzC,KAAQ,CAAEoN,MAAO,iBAAkBpN,IAAK,KACxC,MAAS,CAAEoN,MAAO,kBAAmBpN,IAAK,KAC1C,IAAO,CAAEoN,MAAO,gBAAiBpN,IAAK,KACtC,KAAQ,CAAEoN,MAAO,kBAAmBpN,IAAK,KACzC,UAAa,CAAEoN,MAAO,iBAAkBpN,IAAK,KAC7C,IAAO,CAAEoN,MAAO,gBAAiBpN,IAAK,KACtC,IAAO,CAAEoN,MAAO,iBAAkBpN,IAAK,KACvC,QAAW,CAAEoN,MAAO,mBAAoBpN,IAAK,CAACyC,EAAGjD,IAAQ/W,OAAOC,aAAa8T,OAAOy7B,SAASz4B,EAAK,MAClG,QAAW,CAAE4N,MAAO,0BAA2BpN,IAAK,CAACyC,EAAGjD,IAAQ/W,OAAOC,aAAa8T,OAAOy7B,SAASz4B,EAAK,OAE3Gje,KAAKo6F,oBAAsBA,GAC3Bp6F,KAAKq7F,SAAWA,GAChBr7F,KAAKw6F,cAAgBA,GACrBx6F,KAAK86F,iBAAmBA,GACxB96F,KAAKg7F,mBAAqBA,GAC1Bh7F,KAAKw8F,aAAeA,GACpBx8F,KAAK46F,qBAAuBgC,GAC5B58F,KAAK28F,iBAAmBA,GACxB38F,KAAK27F,oBAAsBA,GAC3B37F,KAAKw5F,SAAWA,EAClB,IAiiBI,SAAEiF,IAAad,GACfgB,GAAclL,EA6DpB,SAASmL,GAAS76E,EAAK/S,EAASunF,EAAOsG,GACrC,IAAIC,EAAS,GACTC,GAAuB,EAC3B,IAAK,IAAIv9F,EAAI,EAAGA,EAAIuiB,EAAIriB,OAAQF,IAAK,CACnC,MAAMs8F,EAAS/5E,EAAIviB,GACbw5D,EAAUgkC,GAASlB,GACzB,QAAgB,IAAZ9iC,EACF,SACF,IAAIikC,EAAW,GAKf,GAHEA,EADmB,IAAjB1G,EAAM72F,OACGs5D,EAEA,GAAGu9B,KAASv9B,IACrBA,IAAYhqD,EAAQgmF,aAAc,CACpC,IAAIkI,EAAUpB,EAAO9iC,GAChBmkC,GAAWF,EAAUjuF,KACxBkuF,EAAUluF,EAAQ2mF,kBAAkB38B,EAASkkC,GAC7CA,EAAUtE,GAAqBsE,EAASluF,IAEtC+tF,IACFD,GAAUD,GAEZC,GAAUI,EACVH,GAAuB,EACvB,QACF,CAAO,GAAI/jC,IAAYhqD,EAAQsmF,cAAe,CACxCyH,IACFD,GAAUD,GAEZC,GAAU,YAAYhB,EAAO9iC,GAAS,GAAGhqD,EAAQgmF,mBACjD+H,GAAuB,EACvB,QACF,CAAO,GAAI/jC,IAAYhqD,EAAQ+mF,gBAAiB,CAC9C+G,GAAUD,EAAc,UAAOf,EAAO9iC,GAAS,GAAGhqD,EAAQgmF,sBAC1D+H,GAAuB,EACvB,QACF,CAAO,GAAmB,MAAf/jC,EAAQ,GAAY,CAC7B,MAAMokC,EAAUC,GAAYvB,EAAO,MAAO9sF,GACpCsuF,EAAsB,SAAZtkC,EAAqB,GAAK6jC,EAC1C,IAAIU,EAAiBzB,EAAO9iC,GAAS,GAAGhqD,EAAQgmF,cAChDuI,EAA2C,IAA1BA,EAAe79F,OAAe,IAAM69F,EAAiB,GACtET,GAAUQ,EAAU,IAAItkC,IAAUukC,IAAiBH,MACnDL,GAAuB,EACvB,QACF,CACA,IAAIS,EAAgBX,EACE,KAAlBW,IACFA,GAAiBxuF,EAAQyuF,UAE3B,MACMC,EAAWb,EAAc,IAAI7jC,IADpBqkC,GAAYvB,EAAO,MAAO9sF,KAEnC2uF,EAAWf,GAASd,EAAO9iC,GAAUhqD,EAASiuF,EAAUO,IACf,IAA3CxuF,EAAQwjF,aAAanhF,QAAQ2nD,GAC3BhqD,EAAQ4uF,qBACVd,GAAUY,EAAW,IAErBZ,GAAUY,EAAW,KACZC,GAAgC,IAApBA,EAASj+F,SAAiBsP,EAAQ6uF,kBAEhDF,GAAYA,EAAS35B,SAAS,KACvC84B,GAAUY,EAAW,IAAIC,IAAWd,MAAgB7jC,MAEpD8jC,GAAUY,EAAW,IACjBC,GAA4B,KAAhBd,IAAuBc,EAAS72F,SAAS,OAAS62F,EAAS72F,SAAS,OAClFg2F,GAAUD,EAAc7tF,EAAQyuF,SAAWE,EAAWd,EAEtDC,GAAUa,EAEZb,GAAU,KAAK9jC,MAVf8jC,GAAUY,EAAW,KAYvBX,GAAuB,CACzB,CACA,OAAOD,CACT,CACA,SAASE,GAASvoF,GAChB,MAAMtM,EAAO5K,OAAO4K,KAAKsM,GACzB,IAAK,IAAIjV,EAAI,EAAGA,EAAI2I,EAAKzI,OAAQF,IAAK,CACpC,MAAM0H,EAAMiB,EAAK3I,GACjB,GAAKiV,EAAIhX,eAAeyJ,IAEZ,OAARA,EACF,OAAOA,CACX,CACF,CACA,SAASm2F,GAAYhB,EAASrtF,GAC5B,IAAIskF,EAAU,GACd,GAAI+I,IAAYrtF,EAAQimF,iBACtB,IAAK,IAAIxe,KAAQ4lB,EAAS,CACxB,IAAKA,EAAQ5+F,eAAeg5E,GAC1B,SACF,IAAIqnB,EAAU9uF,EAAQ4mF,wBAAwBnf,EAAM4lB,EAAQ5lB,IAC5DqnB,EAAUlF,GAAqBkF,EAAS9uF,IACxB,IAAZ8uF,GAAoB9uF,EAAQ+uF,0BAC9BzK,GAAW,IAAI7c,EAAK1yD,OAAO/U,EAAQ8lF,oBAAoBp1F,UAEvD4zF,GAAW,IAAI7c,EAAK1yD,OAAO/U,EAAQ8lF,oBAAoBp1F,YAAYo+F,IAEvE,CAEF,OAAOxK,CACT,CACA,SAAS6J,GAAW5G,EAAOvnF,GAEzB,IAAIgqD,GADJu9B,EAAQA,EAAMxyE,OAAO,EAAGwyE,EAAM72F,OAASsP,EAAQgmF,aAAat1F,OAAS,IACjDqkB,OAAOwyE,EAAMsD,YAAY,KAAO,GACpD,IAAK,IAAIh/E,KAAS7L,EAAQ6mF,UACxB,GAAI7mF,EAAQ6mF,UAAUh7E,KAAW07E,GAASvnF,EAAQ6mF,UAAUh7E,KAAW,KAAOm+C,EAC5E,OAAO,EAEX,OAAO,CACT,CACA,SAAS4/B,GAAqBoF,EAAWhvF,GACvC,GAAIgvF,GAAaA,EAAUt+F,OAAS,GAAKsP,EAAQgnF,gBAC/C,IAAK,IAAIx2F,EAAI,EAAGA,EAAIwP,EAAQ0oF,SAASh4F,OAAQF,IAAK,CAChD,MAAMw8D,EAAShtD,EAAQ0oF,SAASl4F,GAChCw+F,EAAYA,EAAU/3F,QAAQ+1D,EAAOnyC,MAAOmyC,EAAOv/C,IACrD,CAEF,OAAOuhF,CACT,CAEA,MAAMC,GA/HN,SAAeC,EAAQlvF,GACrB,IAAI6tF,EAAc,GAIlB,OAHI7tF,EAAQqzC,QAAUrzC,EAAQyuF,SAAS/9F,OAAS,IAC9Cm9F,EAJQ,MAMHD,GAASsB,EAAQlvF,EAAS,GAAI6tF,EACvC,EA0HMpG,GAAiB,CACrB3B,oBAAqB,KACrBC,qBAAqB,EACrBC,aAAc,QACdC,kBAAkB,EAClBK,eAAe,EACfjzC,QAAQ,EACRo7C,SAAU,KACVI,mBAAmB,EACnBD,sBAAsB,EACtBG,2BAA2B,EAC3BpI,kBAAmB,SAASzuF,EAAK/C,GAC/B,OAAOA,CACT,EACAyxF,wBAAyB,SAAStB,EAAUnwF,GAC1C,OAAOA,CACT,EACA0wF,eAAe,EACfkB,iBAAiB,EACjBvD,aAAc,GACdkF,SAAU,CACR,CAAE7tE,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,WAEtCu5E,iBAAiB,EACjBH,UAAW,GAGXsI,cAAc,GAEhB,SAASjoB,GAAQlnE,GACfhR,KAAKgR,QAAUzR,OAAO2I,OAAO,CAAC,EAAGuwF,GAAgBznF,GAC7ChR,KAAKgR,QAAQimF,kBAAoBj3F,KAAKgR,QAAQ+lF,oBAChD/2F,KAAKogG,YAAc,WACjB,OAAO,CACT,GAEApgG,KAAKqgG,cAAgBrgG,KAAKgR,QAAQ8lF,oBAAoBp1F,OACtD1B,KAAKogG,YAAcA,IAErBpgG,KAAKsgG,qBAAuBA,GACxBtgG,KAAKgR,QAAQqzC,QACfrkD,KAAKugG,UAAYA,GACjBvgG,KAAKwgG,WAAa,MAClBxgG,KAAKygG,QAAU,OAEfzgG,KAAKugG,UAAY,WACf,MAAO,EACT,EACAvgG,KAAKwgG,WAAa,IAClBxgG,KAAKygG,QAAU,GAEnB,CA6FA,SAASH,GAAqB5mF,EAAQxQ,EAAKk+E,GACzC,MAAMr/E,EAAS/H,KAAK0gG,IAAIhnF,EAAQ0tE,EAAQ,GACxC,YAA0C,IAAtC1tE,EAAO1Z,KAAKgR,QAAQgmF,eAA2D,IAA/Bz3F,OAAO4K,KAAKuP,GAAQhY,OAC/D1B,KAAK2gG,iBAAiBjnF,EAAO1Z,KAAKgR,QAAQgmF,cAAe9tF,EAAKnB,EAAOutF,QAASlO,GAE9EpnF,KAAK4gG,gBAAgB74F,EAAO0W,IAAKvV,EAAKnB,EAAOutF,QAASlO,EAEjE,CA8DA,SAASmZ,GAAUnZ,GACjB,OAAOpnF,KAAKgR,QAAQyuF,SAASn7E,OAAO8iE,EACtC,CACA,SAASgZ,GAAYp/F,GACnB,SAAIA,EAAKkP,WAAWlQ,KAAKgR,QAAQ8lF,sBAAwB91F,IAAShB,KAAKgR,QAAQgmF,eACtEh2F,EAAK+kB,OAAO/lB,KAAKqgG,cAI5B,CA1KAnoB,GAAQ14E,UAAUo8B,MAAQ,SAASilE,GACjC,OAAI7gG,KAAKgR,QAAQ6lF,cACRoJ,GAAmBY,EAAM7gG,KAAKgR,UAEjCpP,MAAMoI,QAAQ62F,IAAS7gG,KAAKgR,QAAQ8vF,eAAiB9gG,KAAKgR,QAAQ8vF,cAAcp/F,OAAS,IAC3Fm/F,EAAO,CACL,CAAC7gG,KAAKgR,QAAQ8vF,eAAgBD,IAG3B7gG,KAAK0gG,IAAIG,EAAM,GAAGpiF,IAE7B,EACAy5D,GAAQ14E,UAAUkhG,IAAM,SAASG,EAAMzZ,GACrC,IAAIkO,EAAU,GACV32E,EAAO,GACX,IAAK,IAAIzV,KAAO23F,EACd,GAAKthG,OAAOC,UAAUC,eAAeyB,KAAK2/F,EAAM33F,GAEhD,QAAyB,IAAd23F,EAAK33F,GACVlJ,KAAKogG,YAAYl3F,KACnByV,GAAQ,SAEL,GAAkB,OAAdkiF,EAAK33F,GACVlJ,KAAKogG,YAAYl3F,GACnByV,GAAQ,GACY,MAAXzV,EAAI,GACbyV,GAAQ3e,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAM,IAAMlJ,KAAKwgG,WAEvD7hF,GAAQ3e,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAM,IAAMlJ,KAAKwgG,gBAEpD,GAAIK,EAAK33F,aAAgBuI,KAC9BkN,GAAQ3e,KAAK2gG,iBAAiBE,EAAK33F,GAAMA,EAAK,GAAIk+E,QAC7C,GAAyB,iBAAdyZ,EAAK33F,GAAmB,CACxC,MAAMuvE,EAAOz4E,KAAKogG,YAAYl3F,GAC9B,GAAIuvE,EACF6c,GAAWt1F,KAAK+gG,iBAAiBtoB,EAAM,GAAKooB,EAAK33F,SAEjD,GAAIA,IAAQlJ,KAAKgR,QAAQgmF,aAAc,CACrC,IAAI6D,EAAS76F,KAAKgR,QAAQ2mF,kBAAkBzuF,EAAK,GAAK23F,EAAK33F,IAC3DyV,GAAQ3e,KAAK46F,qBAAqBC,EACpC,MACEl8E,GAAQ3e,KAAK2gG,iBAAiBE,EAAK33F,GAAMA,EAAK,GAAIk+E,EAGxD,MAAO,GAAIxlF,MAAMoI,QAAQ62F,EAAK33F,IAAO,CACnC,MAAM83F,EAASH,EAAK33F,GAAKxH,OACzB,IAAIu/F,EAAa,GACjB,IAAK,IAAIv+F,EAAI,EAAGA,EAAIs+F,EAAQt+F,IAAK,CAC/B,MAAM0K,EAAOyzF,EAAK33F,GAAKxG,QACH,IAAT0K,IAEO,OAATA,EACQ,MAAXlE,EAAI,GACNyV,GAAQ3e,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAM,IAAMlJ,KAAKwgG,WAEvD7hF,GAAQ3e,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAM,IAAMlJ,KAAKwgG,WAChC,iBAATpzF,EACZpN,KAAKgR,QAAQmvF,aACfc,GAAcjhG,KAAK0gG,IAAItzF,EAAMg6E,EAAQ,GAAG3oE,IAExCwiF,GAAcjhG,KAAKsgG,qBAAqBlzF,EAAMlE,EAAKk+E,GAGrD6Z,GAAcjhG,KAAK2gG,iBAAiBvzF,EAAMlE,EAAK,GAAIk+E,GAEvD,CACIpnF,KAAKgR,QAAQmvF,eACfc,EAAajhG,KAAK4gG,gBAAgBK,EAAY/3F,EAAK,GAAIk+E,IAEzDzoE,GAAQsiF,CACV,MACE,GAAIjhG,KAAKgR,QAAQ+lF,qBAAuB7tF,IAAQlJ,KAAKgR,QAAQ+lF,oBAAqB,CAChF,MAAMmK,EAAK3hG,OAAO4K,KAAK02F,EAAK33F,IACtBi4F,EAAID,EAAGx/F,OACb,IAAK,IAAIgB,EAAI,EAAGA,EAAIy+F,EAAGz+F,IACrB4yF,GAAWt1F,KAAK+gG,iBAAiBG,EAAGx+F,GAAI,GAAKm+F,EAAK33F,GAAKg4F,EAAGx+F,IAE9D,MACEic,GAAQ3e,KAAKsgG,qBAAqBO,EAAK33F,GAAMA,EAAKk+E,GAIxD,MAAO,CAAEkO,UAAS72E,IAAKE,EACzB,EACAu5D,GAAQ14E,UAAUuhG,iBAAmB,SAASzK,EAAU33E,GAGtD,OAFAA,EAAO3e,KAAKgR,QAAQ4mF,wBAAwBtB,EAAU,GAAK33E,GAC3DA,EAAO3e,KAAK46F,qBAAqBj8E,GAC7B3e,KAAKgR,QAAQ+uF,2BAAsC,SAATphF,EACrC,IAAM23E,EAEN,IAAMA,EAAW,KAAO33E,EAAO,GAC1C,EASAu5D,GAAQ14E,UAAUohG,gBAAkB,SAASjiF,EAAMzV,EAAKosF,EAASlO,GAC/D,GAAa,KAATzoE,EACF,MAAe,MAAXzV,EAAI,GACClJ,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAU,IAAMt1F,KAAKwgG,WAEzDxgG,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAUt1F,KAAK68D,SAAS3zD,GAAOlJ,KAAKwgG,WAE5E,CACL,IAAIY,EAAY,KAAOl4F,EAAMlJ,KAAKwgG,WAC9Ba,EAAgB,GAKpB,MAJe,MAAXn4F,EAAI,KACNm4F,EAAgB,IAChBD,EAAY,KAET9L,GAAuB,KAAZA,IAA0C,IAAvB32E,EAAKtL,QAAQ,MAEJ,IAAjCrT,KAAKgR,QAAQ+mF,iBAA6B7uF,IAAQlJ,KAAKgR,QAAQ+mF,iBAA4C,IAAzBsJ,EAAc3/F,OAClG1B,KAAKugG,UAAUnZ,GAAS,UAAOzoE,UAAY3e,KAAKygG,QAEhDzgG,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAU+L,EAAgBrhG,KAAKwgG,WAAa7hF,EAAO3e,KAAKugG,UAAUnZ,GAASga,EAJ/GphG,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAU+L,EAAgB,IAAM1iF,EAAOyiF,CAMtF,CACF,EACAlpB,GAAQ14E,UAAUq9D,SAAW,SAAS3zD,GACpC,IAAI2zD,EAAW,GASf,OARgD,IAA5C78D,KAAKgR,QAAQwjF,aAAanhF,QAAQnK,GAC/BlJ,KAAKgR,QAAQ4uF,uBAChB/iC,EAAW,KAEbA,EADS78D,KAAKgR,QAAQ6uF,kBACX,IAEA,MAAM32F,IAEZ2zD,CACT,EACAqb,GAAQ14E,UAAUmhG,iBAAmB,SAAShiF,EAAMzV,EAAKosF,EAASlO,GAChE,IAAmC,IAA/BpnF,KAAKgR,QAAQsmF,eAA2BpuF,IAAQlJ,KAAKgR,QAAQsmF,cAC/D,OAAOt3F,KAAKugG,UAAUnZ,GAAS,YAAYzoE,OAAY3e,KAAKygG,QACvD,IAAqC,IAAjCzgG,KAAKgR,QAAQ+mF,iBAA6B7uF,IAAQlJ,KAAKgR,QAAQ+mF,gBACxE,OAAO/3F,KAAKugG,UAAUnZ,GAAS,UAAOzoE,UAAY3e,KAAKygG,QAClD,GAAe,MAAXv3F,EAAI,GACb,OAAOlJ,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAU,IAAMt1F,KAAKwgG,WAC3D,CACL,IAAIR,EAAYhgG,KAAKgR,QAAQ2mF,kBAAkBzuF,EAAKyV,GAEpD,OADAqhF,EAAYhgG,KAAK46F,qBAAqBoF,GACpB,KAAdA,EACKhgG,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAUt1F,KAAK68D,SAAS3zD,GAAOlJ,KAAKwgG,WAExExgG,KAAKugG,UAAUnZ,GAAS,IAAMl+E,EAAMosF,EAAU,IAAM0K,EAAY,KAAO92F,EAAMlJ,KAAKwgG,UAE7F,CACF,EACAtoB,GAAQ14E,UAAUo7F,qBAAuB,SAASoF,GAChD,GAAIA,GAAaA,EAAUt+F,OAAS,GAAK1B,KAAKgR,QAAQgnF,gBACpD,IAAK,IAAIx2F,EAAI,EAAGA,EAAIxB,KAAKgR,QAAQ0oF,SAASh4F,OAAQF,IAAK,CACrD,MAAMw8D,EAASh+D,KAAKgR,QAAQ0oF,SAASl4F,GACrCw+F,EAAYA,EAAU/3F,QAAQ+1D,EAAOnyC,MAAOmyC,EAAOv/C,IACrD,CAEF,OAAOuhF,CACT,EAeA,IAAIsB,GAAM,CACRC,UA9ZgB,MAChB,WAAA7rE,CAAY1kB,GACVhR,KAAKq6F,iBAAmB,CAAC,EACzBr6F,KAAKgR,QAAUwnF,GAAaxnF,EAC9B,CAMA,KAAAzE,CAAMooF,EAAS6M,GACb,GAAuB,iBAAZ7M,OAEN,KAAIA,EAAQnxF,SAGf,MAAM,IAAIwE,MAAM,mDAFhB2sF,EAAUA,EAAQnxF,UAGpB,CACA,GAAIg+F,EAAkB,EACK,IAArBA,IACFA,EAAmB,CAAC,GACtB,MAAMz5F,EAAS42F,GAAY3J,SAASL,EAAS6M,GAC7C,IAAe,IAAXz5F,EACF,MAAMC,MAAM,GAAGD,EAAOmW,IAAIyW,OAAO5sB,EAAOmW,IAAIq7C,QAAQxxD,EAAOmW,IAAI23E,MAEnE,CACA,MAAM4L,EAAmB,IAAI/C,GAAkB1+F,KAAKgR,SACpDywF,EAAiBrH,oBAAoBp6F,KAAKq6F,kBAC1C,MAAMqH,EAAgBD,EAAiBpG,SAAS1G,GAChD,OAAI30F,KAAKgR,QAAQ6lF,oBAAmC,IAAlB6K,EACzBA,EAEAjD,GAASiD,EAAe1hG,KAAKgR,QACxC,CAMA,SAAA2wF,CAAUz4F,EAAKE,GACb,IAA4B,IAAxBA,EAAMiK,QAAQ,KAChB,MAAM,IAAIrL,MAAM,+BACX,IAA0B,IAAtBkB,EAAImK,QAAQ,OAAqC,IAAtBnK,EAAImK,QAAQ,KAChD,MAAM,IAAIrL,MAAM,wEACX,GAAc,MAAVoB,EACT,MAAM,IAAIpB,MAAM,6CAEhBhI,KAAKq6F,iBAAiBnxF,GAAOE,CAEjC,GA8WAw4F,aALgBnO,EAMhBoO,WAPa3pB,IAwDf,MAAMr3D,GACJihF,MACA,WAAApsE,CAAYmE,GACVkoE,GAAYloE,GACZ75B,KAAK8hG,MAAQjoE,CACf,CACA,MAAIjwB,GACF,OAAO5J,KAAK8hG,MAAMl4F,EACpB,CACA,QAAI5I,GACF,OAAOhB,KAAK8hG,MAAM9gG,IACpB,CACA,WAAI6lD,GACF,OAAO7mD,KAAK8hG,MAAMj7C,OACpB,CACA,cAAIyL,GACF,OAAOtyD,KAAK8hG,MAAMxvC,UACpB,CACA,gBAAIC,GACF,OAAOvyD,KAAK8hG,MAAMvvC,YACpB,CACA,eAAIvlB,GACF,OAAOhtC,KAAK8hG,MAAM90D,WACpB,CACA,QAAIphC,GACF,OAAO5L,KAAK8hG,MAAMl2F,IACpB,CACA,QAAIA,CAAKA,GACP5L,KAAK8hG,MAAMl2F,KAAOA,CACpB,CACA,SAAI03B,GACF,OAAOtjC,KAAK8hG,MAAMx+D,KACpB,CACA,SAAIA,CAAMA,GACRtjC,KAAK8hG,MAAMx+D,MAAQA,CACrB,CACA,UAAIlkB,GACF,OAAOpf,KAAK8hG,MAAM1iF,MACpB,CACA,UAAIA,CAAOA,GACTpf,KAAK8hG,MAAM1iF,OAASA,CACtB,CACA,WAAIqkC,GACF,OAAOzjD,KAAK8hG,MAAMr+C,OACpB,CACA,aAAIu+C,GACF,OAAOhiG,KAAK8hG,MAAME,SACpB,CACA,UAAIriF,GACF,OAAO3f,KAAK8hG,MAAMniF,MACpB,CACA,UAAIglB,GACF,OAAO3kC,KAAK8hG,MAAMn9D,MACpB,CACA,YAAIP,GACF,OAAOpkC,KAAK8hG,MAAM19D,QACpB,CACA,YAAIA,CAASA,GACXpkC,KAAK8hG,MAAM19D,SAAWA,CACxB,CACA,kBAAIkhB,GACF,OAAOtlD,KAAK8hG,MAAMx8C,cACpB,EAEF,MAAMy8C,GAAc,SAASloE,GAC3B,IAAKA,EAAKjwB,IAAyB,iBAAZiwB,EAAKjwB,GAC1B,MAAM,IAAI5B,MAAM,4CAElB,IAAK6xB,EAAK74B,MAA6B,iBAAd64B,EAAK74B,KAC5B,MAAM,IAAIgH,MAAM,8CAElB,GAAI6xB,EAAK4pB,SAAW5pB,EAAK4pB,QAAQ/hD,OAAS,KAAOm4B,EAAKgtB,SAAmC,iBAAjBhtB,EAAKgtB,SAC3E,MAAM,IAAI7+C,MAAM,qEAElB,IAAK6xB,EAAKmT,aAA2C,mBAArBnT,EAAKmT,YACnC,MAAM,IAAIhlC,MAAM,uDAElB,IAAK6xB,EAAKjuB,MAA6B,iBAAdiuB,EAAKjuB,OA5HhC,SAAe0N,GACb,GAAsB,iBAAXA,EACT,MAAM,IAAIlZ,UAAU,uCAAuCkZ,OAG7D,GAAsB,KADtBA,EAASA,EAAOiC,QACL7Z,OACT,OAAO,EAET,IAA0C,IAAtC4/F,GAAIM,aAAa5M,SAAS17E,GAC5B,OAAO,EAET,IAAI2oF,EACJ,MAAMtwC,EAAS,IAAI2vC,GAAIC,UACvB,IACEU,EAAatwC,EAAOplD,MAAM+M,EAC5B,CAAE,MACA,OAAO,CACT,CACA,QAAK2oF,KAGA1iG,OAAO4K,KAAK83F,GAAY/2D,MAAMhxB,GAA0B,QAApBA,EAAErR,eAI7C,CAmGsDq5F,CAAMroE,EAAKjuB,MAC7D,MAAM,IAAI5D,MAAM,wDAElB,KAAM,UAAW6xB,IAA+B,iBAAfA,EAAKyJ,MACpC,MAAM,IAAIt7B,MAAM,+CASlB,GAPI6xB,EAAK4pB,SACP5pB,EAAK4pB,QAAQp1C,SAASk2C,IACpB,KAAMA,aAAkB+uC,GACtB,MAAM,IAAItrF,MAAM,gEAClB,IAGA6xB,EAAKmoE,WAAuC,mBAAnBnoE,EAAKmoE,UAChC,MAAM,IAAIh6F,MAAM,qCAElB,GAAI6xB,EAAKla,QAAiC,iBAAhBka,EAAKla,OAC7B,MAAM,IAAI3X,MAAM,gCAElB,GAAI,WAAY6xB,GAA+B,kBAAhBA,EAAK8K,OAClC,MAAM,IAAI38B,MAAM,iCAElB,GAAI,aAAc6xB,GAAiC,kBAAlBA,EAAKuK,SACpC,MAAM,IAAIp8B,MAAM,mCAElB,GAAI6xB,EAAKyrB,gBAAiD,iBAAxBzrB,EAAKyrB,eACrC,MAAM,IAAIt9C,MAAM,wCAElB,OAAO,CACT,EA+BMm6F,GAAwB,SAASriG,GAErC,YAlhGsC,IAA3B8D,OAAOw+F,kBAChBx+F,OAAOw+F,gBAAkB,IAAI3S,EAC7BtwD,EAAOwE,MAAM,4BAER//B,OAAOw+F,iBA8gGKl5D,WAAWppC,GAASib,MAAK,CAAC5U,EAAG6U,SAC9B,IAAZ7U,EAAEm9B,YAAgC,IAAZtoB,EAAEsoB,OAAoBn9B,EAAEm9B,QAAUtoB,EAAEsoB,MACrDn9B,EAAEm9B,MAAQtoB,EAAEsoB,MAEdn9B,EAAE0+B,YAAYw9D,cAAcrnF,EAAE6pB,iBAAa,EAAQ,CAAEqqB,SAAS,EAAMozC,YAAa,UAE5F,8PCloGItxF,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,MAAM4iE,UAAoBv6F,MAChC,WAAA0tB,CAAYhB,GACX2T,MAAM3T,GAAU,wBAChB10B,KAAKgB,KAAO,aACb,CAEA,cAAIwhG,GACH,OAAO,CACR,EAGD,MAAMC,EAAeljG,OAAOkgB,OAAO,CAClCwS,QAAS5uB,OAAO,WAChBq/F,SAAUr/F,OAAO,YACjBoxB,SAAUpxB,OAAO,YACjBs/F,SAAUt/F,OAAO,cAGH,MAAMu/F,EACpB,SAAO/iG,CAAGgjG,GACT,MAAO,IAAIlmE,IAAe,IAAIimE,GAAY,CAAC71F,EAASC,EAAQqgC,KAC3D1Q,EAAWn8B,KAAK6sC,GAChBw1D,KAAgBlmE,GAAYtnB,KAAKtI,EAASC,EAAO,GAEnD,CAEA,GAAkB,GAClB,IAAkB,EAClB,GAASy1F,EAAaxwE,QACtB,GACA,GAEA,WAAAyD,CAAYotE,GACX9iG,MAAK,EAAW,IAAI8M,SAAQ,CAACC,EAASC,KACrChN,MAAK,EAAUgN,EAEf,MAcMqgC,EAAWlkB,IAChB,GAAInpB,MAAK,IAAWyiG,EAAaxwE,QAChC,MAAM,IAAIjqB,MAAM,2DAA2DhI,MAAK,EAAO+iG,gBAGxF/iG,MAAK,EAAgBQ,KAAK2oB,EAAQ,EAGnC5pB,OAAO24B,iBAAiBmV,EAAU,CACjC21D,aAAc,CACbr1F,IAAK,IAAM3N,MAAK,EAChBgQ,IAAKizF,IACJjjG,MAAK,EAAkBijG,CAAO,KAKjCH,GA/BkB15F,IACbpJ,MAAK,IAAWyiG,EAAaC,UAAar1D,EAAS21D,eACtDj2F,EAAQ3D,GACRpJ,MAAK,EAAUyiG,EAAahuE,UAC7B,IAGgBzvB,IACZhF,MAAK,IAAWyiG,EAAaC,UAAar1D,EAAS21D,eACtDh2F,EAAOhI,GACPhF,MAAK,EAAUyiG,EAAaE,UAC7B,GAoB6Bt1D,EAAS,GAEzC,CAGA,IAAAh4B,CAAK6tF,EAAaC,GACjB,OAAOnjG,MAAK,EAASqV,KAAK6tF,EAAaC,EACxC,CAEA,MAAMA,GACL,OAAOnjG,MAAK,EAAS2V,MAAMwtF,EAC5B,CAEA,QAAQC,GACP,OAAOpjG,MAAK,EAASqjG,QAAQD,EAC9B,CAEA,MAAAtmE,CAAOpI,GACN,GAAI10B,MAAK,IAAWyiG,EAAaxwE,QAAjC,CAMA,GAFAjyB,MAAK,EAAUyiG,EAAaC,UAExB1iG,MAAK,EAAgB0B,OAAS,EACjC,IACC,IAAK,MAAMynB,KAAWnpB,MAAK,EAC1BmpB,GAEF,CAAE,MAAOnkB,GAER,YADAhF,MAAK,EAAQgF,EAEd,CAGGhF,MAAK,GACRA,MAAK,EAAQ,IAAIuiG,EAAY7tE,GAhB9B,CAkBD,CAEA,cAAI8tE,GACH,OAAOxiG,MAAK,IAAWyiG,EAAaC,QACrC,CAEA,GAAUz5F,GACLjJ,MAAK,IAAWyiG,EAAaxwE,UAChCjyB,MAAK,EAASiJ,EAEhB,EAGD1J,OAAOmzE,eAAekwB,EAAYpjG,UAAWsN,QAAQtN,yBCtH9C,MAAM8jG,UAAqBt7F,MACjC,WAAA0tB,CAAYrtB,GACXggC,MAAMhgC,GACNrI,KAAKgB,KAAO,cACb,EAOM,MAAMuiG,UAAmBv7F,MAC/B,WAAA0tB,CAAYrtB,GACXggC,QACAroC,KAAKgB,KAAO,aACZhB,KAAKqI,QAAUA,CAChB,EAMD,MAAMm7F,EAAkBC,QAA4CjhG,IAA5B0B,WAAWw/F,aAChD,IAAIH,EAAWE,GACf,IAAIC,aAAaD,GAKdE,EAAmBl2D,IACxB,MAAM/Y,OAA2BlyB,IAAlBirC,EAAO/Y,OACnB8uE,EAAgB,+BAChB/1D,EAAO/Y,OAEV,OAAOA,aAAkB1sB,MAAQ0sB,EAAS8uE,EAAgB9uE,EAAO,ECjCnD,MAAMkvE,EACjB,GAAS,GACT,OAAAC,CAAQ9tF,EAAK/E,GAKT,MAAMypC,EAAU,CACZqpD,UALJ9yF,EAAU,CACN8yF,SAAU,KACP9yF,IAGe8yF,SAClB/tF,OAEJ,GAAI/V,KAAK0P,MAAQ1P,MAAK,EAAOA,KAAK0P,KAAO,GAAGo0F,UAAY9yF,EAAQ8yF,SAE5D,YADA9jG,MAAK,EAAOQ,KAAKi6C,GAGrB,MAAM59B,ECdC,SAAoBknF,EAAO36F,EAAO46F,GAC7C,IAAIl5B,EAAQ,EACRtf,EAAQu4C,EAAMriG,OAClB,KAAO8pD,EAAQ,GAAG,CACd,MAAMh6B,EAAOqC,KAAKowE,MAAMz4C,EAAQ,GAChC,IAAI04C,EAAKp5B,EAAQt5C,EDS+BrrB,ECRjC49F,EAAMG,GAAK96F,EDQiC06F,SAAW39F,EAAE29F,UCRpC,GAChCh5B,IAAUo5B,EACV14C,GAASh6B,EAAO,GAGhBg6B,EAAQh6B,CAEhB,CDCmD,IAACrrB,ECApD,OAAO2kE,CACX,CDDsBq5B,CAAWnkG,MAAK,EAAQy6C,GACtCz6C,MAAK,EAAOsT,OAAOuJ,EAAO,EAAG49B,EACjC,CACA,OAAA2pD,GACI,MAAMh3F,EAAOpN,MAAK,EAAOwe,QACzB,OAAOpR,GAAM2I,GACjB,CACA,MAAA9G,CAAO+B,GACH,OAAOhR,MAAK,EAAOiP,QAAQwrC,GAAYA,EAAQqpD,WAAa9yF,EAAQ8yF,WAAU50F,KAAKurC,GAAYA,EAAQ1kC,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,GAMAwsC,QAEA,WAAAthD,CAAY1kB,GAYR,GAXAq3B,UAWqC,iBATrCr3B,EAAU,CACNqzF,2BAA2B,EAC3BC,YAAarpF,OAAOspF,kBACpBC,SAAU,EACV/5D,YAAaxvB,OAAOspF,kBACpBE,WAAW,EACXC,WAAYd,KACT5yF,IAEcszF,aAA4BtzF,EAAQszF,aAAe,GACpE,MAAM,IAAIlkG,UAAU,gEAAgE4Q,EAAQszF,aAAa9gG,YAAc,gBAAgBwN,EAAQszF,gBAEnJ,QAAyB9hG,IAArBwO,EAAQwzF,YAA4BvpF,OAAO2lD,SAAS5vD,EAAQwzF,WAAaxzF,EAAQwzF,UAAY,GAC7F,MAAM,IAAIpkG,UAAU,2DAA2D4Q,EAAQwzF,UAAUhhG,YAAc,gBAAgBwN,EAAQwzF,aAE3IxkG,MAAK,EAA6BgR,EAAQqzF,0BAC1CrkG,MAAK,EAAqBgR,EAAQszF,cAAgBrpF,OAAOspF,mBAA0C,IAArBvzF,EAAQwzF,SACtFxkG,MAAK,EAAegR,EAAQszF,YAC5BtkG,MAAK,EAAYgR,EAAQwzF,SACzBxkG,MAAK,EAAS,IAAIgR,EAAQ0zF,WAC1B1kG,MAAK,EAAcgR,EAAQ0zF,WAC3B1kG,KAAKyqC,YAAcz5B,EAAQy5B,YAC3BzqC,KAAKg3E,QAAUhmE,EAAQgmE,QACvBh3E,MAAK,GAA6C,IAA3BgR,EAAQ2zF,eAC/B3kG,MAAK,GAAkC,IAAtBgR,EAAQyzF,SAC7B,CACA,KAAI,GACA,OAAOzkG,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+2E,cAAc/2E,MAAK,GAEvBA,MAAK,OAAcwC,EACnBxC,KAAK8B,KAAK,SACY,IAAlB9B,MAAK,GACLA,KAAK8B,KAAK,SAEP,EAEX,IAAK9B,MAAK,EAAW,CACjB,MAAM4kG,GAAyB5kG,MAAK,EACpC,GAAIA,MAAK,GAA6BA,MAAK,EAA6B,CACpE,MAAM6kG,EAAM7kG,MAAK,EAAOokG,UACxB,QAAKS,IAGL7kG,KAAK8B,KAAK,UACV+iG,IACID,GACA5kG,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+2E,cAAc/2E,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,CAAYq6D,GACZ,KAAgC,iBAAnBA,GAA+BA,GAAkB,GAC1D,MAAM,IAAI1kG,UAAU,gEAAgE0kG,eAA4BA,MAEpH9kG,MAAK,EAAe8kG,EACpB9kG,MAAK,GACT,CACA,OAAM,CAAcytC,GAChB,OAAO,IAAI3gC,SAAQ,CAACi4F,EAAU/3F,KAC1BygC,EAAOrf,iBAAiB,SAAS,KAC7BphB,EAAOygC,EAAO/Y,OAAO,GACtB,CAAE30B,MAAM,GAAO,GAE1B,CACA,SAAM8T,CAAImxF,EAAWh0F,EAAU,CAAC,GAM5B,OALAA,EAAU,CACNgmE,QAASh3E,KAAKg3E,QACd2tB,eAAgB3kG,MAAK,KAClBgR,GAEA,IAAIlE,SAAQ,CAACC,EAASC,KACzBhN,MAAK,EAAO6jG,SAAQ73F,UAChBhM,MAAK,IACLA,MAAK,IACL,IACIgR,EAAQy8B,QAAQw3D,iBAChB,IAAI16F,EAAYy6F,EAAU,CAAEv3D,OAAQz8B,EAAQy8B,SACxCz8B,EAAQgmE,UACRzsE,EHhJT,SAAkB+iD,EAASt8C,GACzC,MAAM,aACLk0F,EAAY,SACZ3uE,EAAQ,QACRluB,EAAO,aACP88F,EAAe,CAACv+F,WAAY41B,eACzBxrB,EAEJ,IAAIo0F,EAEJ,MA0DMC,EA1DiB,IAAIv4F,SAAQ,CAACC,EAASC,KAC5C,GAA4B,iBAAjBk4F,GAAyD,IAA5BrxE,KAAKqmE,KAAKgL,GACjD,MAAM,IAAI9kG,UAAU,4DAA4D8kG,OAGjF,GAAIl0F,EAAQy8B,OAAQ,CACnB,MAAM,OAACA,GAAUz8B,EACby8B,EAAO9c,SACV3jB,EAAO22F,EAAiBl2D,IAGzBA,EAAOrf,iBAAiB,SAAS,KAChCphB,EAAO22F,EAAiBl2D,GAAQ,GAElC,CAEA,GAAIy3D,IAAiBjqF,OAAOspF,kBAE3B,YADAj3C,EAAQj4C,KAAKtI,EAASC,GAKvB,MAAMs4F,EAAe,IAAIhC,EAEzB8B,EAAQD,EAAav+F,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,IAEPi9F,EAAaj9F,QAAUA,GAAW,2BAA2B68F,iBAC7Dl4F,EAAOs4F,GACR,GACEJ,GAEH,WACC,IACCn4F,QAAcugD,EACf,CAAE,MAAOtoD,GACRgI,EAAOhI,EACR,CACA,EAND,EAMI,IAGoCq+F,SAAQ,KAChDgC,EAAkBxoE,OAAO,IAQ1B,OALAwoE,EAAkBxoE,MAAQ,KACzBsoE,EAAa3oE,aAAat7B,UAAKsB,EAAW4iG,GAC1CA,OAAQ5iG,CAAS,EAGX6iG,CACR,CGkEoCE,CAASz4F,QAAQC,QAAQxC,GAAY,CAAE26F,aAAcl0F,EAAQgmE,WAEzEhmE,EAAQy8B,SACRljC,EAAYuC,QAAQ04F,KAAK,CAACj7F,EAAWvK,MAAK,EAAcgR,EAAQy8B,WAEpE,MAAM1lC,QAAewC,EACrBwC,EAAQhF,GACR/H,KAAK8B,KAAK,YAAaiG,EAC3B,CACA,MAAO/C,GACH,GAAIA,aAAiBs+F,IAAiBtyF,EAAQ2zF,eAE1C,YADA53F,IAGJC,EAAOhI,GACPhF,KAAK8B,KAAK,QAASkD,EACvB,CACA,QACIhF,MAAK,GACT,IACDgR,GACHhR,KAAK8B,KAAK,OACV9B,MAAK,GAAoB,GAEjC,CACA,YAAMylG,CAAOC,EAAW10F,GACpB,OAAOlE,QAAQi8B,IAAI28D,EAAUx2F,KAAIlD,MAAOg5F,GAAchlG,KAAK6T,IAAImxF,EAAWh0F,KAC9E,CAIA,KAAAmhC,GACI,OAAKnyC,MAAK,GAGVA,MAAK,GAAY,EACjBA,MAAK,IACEA,MAJIA,IAKf,CAIA,KAAAkyC,GACIlyC,MAAK,GAAY,CACrB,CAIA,KAAA68B,GACI78B,MAAK,EAAS,IAAIA,MAAK,CAC3B,CAMA,aAAM2lG,GAEuB,IAArB3lG,MAAK,EAAO0P,YAGV1P,MAAK,EAAS,QACxB,CAQA,oBAAM4lG,CAAeC,GAEb7lG,MAAK,EAAO0P,KAAOm2F,SAGjB7lG,MAAK,EAAS,QAAQ,IAAMA,MAAK,EAAO0P,KAAOm2F,GACzD,CAMA,YAAMC,GAEoB,IAAlB9lG,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,MAAAq2F,CAAO/0F,GAEH,OAAOhR,MAAK,EAAOiP,OAAO+B,GAAStP,MACvC,CAIA,WAAIuwB,GACA,OAAOjyB,MAAK,CAChB,CAIA,YAAIgqE,GACA,OAAOhqE,MAAK,CAChB,kHCjSJ,MAAMgmG,EAAIh6F,eAAe7G,EAAGo6D,EAAGvhC,EAAGjI,EAAI,SACnCv0B,OAAI,EAAQ+B,EAAI,CAAC,GAClB,IAAI9B,EACJ,OAA2BA,EAApB89D,aAAat4D,KAAWs4D,QAAcA,IAAK/9D,IAAM+B,EAAE08C,YAAcz+C,GAAI+B,EAAE,kBAAoBA,EAAE,gBAAkB,kCAAmC,IAAE0iG,QAAQ,CACjK/5D,OAAQ,MACR7nC,IAAKc,EACL+E,KAAMzI,EACNgsC,OAAQzP,EACRkoE,iBAAkBnwE,EAClBkW,QAAS1oC,GAEb,EAAG4iG,EAAI,SAAShhG,EAAGo6D,EAAGvhC,GACpB,OAAa,IAANuhC,GAAWp6D,EAAEuK,MAAQsuB,EAAIlxB,QAAQC,QAAQ,IAAI9F,KAAK,CAAC9B,GAAI,CAAE6B,KAAM7B,EAAE6B,MAAQ,8BAAiC8F,QAAQC,QAAQ,IAAI9F,KAAK,CAAC9B,EAAEhE,MAAMo+D,EAAGA,EAAIvhC,IAAK,CAAEh3B,KAAM,6BACzK,EAOGkT,EAAI,SAAS/U,OAAI,GAClB,MAAMo6D,EAAI37D,OAAOm7C,IAAIqnD,WAAWl5F,OAAOm5F,eACvC,GAAI9mC,GAAK,EACP,OAAO,EACT,IAAKtkD,OAAOskD,GACV,OAAO,SACT,MAAMvhC,EAAInK,KAAKD,IAAI3Y,OAAOskD,GAAI,SAC9B,YAAa,IAANp6D,EAAe64B,EAAInK,KAAKD,IAAIoK,EAAGnK,KAAK2zB,KAAKriD,EAAI,KACtD,EACA,IAAI4Y,EAAoB,CAAE5Y,IAAOA,EAAEA,EAAEmhG,YAAc,GAAK,cAAenhG,EAAEA,EAAEohG,UAAY,GAAK,YAAaphG,EAAEA,EAAEqhG,WAAa,GAAK,aAAcrhG,EAAEA,EAAEshG,SAAW,GAAK,WAAYthG,EAAEA,EAAEuhG,UAAY,GAAK,YAAavhG,EAAEA,EAAEknD,OAAS,GAAK,SAAUlnD,GAAnN,CAAuN4Y,GAAK,CAAC,GACrP,IAAIq7C,EAAK,MACPutC,QACAC,MACAC,WACAC,QACAC,MACAC,UAAY,EACZC,WAAa,EACbC,QAAU,EACVC,YACAC,UAAY,KACZ,WAAA1xE,CAAY6pC,EAAGvhC,GAAI,EAAIjI,EAAGv0B,GACxB,MAAM+B,EAAIswB,KAAKiM,IAAI5lB,IAAM,EAAI2Z,KAAK2zB,KAAKzxB,EAAI7b,KAAO,EAAG,KACrDla,KAAK2mG,QAAUpnC,EAAGv/D,KAAK6mG,WAAa7oE,GAAK9jB,IAAM,GAAK3W,EAAI,EAAGvD,KAAK8mG,QAAU9mG,KAAK6mG,WAAatjG,EAAI,EAAGvD,KAAK+mG,MAAQhxE,EAAG/1B,KAAK4mG,MAAQplG,EAAGxB,KAAKmnG,YAAc,IAAIj6D,eAC5J,CACA,UAAI/oB,GACF,OAAOnkB,KAAK2mG,OACd,CACA,QAAIx5F,GACF,OAAOnN,KAAK4mG,KACd,CACA,aAAIS,GACF,OAAOrnG,KAAK6mG,UACd,CACA,UAAIS,GACF,OAAOtnG,KAAK8mG,OACd,CACA,QAAIp3F,GACF,OAAO1P,KAAK+mG,KACd,CACA,aAAIQ,GACF,OAAOvnG,KAAKinG,UACd,CACA,YAAIpiG,CAAS06D,GACXv/D,KAAKonG,UAAY7nC,CACnB,CACA,YAAI16D,GACF,OAAO7E,KAAKonG,SACd,CACA,YAAII,GACF,OAAOxnG,KAAKgnG,SACd,CAIA,YAAIQ,CAASjoC,GACX,GAAIA,GAAKv/D,KAAK+mG,MAEZ,OADA/mG,KAAKknG,QAAUlnG,KAAK6mG,WAAa,EAAI,OAAG7mG,KAAKgnG,UAAYhnG,KAAK+mG,OAGhE/mG,KAAKknG,QAAU,EAAGlnG,KAAKgnG,UAAYznC,EAAuB,IAApBv/D,KAAKinG,aAAqBjnG,KAAKinG,YAAa,IAAqBx1F,MAAQyyC,UACjH,CACA,UAAI9+C,GACF,OAAOpF,KAAKknG,OACd,CAIA,UAAI9hG,CAAOm6D,GACTv/D,KAAKknG,QAAU3nC,CACjB,CAIA,UAAI9xB,GACF,OAAOztC,KAAKmnG,YAAY15D,MAC1B,CAIA,MAAA3Q,GACE98B,KAAKmnG,YAAY1zE,QAASzzB,KAAKknG,QAAU,CAC3C,GAuBF,MAA8GxkC,EAAtF,QAAZv9D,GAAyG,YAAtF,UAAIu2B,OAAO,YAAYE,SAAU,UAAIF,OAAO,YAAY8zD,OAAOrqF,EAAEs8B,KAAK7F,QAA1F,IAACz2B,EACRsiG,EAAoB,CAAEtiG,IAAOA,EAAEA,EAAEuiG,KAAO,GAAK,OAAQviG,EAAEA,EAAEohG,UAAY,GAAK,YAAaphG,EAAEA,EAAEwiG,OAAS,GAAK,SAAUxiG,GAA/F,CAAmGsiG,GAAK,CAAC,GACjI,MAAMG,EAEJC,mBACAC,UAEAC,aAAe,GACfC,UAAY,IAAI,EAAE,CAAEv9D,YAAa,IACjCw9D,WAAa,EACbC,eAAiB,EACjBC,aAAe,EACfC,WAAa,GAOb,WAAA1yE,CAAY6pC,GAAI,EAAIvhC,GAClB,GAAIh+B,KAAK8nG,UAAYvoC,GAAIvhC,EAAG,CAC1B,MAAMjI,GAAI,WAAK0L,IAAKjgC,GAAI,QAAE,aAAau0B,KACvC,IAAKA,EACH,MAAM,IAAI/tB,MAAM,yBAClBg2B,EAAI,IAAI,KAAE,CACRp0B,GAAI,EACJ4iC,MAAOzW,EACPqP,YAAa,KAAEwF,IACfzF,KAAM,UAAUpP,IAChB5R,OAAQ3iB,GAEZ,CACAxB,KAAKgqC,YAAchM,EAAG0kC,EAAE/+B,MAAM,+BAAgC,CAC5DqG,YAAahqC,KAAKgqC,YAClB7E,KAAMnlC,KAAKmlC,KACXqtD,SAAUjzB,EACV8oC,cAAenuF,KAEnB,CAIA,eAAI8vB,GACF,OAAOhqC,KAAK6nG,kBACd,CAIA,eAAI79D,CAAYu1B,GACd,IAAKA,EACH,MAAM,IAAIv3D,MAAM,8BAClB06D,EAAE/+B,MAAM,kBAAmB,CAAE+J,OAAQ6xB,IAAMv/D,KAAK6nG,mBAAqBtoC,CACvE,CAIA,QAAIp6B,GACF,OAAOnlC,KAAK6nG,mBAAmB1jF,MACjC,CAIA,SAAImN,GACF,OAAOtxB,KAAK+nG,YACd,CACA,KAAAlgE,GACE7nC,KAAK+nG,aAAaz0F,OAAO,EAAGtT,KAAK+nG,aAAarmG,QAAS1B,KAAKgoG,UAAUnrE,QAAS78B,KAAKioG,WAAa,EAAGjoG,KAAKkoG,eAAiB,EAAGloG,KAAKmoG,aAAe,CACnJ,CAIA,KAAAj2D,GACElyC,KAAKgoG,UAAU91D,QAASlyC,KAAKmoG,aAAe,CAC9C,CAIA,KAAAh2D,GACEnyC,KAAKgoG,UAAU71D,QAASnyC,KAAKmoG,aAAe,EAAGnoG,KAAKsoG,aACtD,CAIA,QAAI51F,GACF,MAAO,CACLhD,KAAM1P,KAAKioG,WACX3kC,SAAUtjE,KAAKkoG,eACf9iG,OAAQpF,KAAKmoG,aAEjB,CACA,WAAAG,GACE,MAAM/oC,EAAIv/D,KAAK+nG,aAAa74F,KAAK6mB,GAAMA,EAAErmB,OAAMzF,QAAO,CAAC8rB,EAAGv0B,IAAMu0B,EAAIv0B,GAAG,GAAIw8B,EAAIh+B,KAAK+nG,aAAa74F,KAAK6mB,GAAMA,EAAEyxE,WAAUv9F,QAAO,CAAC8rB,EAAGv0B,IAAMu0B,EAAIv0B,GAAG,GAChJxB,KAAKioG,WAAa1oC,EAAGv/D,KAAKkoG,eAAiBlqE,EAAyB,IAAtBh+B,KAAKmoG,eAAuBnoG,KAAKmoG,aAAenoG,KAAKgoG,UAAUt4F,KAAO,EAAI,EAAI,EAC9H,CACA,WAAA64F,CAAYhpC,GACVv/D,KAAKooG,WAAW5nG,KAAK++D,EACvB,CAOA,MAAAttB,CAAOstB,EAAGvhC,EAAGjI,GACX,MAAMv0B,EAAI,GAAGu0B,GAAK/1B,KAAKmlC,QAAQo6B,EAAEt3D,QAAQ,MAAO,OAAS1B,OAAQhD,GAAM,IAAImD,IAAIlF,GAAIC,EAAI8B,GAAI,QAAE/B,EAAEL,MAAMoC,EAAE7B,SACvGghE,EAAE/+B,MAAM,aAAa3F,EAAEh9B,WAAWS,KAClC,MAAM+mG,EAAItuF,EAAE8jB,EAAEtuB,MAAO8mE,EAAU,IAANgyB,GAAWxqE,EAAEtuB,KAAO84F,GAAKxoG,KAAK8nG,UAAW3hG,EAAI,IAAIizD,EAAG53D,GAAIg1E,EAAGx4C,EAAEtuB,KAAMsuB,GAC5F,OAAOh+B,KAAK+nG,aAAavnG,KAAK2F,GAAInG,KAAKsoG,cAAe,IAAI,GAAEt8F,MAAOy8F,EAAG9lC,EAAG+lC,KACvE,GAAIA,EAAEviG,EAAE22B,QAAS05C,EAAG,CAClB9T,EAAE/+B,MAAM,8BAA+B,CAAEx2B,KAAM6wB,EAAGiU,OAAQ9rC,IAC1D,MAAM6Q,QAAUmvF,EAAEnoE,EAAG,EAAG73B,EAAEuJ,MAAOyxF,EAAIn1F,UACnC,IACE7F,EAAEtB,eAAiBmhG,EACjBvkG,EACAuV,EACA7Q,EAAEsnC,QACDnoB,IACCnf,EAAEqhG,SAAWrhG,EAAEqhG,SAAWliF,EAAEqjF,MAAO3oG,KAAKsoG,aAAa,QAEvD,EACA,CACE,aAActqE,EAAEwK,aAAe,IAC/B,eAAgBxK,EAAEh3B,OAEnBb,EAAEqhG,SAAWrhG,EAAEuJ,KAAM1P,KAAKsoG,cAAe5lC,EAAE/+B,MAAM,yBAAyB3F,EAAEh9B,OAAQ,CAAEmM,KAAM6wB,EAAGiU,OAAQ9rC,IAAMsiG,EAAEtiG,EACpH,CAAE,MAAOmf,GACP,GAAIA,aAAa,KAEf,OADAnf,EAAEf,OAAS2Y,EAAEsuC,YAAQsW,EAAE,6BAGzBr9C,GAAGzgB,WAAasB,EAAEtB,SAAWygB,EAAEzgB,UAAWsB,EAAEf,OAAS2Y,EAAEsuC,OAAQqW,EAAE19D,MAAM,oBAAoBg5B,EAAEh9B,OAAQ,CAAEgE,MAAOsgB,EAAGnY,KAAM6wB,EAAGiU,OAAQ9rC,IAAMw8D,EAAE,4BAC5I,CACA3iE,KAAKooG,WAAW/5F,SAASiX,IACvB,IACEA,EAAEnf,EACJ,CAAE,MACF,IACA,EAEJnG,KAAKgoG,UAAUn0F,IAAIstF,GAAInhG,KAAKsoG,aAC9B,KAAO,CACL5lC,EAAE/+B,MAAM,8BAA+B,CAAEx2B,KAAM6wB,EAAGiU,OAAQ9rC,IAC1D,MAAM6Q,QA9PNhL,eAAe7G,GACrB,MAAiJ3D,EAAI,IAA3I,QAAE,gBAAe,WAAKigC,0BAA+B,IAAI7/B,MAAM,KAAKsN,KAAI,IAAM2kB,KAAK4zB,MAAsB,GAAhB5zB,KAAKm0B,UAAexkD,SAAS,MAAKsV,KAAK,MAAwBvV,EAAI4B,EAAI,CAAE86C,YAAa96C,QAAM,EAC/L,aAAa,IAAE8gG,QAAQ,CACrB/5D,OAAQ,QACR7nC,IAAK7C,EACLyqC,QAAS1oC,IACP/B,CACN,CAuPwBorE,CAAGnrE,GAAI0/F,EAAI,GAC3B,IAAK,IAAI77E,EAAI,EAAGA,EAAInf,EAAEmhG,OAAQhiF,IAAK,CACjC,MAAM8vC,EAAI9vC,EAAIkjF,EAAGI,EAAI/0E,KAAKiM,IAAIs1B,EAAIozC,EAAGriG,EAAEuJ,MAAOm5F,EAAI,IAAM1C,EAAEnoE,EAAGo3B,EAAGozC,GAAIM,EAAI,IAAM9C,EAC5E,GAAGhvF,KAAKsO,EAAI,IACZujF,EACA1iG,EAAEsnC,QACF,IAAMztC,KAAKsoG,eACX7mG,EACA,CACE,aAAcu8B,EAAEwK,aAAe,IAC/B,kBAAmBxK,EAAEtuB,KACrB,eAAgB,6BAElB2F,MAAK,KACLlP,EAAEqhG,SAAWrhG,EAAEqhG,SAAWgB,CAAC,IAC1B7yF,OAAO0L,IACR,MAA8B,MAAxBA,GAAGxc,UAAUO,QAAkBs9D,EAAE19D,MAAM,mGAAoG,CAAEA,MAAOqc,EAAG4wB,OAAQ9rC,IAAMA,EAAE22B,SAAU32B,EAAEf,OAAS2Y,EAAEsuC,OAAQhrC,IAAMA,aAAa,OAAMqhD,EAAE19D,MAAM,SAASsgB,EAAI,KAAK8vC,OAAOwzC,qBAAsB,CAAE5jG,MAAOqc,EAAG4wB,OAAQ9rC,IAAMA,EAAE22B,SAAU32B,EAAEf,OAAS2Y,EAAEsuC,QAAShrC,EAAE,IAE5V8/E,EAAE3gG,KAAKR,KAAKgoG,UAAUn0F,IAAIi1F,GAC5B,CACA,UACQh8F,QAAQi8B,IAAIo4D,GAAInhG,KAAKsoG,cAAeniG,EAAEtB,eAAiB,IAAEohG,QAAQ,CACrE/5D,OAAQ,OACR7nC,IAAK,GAAG2S,UACRi1B,QAAS,CACP,aAAcjO,EAAEwK,aAAe,IAC/B,kBAAmBxK,EAAEtuB,KACrBuwC,YAAax+C,KAEbzB,KAAKsoG,cAAeniG,EAAEf,OAAS2Y,EAAE0oF,SAAU/jC,EAAE/+B,MAAM,yBAAyB3F,EAAEh9B,OAAQ,CAAEmM,KAAM6wB,EAAGiU,OAAQ9rC,IAAMsiG,EAAEtiG,EACvH,CAAE,MAAOmf,GACPA,aAAa,MAAKnf,EAAEf,OAAS2Y,EAAEsuC,OAAQsW,EAAE,+BAAiCx8D,EAAEf,OAAS2Y,EAAEsuC,OAAQsW,EAAE,0CAA2C,IAAEsjC,QAAQ,CACpJ/5D,OAAQ,SACR7nC,IAAK,GAAG2S,KAEZ,CACAhX,KAAKooG,WAAW/5F,SAASiX,IACvB,IACEA,EAAEnf,EACJ,CAAE,MACF,IAEJ,CACA,OAAOnG,KAAKgoG,UAAUlC,SAASzwF,MAAK,IAAMrV,KAAK6nC,UAAU1hC,CAAC,GAE9D,EAEF,SAAS+oB,EAAE/pB,EAAGo6D,EAAGvhC,EAAGjI,EAAGv0B,EAAG+B,EAAG9B,EAAG+mG,GAC9B,IAEIriG,EAFAqwE,EAAgB,mBAALrxE,EAAkBA,EAAE6L,QAAU7L,EAG7C,GAFAo6D,IAAMiX,EAAEv1D,OAASs+C,EAAGiX,EAAEuyB,gBAAkB/qE,EAAGw4C,EAAEwyB,WAAY,GAAKjzE,IAAMygD,EAAE11D,YAAa,GAAKvd,IAAMizE,EAAEyyB,SAAW,UAAY1lG,GAEnH9B,GAAK0E,EAAI,SAASw8D,KACpBA,EAAIA,GACJ3iE,KAAK8hB,QAAU9hB,KAAK8hB,OAAOonF,YAC3BlpG,KAAK2f,QAAU3f,KAAK2f,OAAOmC,QAAU9hB,KAAK2f,OAAOmC,OAAOonF,oBAAyBC,oBAAsB,MAAQxmC,EAAIwmC,qBAAsB3nG,GAAKA,EAAEN,KAAKlB,KAAM2iE,GAAIA,GAAKA,EAAEymC,uBAAyBzmC,EAAEymC,sBAAsBv1F,IAAIpS,EAC7N,EAAG+0E,EAAE6yB,aAAeljG,GAAK3E,IAAM2E,EAAIqiG,EAAI,WACrChnG,EAAEN,KACAlB,MACCw2E,EAAE11D,WAAa9gB,KAAK2f,OAAS3f,MAAMspG,MAAM5wE,SAAS6wE,WAEvD,EAAI/nG,GAAI2E,EACN,GAAIqwE,EAAE11D,WAAY,CAChB01D,EAAEgzB,cAAgBrjG,EAClB,IAAI0yD,EAAI2d,EAAEv1D,OACVu1D,EAAEv1D,OAAS,SAASynF,EAAG1xF,GACrB,OAAO7Q,EAAEjF,KAAK8V,GAAI6hD,EAAE6vC,EAAG1xF,EACzB,CACF,KAAO,CACL,IAAIyxF,EAAIjyB,EAAE39C,aACV29C,EAAE39C,aAAe4vE,EAAI,GAAGpnG,OAAOonG,EAAGtiG,GAAK,CAACA,EAC1C,CACF,MAAO,CACLnD,QAASmC,EACT6L,QAASwlE,EAEb,CAiCA,MAAMizB,EAV2Bv6E,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,IAAIu+C,EAAIv/D,KAAMg+B,EAAIuhC,EAAErlC,MAAMD,GAC1B,OAAO+D,EAAE,OAAQuhC,EAAEplC,GAAG,CAAEC,YAAa,mCAAoClX,MAAO,CAAE,eAAeq8C,EAAEj4D,OAAQ,KAAW,aAAci4D,EAAEj4D,MAAO42C,KAAM,OAASv7C,GAAI,CAAE0C,MAAO,SAAS0wB,GAChL,OAAOwpC,EAAEjlC,MAAM,QAASvE,EAC1B,IAAO,OAAQwpC,EAAEhlC,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAEo0C,KAAMiI,EAAExlC,UAAWkZ,MAAOssB,EAAE7vD,KAAM67C,OAAQgU,EAAE7vD,KAAMg6F,QAAS,cAAiB,CAAC1rE,EAAE,OAAQ,CAAE9a,MAAO,CAAEy/C,EAAG,2OAA8O,CAACpD,EAAEj4D,MAAQ02B,EAAE,QAAS,CAACuhC,EAAE/kC,GAAG+kC,EAAE7xD,GAAG6xD,EAAEj4D,UAAYi4D,EAAEjpD,UACne,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAgCR2mG,GAV2Bz6E,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,IAAIu+C,EAAIv/D,KAAMg+B,EAAIuhC,EAAErlC,MAAMD,GAC1B,OAAO+D,EAAE,OAAQuhC,EAAEplC,GAAG,CAAEC,YAAa,iCAAkClX,MAAO,CAAE,eAAeq8C,EAAEj4D,OAAQ,KAAW,aAAci4D,EAAEj4D,MAAO42C,KAAM,OAASv7C,GAAI,CAAE0C,MAAO,SAAS0wB,GAC9K,OAAOwpC,EAAEjlC,MAAM,QAASvE,EAC1B,IAAO,OAAQwpC,EAAEhlC,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAEo0C,KAAMiI,EAAExlC,UAAWkZ,MAAOssB,EAAE7vD,KAAM67C,OAAQgU,EAAE7vD,KAAMg6F,QAAS,cAAiB,CAAC1rE,EAAE,OAAQ,CAAE9a,MAAO,CAAEy/C,EAAG,8CAAiD,CAACpD,EAAEj4D,MAAQ02B,EAAE,QAAS,CAACuhC,EAAE/kC,GAAG+kC,EAAE7xD,GAAG6xD,EAAEj4D,UAAYi4D,EAAEjpD,UACtS,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAgCRmoE,GAV2Bj8C,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,IAAIu+C,EAAIv/D,KAAMg+B,EAAIuhC,EAAErlC,MAAMD,GAC1B,OAAO+D,EAAE,OAAQuhC,EAAEplC,GAAG,CAAEC,YAAa,mCAAoClX,MAAO,CAAE,eAAeq8C,EAAEj4D,OAAQ,KAAW,aAAci4D,EAAEj4D,MAAO42C,KAAM,OAASv7C,GAAI,CAAE0C,MAAO,SAAS0wB,GAChL,OAAOwpC,EAAEjlC,MAAM,QAASvE,EAC1B,IAAO,OAAQwpC,EAAEhlC,QAAQ,GAAK,CAACyD,EAAE,MAAO,CAAE5D,YAAa,4BAA6BlX,MAAO,CAAEo0C,KAAMiI,EAAExlC,UAAWkZ,MAAOssB,EAAE7vD,KAAM67C,OAAQgU,EAAE7vD,KAAMg6F,QAAS,cAAiB,CAAC1rE,EAAE,OAAQ,CAAE9a,MAAO,CAAEy/C,EAAG,mDAAsD,CAACpD,EAAEj4D,MAAQ02B,EAAE,QAAS,CAACuhC,EAAE/kC,GAAG+kC,EAAE7xD,GAAG6xD,EAAEj4D,UAAYi4D,EAAEjpD,UAC3S,GAAQ,IAIN,EACA,KACA,KACA,KACA,MAEYtT,QAuBRixD,IAAI,SAAK21C,eACf,CAAC,CAAEC,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,kCAAmC,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,mHAAqHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2EAI9+BC,OAAQ,CAAC,0TAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,qBAAsB,qBAAsB,yBAA0B,qBAAsB,wBAAyB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,oCAAqC,oCAAqC,wCAAyC,oCAAqC,uCAAwC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,oBAAsBI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,UAAY,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,6BAA+BK,SAAU,CAAER,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,8BAAgCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,SAAU,MAAO,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uDAGl6BC,OAAQ,CAAC,6OAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,8BAA+B,iCAAmC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,2CAA4C,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,6BAA+B,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BK,SAAU,CAAER,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,qDAAuDM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,oEAAqE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,uBAAyB3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,eAAiB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,mEAAoE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,qCAAuC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,gDAAiD,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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+B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,0CAA2C,gBAAiB,kFAAmF,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,gHAAkHC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,mFAIpiCC,OAAQ,CAAC,qVAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,yBAA0B,yBAA0B,yBAA0B,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,qCAAsC,qCAAsC,qCAAsC,uCAAyC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,oBAAsB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,WAAa,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBK,SAAU,CAAER,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,kCAAoCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,wCAAyC,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,iFAIj6BC,OAAQ,CAAC,6OAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,uBAAwB,6BAA+B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,mCAAoC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,kBAAoB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,4BAA8BI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,aAAe,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBK,SAAU,CAAER,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,oCAAsCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wFAInjHC,OAAQ,CAAC,oPAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,sCAAuC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mCAAqC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6BI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,mCAAqC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BK,SAAU,CAAER,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,yCAA2CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,QAAU,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,+CAAgD,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,wFAI3rHC,OAAQ,CAAC,oQAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,sCAAuC,yCAA2C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,kCAAoC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,uBAAyB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,iCAAmCI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,mCAAqC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,wBAA0BK,SAAU,CAAER,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,yCAA2CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,QAAU,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,qCAAuC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,4BAAkC,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,oFAAqF,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,2GAI77BC,OAAQ,CAAC,sQAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,wBAAyB,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,qCAAsC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,gBAAkB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,uBAAyBC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,QAAU,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,mBAAqBK,SAAU,CAAER,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,gBAAkB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uLAMz7BC,OAAQ,CAAC,qQAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,+BAAgC,gCAAiC,kCAAoC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,4CAA6C,6CAA8C,+CAAiD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBK,SAAU,CAAER,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+CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oFAAqF,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,8BAAgC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,8BAAgC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,uBAA6B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,wFAAyF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,8BAAgC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iFAAkF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,8EAA+E,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,kCAAoC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,uCAAyC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,wBAAyB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,0BAA4B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,aAAe,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,6CAA8C,gBAAiB,6EAA8E,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,qCAAuC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,gBAAkB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,0BAAgC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,qBAAsB,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oFAKj8BC,OAAQ,CAAC,6QAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,6BAA8B,8BAA+B,gCAAkC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,4CAA6C,6CAA8C,+CAAiD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,gCAAkCI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,YAAc,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBK,SAAU,CAAER,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,kDAAoDM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,YAAc,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,qBAAuB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,iDAAkD,gBAAiB,iEAAkE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0JAK56BC,OAAQ,CAAC,wPAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,gCAAiC,mCAAqC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,6CAA8C,gDAAkD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,oBAAsBK,SAAU,CAAER,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,4CAA8CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,yEAA0E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,uEAAwE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,2BAA6B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,0BAAgC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,oEAAqE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,oCAAqC,gBAAiB,mEAAoE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,+HAK15BC,OAAQ,CAAC,sOAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,4BAA8B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,0BAA4B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwBK,SAAU,CAAER,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,+CAAiDM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,sDAAwDC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4DAG37BC,OAAQ,CAAC,uQAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,yBAA0B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,qCAAsC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BK,SAAU,CAAER,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,0CAA4CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,cAAgB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,iBAAkB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,uEAAyEC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kGAK9iGC,OAAQ,CAAC,8PAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,4BAA6B,4BAA6B,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,yCAA0C,yCAA0C,2CAA6C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,0BAA4BK,SAAU,CAAER,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,gCAAkCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,UAAY,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,mBAAqB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,aAAc,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,WAAa3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,UAAY,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,MAAOC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,gCAAkC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,WAAa,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,sBAA4B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,uGAKt4BC,OAAQ,CAAC,kNAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,sBAAwB,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,kCAAoC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iBAAmB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAW,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,WAAaK,SAAU,CAAER,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,kBAAoBM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,WAAa,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,SAAW3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sEAAuE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4DAA6D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kFAAmF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,8CAA+C,gBAAiB,mEAAoE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,gCAAkC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,6BAAmC,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,mCAAqC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,kBAAoB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,qFAAsF,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAI56BC,OAAQ,CAAC,qPAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,wBAAyB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,qCAAsC,sCAAwC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,6BAA+B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BK,SAAU,CAAER,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,+BAAiCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,uCAAwC,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,qCAAuC3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,eAAiB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,0EAA2E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,sFAAuF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,gBAAiB,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,kLAAoLC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4GAK3hCC,OAAQ,CAAC,uWAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,mBAAoB,4BAA6B,4BAA6B,8BAAgC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,uCAAwC,2CAA4C,2CAA4C,6CAA+C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,+BAAiC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,2BAA6B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBK,SAAU,CAAER,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,wCAA0CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,2DAA4D,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,mFAAqFC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oGAI7/BC,OAAQ,CAAC,sUAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,+BAAgC,+BAAgC,iCAAmC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,4CAA6C,4CAA6C,8CAAgD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,iCAAmC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,aAAe,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,qBAAuBK,SAAU,CAAER,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,4CAA8CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,sCAAuC,gBAAiB,iFAAkF,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,4BAA8B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,YAAc,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,yBAA+B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,qDAAsD,gBAAiB,iEAAkE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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+B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,kBAAmB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,0KAA4KC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,4HAKpoCC,OAAQ,CAAC,kWAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,yBAA0B,0BAA2B,0BAA2B,4BAA8B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,qCAAsC,sCAAuC,sCAAuC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,8BAAgC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,8BAAgCC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,aAAe,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,sBAAwBK,SAAU,CAAER,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,iBAAmB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,0BAA2B,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,yBAA2B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,cAAgB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,wBAA8B,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gFAAiF,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,iEAAkE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,0GAA4GC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qFAIv9BC,OAAQ,CAAC,mSAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,wBAAyB,yBAA0B,2BAA6B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,oCAAqC,qCAAsC,uCAAyC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mCAAqC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,qBAAuB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,kCAAoC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,uBAAyBK,SAAU,CAAER,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,sCAAwCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,iBAAmB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8EAA+E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,gCAAkCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,gEAIj5BC,OAAQ,CAAC,6NAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,sBAAuB,0BAA4B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,kCAAmC,sCAAwC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,oBAAsB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,wBAA0BI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,WAAa,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,4BAA8B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BK,SAAU,CAAER,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,gCAAkCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6EAA8E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,6DAA8D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,QAASC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,oDAAqD,gBAAiB,2EAA4E,eAAgB,4BAA6B+9D,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,CAAEK,UAAW,gCAAkCH,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,2BAA6B3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,iBAAmB,eAAgB,CAAEH,MAAO,eAAgBG,OAAQ,CAAC,oBAA0B,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yCAA0C,gBAAiB,gEAAiE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,+BAAiCC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,kFAIl6BC,OAAQ,CAAC,8OAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,8BAA+B,gCAAkC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,mDAAoD,qDAAuD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,2BAA6B,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,iBAAmB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2BI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,UAAY,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,wBAA0B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,yBAA2BK,SAAU,CAAER,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,uCAAyCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,eAAiB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,+DAAgE,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,2CAA4C,gBAAiB,kEAAmE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,8PAAgQC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,oFAIroCC,OAAQ,CAAC,idAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,2BAA4B,4BAA6B,6BAA8B,+BAAiC,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,gDAAiD,iDAAkD,kDAAmD,oDAAsD,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,gCAAkC,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,sBAAwB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,6BAA+BI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,cAAgB,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,gCAAkC,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,2BAA6BK,SAAU,CAAER,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,kCAAoCM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,SAAW,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,gBAAkB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,2EAA4E,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,yBAA0B,gBAAiB,8DAA+D,eAAgB,4BAA6B+9D,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,KAAO3hC,OAAQ,CAAEwhC,MAAO,SAAUG,OAAQ,CAAC,SAAe,CAAER,OAAQ,KAAMC,KAAM,CAAEC,QAAS,QAAS99D,QAAS,CAAE,kBAAmB,uBAAwB,gBAAiB,mEAAoE,eAAgB,4BAA6B+9D,SAAU,KAAM,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,yFAI74BC,OAAQ,CAAC,yNAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,6BAA+B,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,wCAA0C,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,sBAAwB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,mBAAqB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,yBAA2B,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,gBAAkBK,SAAU,CAAER,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,yCAA2CM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,YAAc,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,kBAAoB3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,oBAAqB,gBAAiB,2EAA4E,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,sFAIj+FC,OAAQ,CAAC,iOAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,gBAAkB,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWK,SAAU,CAAER,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,QAAU3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,mBAAoB,gBAAiB,+EAAgF,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,qFAIxiFC,OAAQ,CAAC,oOAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,kBAAoB,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWC,IAAK,CAAEJ,MAAO,MAAOG,OAAQ,CAAC,OAAS,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWK,SAAU,CAAER,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,SAAW3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,QAAS99D,QAAS,CAAE,kBAAmB,iCAAkC,gBAAiB,4EAA6E,eAAgB,4BAA6B+9D,SAAU,QAAS,eAAgB,yBAA2BC,aAAc,CAAE,GAAI,CAAE,GAAI,CAAEC,MAAO,GAAIC,SAAU,CAAEC,WAAY,0EAIzjFC,OAAQ,CAAC,+OAKR,wBAAyB,CAAEH,MAAO,wBAAyBK,aAAc,yBAA0BF,OAAQ,CAAC,kBAAoB,qCAAsC,CAAEH,MAAO,qCAAsCK,aAAc,sCAAuCF,OAAQ,CAAC,+BAAiC,yBAA0B,CAAEH,MAAO,yBAA0BG,OAAQ,CAAC,mBAAqB,cAAe,CAAEH,MAAO,cAAeC,SAAU,CAAEK,UAAW,4CAA8CH,OAAQ,CAAC,cAAgB,qBAAsB,CAAEH,MAAO,qBAAsBG,OAAQ,CAAC,SAAWI,OAAQ,CAAEP,MAAO,SAAUG,OAAQ,CAAC,OAAS,8BAA+B,CAAEH,MAAO,8BAA+BG,OAAQ,CAAC,WAAa,iBAAkB,CAAEH,MAAO,iBAAkBG,OAAQ,CAAC,SAAWK,SAAU,CAAER,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,aAAeM,IAAK,CAAET,MAAO,MAAOG,OAAQ,CAAC,OAAS,cAAe,CAAEH,MAAO,cAAeG,OAAQ,CAAC,QAAU3hC,OAAQ,CAAEwhC,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,iBAAkBK,aAAc,qBAAsBF,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,+BAAoCn7F,KAAK/J,GAAM8uD,GAAE22C,eAAezlG,EAAE0kG,OAAQ1kG,EAAE2kG,QACjrF,MAAMe,GAAI52C,GAAEr4B,QAASkvE,GAAKD,GAAEE,SAASv5F,KAAKq5F,IAAIpf,GAAIof,GAAEG,QAAQx5F,KAAKq5F,IAAII,GAAK,KAAErtF,OAAO,CACjF5c,KAAM,eACN2X,WAAY,CACV8xF,OAAQhB,EACR5uD,eAAgB,IAChBC,UAAW,IACX8K,SAAU,IACVhjB,iBAAkB,IAClBzF,cAAe,IACf+tE,KAAMvB,GACNwB,OAAQhgC,IAEVpqD,MAAO,CACLlU,OAAQ,CACN7F,KAAMpF,MACNof,QAAS,MAEXoqF,SAAU,CACRpkG,KAAMyV,QACNuE,SAAS,GAEXqqF,SAAU,CACRrkG,KAAMyV,QACNuE,SAAS,GAEXgpB,YAAa,CACXhjC,KAAM,KACNga,aAAS,GAKXopD,QAAS,CACPpjE,KAAMpF,MACNof,QAAS,IAAM,IAEjB48B,oBAAqB,CACnB52C,KAAMpF,MACNof,QAAS,IAAM,KAGnB9W,KAAI,KACK,CACLohG,SAAU7f,GAAE,OACZ8f,YAAa9f,GAAE,kBACf+f,YAAa/f,GAAE,gBACfggB,cAAehgB,GAAE,mBACjBigB,eAAgB,wBAAwB73E,KAAKm0B,SAASxkD,SAAS,IAAIrC,MAAM,KACzEwqG,IAAK,KACLC,SAAU,GACVC,mBAAoB,GACpBC,cAAeC,OAGnBzuE,SAAU,CACR,cAAA0uE,GACE,OAAOhsG,KAAK8rG,cAAcp5F,MAAMhD,MAAQ,CAC1C,EACA,iBAAAu8F,GACE,OAAOjsG,KAAK8rG,cAAcp5F,MAAM4wD,UAAY,CAC9C,EACA,QAAAA,GACE,OAAOzvC,KAAK+vB,MAAM5jD,KAAKisG,kBAAoBjsG,KAAKgsG,eAAiB,MAAQ,CAC3E,EACA,KAAA16E,GACE,OAAOtxB,KAAK8rG,cAAcx6E,KAC5B,EACA,UAAA46E,GACE,OAAmE,IAA5DlsG,KAAKsxB,OAAOriB,QAAQ9J,GAAMA,EAAEC,SAAW2Y,EAAEsuC,SAAQ3qD,MAC1D,EACA,WAAAyqG,GACE,OAAOnsG,KAAKsxB,OAAO5vB,OAAS,CAC9B,EACA,YAAA0qG,GACE,OAAuE,IAAhEpsG,KAAKsxB,OAAOriB,QAAQ9J,GAAMA,EAAEC,SAAW2Y,EAAEyoF,aAAY9kG,MAC9D,EACA,QAAAsoE,GACE,OAAOhqE,KAAK8rG,cAAcp5F,MAAMtN,SAAWqiG,EAAEE,MAC/C,EAEA,UAAA0E,GACE,IAAKrsG,KAAKmsG,YACR,OAAOnsG,KAAKsrG,QAChB,GAEF9nE,MAAO,CACL,WAAAwG,CAAY7kC,GACVnF,KAAKssG,eAAennG,EACtB,EACA,cAAA6mG,CAAe7mG,GACbnF,KAAK2rG,IAAM,EAAE,CAAE7rE,IAAK,EAAGlM,IAAKzuB,IAAMnF,KAAKusG,cACzC,EACA,iBAAAN,CAAkB9mG,GAChBnF,KAAK2rG,KAAKtoC,SAASl+D,GAAInF,KAAKusG,cAC9B,EACA,QAAAviC,CAAS7kE,GACPA,EAAInF,KAAKs6B,MAAM,SAAUt6B,KAAKsxB,OAAStxB,KAAKs6B,MAAM,UAAWt6B,KAAKsxB,MACpE,GAEF,WAAA4M,GACEl+B,KAAKgqC,aAAehqC,KAAKssG,eAAetsG,KAAKgqC,aAAchqC,KAAK8rG,cAAcvD,YAAYvoG,KAAKwsG,oBAAqB9pC,EAAE/+B,MAAM,2BAC9H,EACAjF,QAAS,CAIP,OAAAkW,GACE50C,KAAK22C,MAAMz9B,MAAM7T,OACnB,EAIA,YAAMonG,GACJ,IAAItnG,EAAI,IAAInF,KAAK22C,MAAMz9B,MAAMhM,OAC7B,GAAIw/F,GAAGvnG,EAAGnF,KAAKoqE,SAAU,CACvB,MAAM7K,EAAIp6D,EAAE8J,QAAQ8mB,GAAM/1B,KAAKoqE,QAAQjnC,MAAM3hC,GAAMA,EAAE0oC,WAAanU,EAAE/0B,SAAOiO,OAAOwN,SAAUuhB,EAAI74B,EAAE8J,QAAQ8mB,IAAOwpC,EAAEz2D,SAASitB,KAC5H,IACE,MAAQyR,SAAUzR,EAAGqU,QAAS5oC,SAAYmrG,GAAG3sG,KAAKgqC,YAAYE,SAAUq1B,EAAGv/D,KAAKoqE,SAChFjlE,EAAI,IAAI64B,KAAMjI,KAAMv0B,EACtB,CAAE,MAEA,YADA,QAAEiqF,GAAE,oBAEN,CACF,CACAtmF,EAAEkJ,SAASkxD,IACT,MAAMxpC,GAAK/1B,KAAK49C,qBAAuB,IAAIza,MAAM3hC,GAAM+9D,EAAEv+D,KAAK8H,SAAStH,KACvEu0B,GAAI,QAAE01D,GAAE,IAAI11D,0CAA4C/1B,KAAK8rG,cAAc75D,OAAOstB,EAAEv+D,KAAMu+D,GAAG5pD,OAAM,QACjG,IACA3V,KAAK22C,MAAMi2D,KAAK/kE,OACtB,EAIA,QAAAwF,GACErtC,KAAK8rG,cAAcx6E,MAAMjjB,SAASlJ,IAChCA,EAAE23B,QAAQ,IACR98B,KAAK22C,MAAMi2D,KAAK/kE,OACtB,EACA,YAAA0kE,GACE,GAAIvsG,KAAKgqE,SAEP,YADAhqE,KAAK4rG,SAAWngB,GAAE,WAGpB,MAAMtmF,EAAI0uB,KAAK+vB,MAAM5jD,KAAK2rG,IAAIjoC,YAC9B,GAAIv+D,IAAM,IAIV,GAAIA,EAAI,GACNnF,KAAK4rG,SAAWngB,GAAE,2BAGpB,GAAItmF,EAAI,GAAR,CACE,MAAMo6D,EAAoB,IAAI9tD,KAAK,GACnC8tD,EAAEstC,WAAW1nG,GACb,MAAM64B,EAAIuhC,EAAEt3B,cAAc9mC,MAAM,GAAI,IACpCnB,KAAK4rG,SAAWngB,GAAE,cAAe,CAAEz5E,KAAMgsB,GAE3C,MACAh+B,KAAK4rG,SAAWngB,GAAE,yBAA0B,CAAEqhB,QAAS3nG,SAdrDnF,KAAK4rG,SAAWngB,GAAE,uBAetB,EACA,cAAA6gB,CAAennG,GACRnF,KAAKgqC,aAIVhqC,KAAK8rG,cAAc9hE,YAAc7kC,EAAGnF,KAAK6rG,oBAAqB,QAAE1mG,IAH9Du9D,EAAE/+B,MAAM,sBAIZ,EACA,kBAAA6oE,CAAmBrnG,GACjBA,EAAEC,SAAW2Y,EAAEsuC,OAASrsD,KAAKs6B,MAAM,SAAUn1B,GAAKnF,KAAKs6B,MAAM,WAAYn1B,EAC3E,KA8BE4nG,GAV2B79E,EAC/B+7E,IAlBO,WACP,IAAI1rC,EAAIv/D,KAAMg+B,EAAIuhC,EAAErlC,MAAMD,GAC1B,OAAOslC,EAAErlC,MAAMyb,YAAa4pB,EAAEv1B,YAAchM,EAAE,OAAQ,CAAEpe,IAAK,OAAQwa,YAAa,gBAAiB/Q,MAAO,CAAE,2BAA4Bk2C,EAAE4sC,YAAa,wBAAyB5sC,EAAEyK,UAAY9mD,MAAO,CAAE,wBAAyB,KAAQ,CAACq8C,EAAEssC,oBAAsD,IAAhCtsC,EAAEssC,mBAAmBnqG,OAAes8B,EAAE,WAAY,CAAE9a,MAAO,CAAEkoF,SAAU7rC,EAAE6rC,SAAU,4BAA6B,GAAIpkG,KAAM,aAAerE,GAAI,CAAE0C,MAAOk6D,EAAE3qB,SAAWrS,YAAag9B,EAAE/8B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WACxc,MAAO,CAACm+B,EAAE,OAAQ,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAIs9F,WAAY,MAChE,EAAGh/F,OAAO,IAAO,MAAM,EAAI,aAAe,CAACuxD,EAAE/kC,GAAG,IAAM+kC,EAAE7xD,GAAG6xD,EAAE8sC,YAAc,OAASruE,EAAE,YAAa,CAAE9a,MAAO,CAAE,YAAaq8C,EAAE8sC,WAAY,aAAc9sC,EAAE+rC,SAAUtkG,KAAM,aAAeu7B,YAAag9B,EAAE/8B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WAC5N,MAAO,CAACm+B,EAAE,OAAQ,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAIs9F,WAAY,MAChE,EAAGh/F,OAAO,IAAO,MAAM,EAAI,aAAe,CAACgwB,EAAE,iBAAkB,CAAE9a,MAAO,CAAE,4BAA6B,GAAI,qBAAqB,GAAMvgB,GAAI,CAAE0C,MAAOk6D,EAAE3qB,SAAWrS,YAAag9B,EAAE/8B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WACpM,MAAO,CAACm+B,EAAE,SAAU,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,GAAIs9F,WAAY,MAClE,EAAGh/F,OAAO,IAAO,MAAM,EAAI,aAAe,CAACuxD,EAAE/kC,GAAG,IAAM+kC,EAAE7xD,GAAG6xD,EAAEisC,aAAe,OAAQjsC,EAAEj9B,GAAGi9B,EAAEssC,oBAAoB,SAAS91E,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,QAAQo2C,EAAEv1B,YAAau1B,EAAE6K,QACpC,GAAK7nC,YAAag9B,EAAE/8B,GAAG,CAACzM,EAAE+O,cAAgB,CAAE57B,IAAK,OAAQrJ,GAAI,WAC3D,MAAO,CAACm+B,EAAE,mBAAoB,CAAE9a,MAAO,CAAE+pF,IAAKl3E,EAAE+O,iBAClD,EAAG92B,OAAO,GAAO,MAAO,MAAM,IAAO,CAACuxD,EAAE/kC,GAAG,IAAM+kC,EAAE7xD,GAAGqoB,EAAE8O,aAAe,MACzE,KAAK,GAAI7G,EAAE,MAAO,CAAEmiB,WAAY,CAAC,CAAEn/C,KAAM,OAAQo/C,QAAS,SAAUh3C,MAAOm2D,EAAE4sC,YAAa9rD,WAAY,gBAAkBjmB,YAAa,2BAA6B,CAAC4D,EAAE,gBAAiB,CAAE9a,MAAO,CAAE,aAAcq8C,EAAEksC,cAAe,mBAAoBlsC,EAAEmsC,eAAgB1mG,MAAOu6D,EAAE2sC,WAAY9iG,MAAOm2D,EAAE+D,SAAU5zD,KAAM,YAAesuB,EAAE,IAAK,CAAE9a,MAAO,CAAEtZ,GAAI21D,EAAEmsC,iBAAoB,CAACnsC,EAAE/kC,GAAG,IAAM+kC,EAAE7xD,GAAG6xD,EAAEqsC,UAAY,QAAS,GAAIrsC,EAAE4sC,YAAcnuE,EAAE,WAAY,CAAE5D,YAAa,wBAAyBlX,MAAO,CAAElc,KAAM,WAAY,aAAcu4D,EAAEgsC,YAAa,+BAAgC,IAAM5oG,GAAI,CAAE0C,MAAOk6D,EAAElyB,UAAY9K,YAAag9B,EAAE/8B,GAAG,CAAC,CAAEt5B,IAAK,OAAQrJ,GAAI,WAC9nB,MAAO,CAACm+B,EAAE,SAAU,CAAE9a,MAAO,CAAE5b,MAAO,GAAIoI,KAAM,MAClD,EAAG1B,OAAO,IAAO,MAAM,EAAI,cAAiBuxD,EAAEjpD,KAAM0nB,EAAE,QAAS,CAAEmiB,WAAY,CAAC,CAAEn/C,KAAM,OAAQo/C,QAAS,SAAUh3C,OAAO,EAAIi3C,WAAY,UAAYzgC,IAAK,QAASsD,MAAO,CAAElc,KAAM,OAAQ6F,OAAQ0yD,EAAE1yD,QAAQiM,OAAO,MAAOuyF,SAAU9rC,EAAE8rC,SAAU,8BAA+B,IAAM1oG,GAAI,CAAEuqG,OAAQ3tC,EAAEktC,WAAc,GAAKltC,EAAEjpD,IAC3T,GAAQ,IAIN,EACA,KACA,WACA,KACA,MAEYtT,QACd,IAAIgnF,GAAI,KACR,SAAS+hB,KACP,MAAM5mG,EAAoE,OAAhEM,SAASoqB,cAAc,qCACjC,OAAOm6D,cAAa4d,IAAM5d,GAAI,IAAI4d,EAAEziG,IAAK6kF,EAC3C,CAKAh+E,eAAe2gG,GAAGxnG,EAAGo6D,EAAGvhC,GACtB,MAAMjI,GAAI,SAAE,IAAM,2DAClB,OAAO,IAAIjpB,SAAQ,CAACtL,EAAG+B,KACrB,MAAM9B,EAAI,IAAI,KAAE,CACdT,KAAM,qBACNigB,OAASunF,GAAMA,EAAEzyE,EAAG,CAClBhV,MAAO,CACLomB,QAAShiC,EACT8kC,UAAWs1B,EACX6K,QAASpsC,GAEXr7B,GAAI,CACF,MAAAwqG,CAAO32B,GACLh1E,EAAEg1E,GAAI/0E,EAAE2rG,WAAY3rG,EAAEu+B,KAAK+W,YAAYwrB,YAAY9gE,EAAEu+B,IACvD,EACA,MAAAlD,CAAO05C,GACLjzE,EAAEizE,GAAK,IAAIxuE,MAAM,aAAcvG,EAAE2rG,WAAY3rG,EAAEu+B,KAAK+W,YAAYwrB,YAAY9gE,EAAEu+B,IAChF,OAINv+B,EAAEu4C,SAAUv0C,SAAS8B,KAAK04B,YAAYx+B,EAAEu+B,IAAI,GAEhD,CACA,SAAS0sE,GAAGvnG,EAAGo6D,GACb,MAAMvhC,EAAIuhC,EAAErwD,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,MAAgEgnG,EAAI,CAAC3yE,EAAG5wB,KACtE,IAAI5B,EACJ,OAAgD,OAAvCA,EAAS,MAAL4B,OAAY,EAASA,EAAEkoG,SAAmB9pG,EAAI6xD,KAFxB,CAACr/B,GAAM,eAAiBA,EAEO2sC,CAAE3sC,EAAE,EAOrE4sC,EAAI,CAAC5sC,EAAG5wB,EAAG5B,KACZ,MAAMwa,EAAIxe,OAAO2I,OAAO,CACtBsoC,QAAQ,GACPjtC,GAAK,CAAC,GAST,MAAuB,MAAhBwyB,EAAEvS,OAAO,KAAeuS,EAAI,IAAMA,GARhCygD,GADoBA,EASqBrxE,GAAK,CAAC,IARtC,CAAC,EAQ4B4wB,EARvB9tB,QACpB,eACA,SAASxG,EAAGu8B,GACV,MAAM73B,EAAIqwE,EAAEx4C,GACZ,OAAOjgB,EAAEyyB,OAASv2B,mBAA+B,iBAAL9T,GAA6B,iBAALA,EAAgBA,EAAE3C,WAAa/B,GAAiB,iBAAL0E,GAA6B,iBAALA,EAAgBA,EAAE3C,WAAa/B,CACxK,IANa,IAAY+0E,CAS6B,EACzDt1D,EAAI,CAAC6U,EAAG5wB,EAAG5B,KACZ,IAAIwa,EAAGwhD,EAAG/9D,EACV,MAAMg1E,EAAIj3E,OAAO2I,OAAO,CACtBolG,WAAW,GACV/pG,GAAK,CAAC,GAAI9B,EAA4C,OAAvCsc,EAAS,MAALxa,OAAY,EAASA,EAAE8pG,SAAmBtvF,EAAIyqF,IACpE,OAAgI,KAAzC,OAA9EhnG,EAAiD,OAA5C+9D,EAAc,MAAV37D,YAAiB,EAASA,OAAOm7C,SAAc,EAASwgB,EAAEvnD,aAAkB,EAASxW,EAAE+rG,oBAA8B/2B,EAAE82B,UAA6B7rG,EAAI,aAAekhE,EAAE5sC,EAAG5wB,EAAG5B,GAA5C9B,EAAIkhE,EAAE5sC,EAAG5wB,EAAG5B,EAAkC,EAMlM6xD,EAAI,IAAMxxD,OAAO4C,SAASunB,SAAW,KAAOnqB,OAAO4C,SAASwnB,KAAOw6E,IACtE,SAASA,IACP,IAAIzyE,EAAInyB,OAAO4pG,YACf,UAAWz3E,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,MACJ03E,EAAK,WACLn+D,EAAU,cACVo+D,EAAa,SACbC,EAAQ,YACRC,EAAW,QACXC,EAAO,IACP9kE,EAAG,OACH0hE,EAAM,aACNqD,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,QAAqBhsG,IAAjBisG,EACH,OAAOA,EAAazrG,QAGrB,IAAID,EAASurG,EAAyBE,GAAY,CACjD5kG,GAAI4kG,EACJE,QAAQ,EACR1rG,QAAS,CAAC,GAUX,OANA2rG,EAAoBH,GAAUttG,KAAK6B,EAAOC,QAASD,EAAQA,EAAOC,QAASurG,GAG3ExrG,EAAO2rG,QAAS,EAGT3rG,EAAOC,OACf,CAGAurG,EAAoBjpF,EAAIqpF,ErS5BpBxvG,EAAW,GACfovG,EAAoBzF,EAAI,CAAC/gG,EAAQ6mG,EAAU/uG,EAAIikG,KAC9C,IAAG8K,EAAH,CAMA,IAAIC,EAAelrC,IACnB,IAASniE,EAAI,EAAGA,EAAIrC,EAASuC,OAAQF,IAAK,CACrCotG,EAAWzvG,EAASqC,GAAG,GACvB3B,EAAKV,EAASqC,GAAG,GACjBsiG,EAAW3kG,EAASqC,GAAG,GAE3B,IAJA,IAGIstG,GAAY,EACPpsG,EAAI,EAAGA,EAAIksG,EAASltG,OAAQgB,MACpB,EAAXohG,GAAsB+K,GAAgB/K,IAAavkG,OAAO4K,KAAKokG,EAAoBzF,GAAG3oF,OAAOjX,GAASqlG,EAAoBzF,EAAE5/F,GAAK0lG,EAASlsG,MAC9IksG,EAASt7F,OAAO5Q,IAAK,IAErBosG,GAAY,EACThL,EAAW+K,IAAcA,EAAe/K,IAG7C,GAAGgL,EAAW,CACb3vG,EAASmU,OAAO9R,IAAK,GACrB,IAAIg1E,EAAI32E,SACE2C,IAANg0E,IAAiBzuE,EAASyuE,EAC/B,CACD,CACA,OAAOzuE,CArBP,CAJC+7F,EAAWA,GAAY,EACvB,IAAI,IAAItiG,EAAIrC,EAASuC,OAAQF,EAAI,GAAKrC,EAASqC,EAAI,GAAG,GAAKsiG,EAAUtiG,IAAKrC,EAASqC,GAAKrC,EAASqC,EAAI,GACrGrC,EAASqC,GAAK,CAACotG,EAAU/uG,EAAIikG,EAuBjB,EsS3BdyK,EAAoBx4E,EAAKhzB,IACxB,IAAIgsG,EAAShsG,GAAUA,EAAOyxB,WAC7B,IAAOzxB,EAAiB,QACxB,IAAM,EAEP,OADAwrG,EAAoB5rC,EAAEosC,EAAQ,CAAE5oG,EAAG4oG,IAC5BA,CAAM,ECLdR,EAAoB5rC,EAAI,CAAC3/D,EAASgsG,KACjC,IAAI,IAAI9lG,KAAO8lG,EACXT,EAAoBhrG,EAAEyrG,EAAY9lG,KAASqlG,EAAoBhrG,EAAEP,EAASkG,IAC5E3J,OAAOoX,eAAe3T,EAASkG,EAAK,CAAE6N,YAAY,EAAMpJ,IAAKqhG,EAAW9lG,IAE1E,ECNDqlG,EAAoB/F,EAAI,CAAC,EAGzB+F,EAAoBppG,EAAK8pG,GACjBniG,QAAQi8B,IAAIxpC,OAAO4K,KAAKokG,EAAoB/F,GAAGv+F,QAAO,CAAC8mC,EAAU7nC,KACvEqlG,EAAoB/F,EAAEt/F,GAAK+lG,EAASl+D,GAC7BA,IACL,KCNJw9D,EAAoB9iB,EAAKwjB,GAEZA,EAAU,IAAMA,EAAU,SAAW,CAAC,KAAO,uBAAuB,KAAO,uBAAuB,KAAO,wBAAwBA,GCH9IV,EAAoB7rC,EAAI,WACvB,GAA0B,iBAAfx+D,WAAyB,OAAOA,WAC3C,IACC,OAAOlE,MAAQ,IAAI+/B,SAAS,cAAb,EAChB,CAAE,MAAO56B,GACR,GAAsB,iBAAXvB,OAAqB,OAAOA,MACxC,CACA,CAPuB,GCAxB2qG,EAAoBhrG,EAAI,CAACkT,EAAKF,IAAUhX,OAAOC,UAAUC,eAAeyB,KAAKuV,EAAKF,G1SA9EnX,EAAa,CAAC,EACdC,EAAoB,aAExBkvG,EAAoB9sG,EAAI,CAAC4C,EAAKkpE,EAAMrkE,EAAK+lG,KACxC,GAAG7vG,EAAWiF,GAAQjF,EAAWiF,GAAK7D,KAAK+sE,OAA3C,CACA,IAAI9S,EAAQy0C,EACZ,QAAW1sG,IAAR0G,EAEF,IADA,IAAIimG,EAAU1pG,SAASu+E,qBAAqB,UACpCxiF,EAAI,EAAGA,EAAI2tG,EAAQztG,OAAQF,IAAK,CACvC,IAAI+9D,EAAI4vC,EAAQ3tG,GAChB,GAAG+9D,EAAE70C,aAAa,QAAUrmB,GAAOk7D,EAAE70C,aAAa,iBAAmBrrB,EAAoB6J,EAAK,CAAEuxD,EAAS8E,EAAG,KAAO,CACpH,CAEG9E,IACHy0C,GAAa,GACbz0C,EAASh1D,SAASW,cAAc,WAEzB2jG,QAAU,QACjBtvC,EAAOuc,QAAU,IACbu3B,EAAoB9d,IACvBh2B,EAAOha,aAAa,QAAS8tD,EAAoB9d,IAElDh2B,EAAOha,aAAa,eAAgBphD,EAAoB6J,GAExDuxD,EAAOnY,IAAMj+C,GAEdjF,EAAWiF,GAAO,CAACkpE,GACnB,IAAI6hC,EAAmB,CAACh8E,EAAMjzB,KAE7Bs6D,EAAO31D,QAAU21D,EAAO91D,OAAS,KACjC63B,aAAaw6C,GACb,IAAIq4B,EAAUjwG,EAAWiF,GAIzB,UAHOjF,EAAWiF,GAClBo2D,EAAO1jB,YAAc0jB,EAAO1jB,WAAWwrB,YAAY9H,GACnD40C,GAAWA,EAAQhhG,SAASxO,GAAQA,EAAGM,KACpCizB,EAAM,OAAOA,EAAKjzB,EAAM,EAExB62E,EAAUpwE,WAAWwoG,EAAiB59F,KAAK,UAAMhP,EAAW,CAAEwE,KAAM,UAAWP,OAAQg0D,IAAW,MACtGA,EAAO31D,QAAUsqG,EAAiB59F,KAAK,KAAMipD,EAAO31D,SACpD21D,EAAO91D,OAASyqG,EAAiB59F,KAAK,KAAMipD,EAAO91D,QACnDuqG,GAAczpG,SAAS0kE,KAAKlqC,YAAYw6B,EApCkB,CAoCX,E2SvChD8zC,EAAoB/3B,EAAKxzE,IACH,oBAAXK,QAA0BA,OAAOuuB,aAC1CryB,OAAOoX,eAAe3T,EAASK,OAAOuuB,YAAa,CAAExoB,MAAO,WAE7D7J,OAAOoX,eAAe3T,EAAS,aAAc,CAAEoG,OAAO,GAAO,ECL9DmlG,EAAoBe,IAAOvsG,IAC1BA,EAAO4jC,MAAQ,GACV5jC,EAAOoe,WAAUpe,EAAOoe,SAAW,IACjCpe,GCHRwrG,EAAoB7rG,EAAI,WCAxB,IAAI6sG,EACAhB,EAAoB7rC,EAAEb,gBAAe0tC,EAAYhB,EAAoB7rC,EAAEl8D,SAAW,IACtF,IAAIf,EAAW8oG,EAAoB7rC,EAAEj9D,SACrC,IAAK8pG,GAAa9pG,IACbA,EAAS+pG,gBACZD,EAAY9pG,EAAS+pG,cAAcltD,MAC/BitD,GAAW,CACf,IAAIJ,EAAU1pG,EAASu+E,qBAAqB,UAC5C,GAAGmrB,EAAQztG,OAEV,IADA,IAAIF,EAAI2tG,EAAQztG,OAAS,EAClBF,GAAK,KAAO+tG,IAAc,aAAavpG,KAAKupG,KAAaA,EAAYJ,EAAQ3tG,KAAK8gD,GAE3F,CAID,IAAKitD,EAAW,MAAM,IAAIvnG,MAAM,yDAChCunG,EAAYA,EAAUtnG,QAAQ,OAAQ,IAAIA,QAAQ,QAAS,IAAIA,QAAQ,YAAa,KACpFsmG,EAAoBv3F,EAAIu4F,YClBxBhB,EAAoBvzF,EAAIvV,SAASkkF,SAAW3lF,KAAKwC,SAASF,KAK1D,IAAImpG,EAAkB,CACrB,KAAM,GAGPlB,EAAoB/F,EAAE9lG,EAAI,CAACusG,EAASl+D,KAElC,IAAI2+D,EAAqBnB,EAAoBhrG,EAAEksG,EAAiBR,GAAWQ,EAAgBR,QAAWzsG,EACtG,GAA0B,IAAvBktG,EAGF,GAAGA,EACF3+D,EAASvwC,KAAKkvG,EAAmB,QAC3B,CAGL,IAAIpiD,EAAU,IAAIxgD,SAAQ,CAACC,EAASC,IAAY0iG,EAAqBD,EAAgBR,GAAW,CAACliG,EAASC,KAC1G+jC,EAASvwC,KAAKkvG,EAAmB,GAAKpiD,GAGtC,IAAIjpD,EAAMkqG,EAAoBv3F,EAAIu3F,EAAoB9iB,EAAEwjB,GAEpDjqG,EAAQ,IAAIgD,MAgBhBumG,EAAoB9sG,EAAE4C,GAfFlE,IACnB,GAAGouG,EAAoBhrG,EAAEksG,EAAiBR,KAEf,KAD1BS,EAAqBD,EAAgBR,MACRQ,EAAgBR,QAAWzsG,GACrDktG,GAAoB,CACtB,IAAIt+E,EAAYjxB,IAAyB,SAAfA,EAAM6G,KAAkB,UAAY7G,EAAM6G,MAChE2oG,EAAUxvG,GAASA,EAAMsG,QAAUtG,EAAMsG,OAAO67C,IACpDt9C,EAAMqD,QAAU,iBAAmB4mG,EAAU,cAAgB79E,EAAY,KAAOu+E,EAAU,IAC1F3qG,EAAMhE,KAAO,iBACbgE,EAAMgC,KAAOoqB,EACbpsB,EAAMihG,QAAU0J,EAChBD,EAAmB,GAAG1qG,EACvB,CACD,GAEwC,SAAWiqG,EAASA,EAE/D,CACD,EAWFV,EAAoBzF,EAAEpmG,EAAKusG,GAA0C,IAA7BQ,EAAgBR,GAGxD,IAAIW,EAAuB,CAACC,EAA4B3lG,KACvD,IAKIskG,EAAUS,EALVL,EAAW1kG,EAAK,GAChB4lG,EAAc5lG,EAAK,GACnB6lG,EAAU7lG,EAAK,GAGI1I,EAAI,EAC3B,GAAGotG,EAAS1jE,MAAMthC,GAAgC,IAAxB6lG,EAAgB7lG,KAAa,CACtD,IAAI4kG,KAAYsB,EACZvB,EAAoBhrG,EAAEusG,EAAatB,KACrCD,EAAoBjpF,EAAEkpF,GAAYsB,EAAYtB,IAGhD,GAAGuB,EAAS,IAAIhoG,EAASgoG,EAAQxB,EAClC,CAEA,IADGsB,GAA4BA,EAA2B3lG,GACrD1I,EAAIotG,EAASltG,OAAQF,IACzBytG,EAAUL,EAASptG,GAChB+sG,EAAoBhrG,EAAEksG,EAAiBR,IAAYQ,EAAgBR,IACrEQ,EAAgBR,GAAS,KAE1BQ,EAAgBR,GAAW,EAE5B,OAAOV,EAAoBzF,EAAE/gG,EAAO,EAGjCioG,EAAqBhsG,KAA4B,sBAAIA,KAA4B,uBAAK,GAC1FgsG,EAAmB3hG,QAAQuhG,EAAqBp+F,KAAK,KAAM,IAC3Dw+F,EAAmBxvG,KAAOovG,EAAqBp+F,KAAK,KAAMw+F,EAAmBxvG,KAAKgR,KAAKw+F,QCvFvFzB,EAAoB9d,QAAKjuF,ECGzB,IAAIytG,EAAsB1B,EAAoBzF,OAAEtmG,EAAW,CAAC,OAAO,IAAO+rG,EAAoB,SAC9F0B,EAAsB1B,EAAoBzF,EAAEmH","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?04d9","webpack://nextcloud/./apps/files/src/components/FileEntry/FileEntryActions.vue?473e","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?97e6","webpack://nextcloud/./apps/files/src/components/FilesListVirtual.vue?5a2b","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?d64c","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/@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=7e961138&prod&lang=scss","webpack:///nextcloud/apps/files/src/components/FileEntry/FileEntryActions.vue?vue&type=style&index=1&id=7e961138&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=2e1b1dc8&prod&scoped=true&lang=scss","webpack:///nextcloud/apps/files/src/components/FilesListVirtual.vue?vue&type=style&index=1&id=2e1b1dc8&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=5dfd5219&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/events/events.js","webpack:///nextcloud/node_modules/safe-buffer/index.js","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/stream-browserify/index.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/errors-browser.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/_stream_duplex.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/_stream_passthrough.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/_stream_readable.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/_stream_transform.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/_stream_writable.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/async_iterator.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/buffer_list.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/destroy.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/end-of-stream.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/from-browser.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/pipeline.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/state.js","webpack:///nextcloud/node_modules/stream-browserify/node_modules/readable-stream/lib/internal/streams/stream-browser.js","webpack:///nextcloud/node_modules/string_decoder/lib/string_decoder.js","webpack:///nextcloud/node_modules/timers-browserify/main.js","webpack:///nextcloud/node_modules/util-deprecate/browser.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 = { readonly [P in keyof T]: DeepReadonly }\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 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 \n *\n * @author Ferdinand Thiessen \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 .\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 element. Use the custom prop to remove this warning:\\n\\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 (\" 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 \"'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 \"'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 child and apply listener and href\n var a = findAnchor(this.$slots.default);\n if (a) {\n // in case the 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 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 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 }","\n\n","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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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","\n\n","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 }","\n\n\n\n\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 }","\n\n","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\n\n\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\n\n\n\n\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\n","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 }","\n\n","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\"","\n\n","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æ \n *\n * @author John Molakvoæ \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 .\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 }, { ...window.OCP.Files.Router.query, 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(...args);\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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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 // a shared file cannot be copied if the download is disabled\n // it can be copied if the user has at least read permissions\n return canDownload(nodes)\n && !nodes.some(node => node.permissions === Permission.NONE);\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken, onRequestTokenUpdate } from '@nextcloud/auth';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl);\n // set CSRF token header\n const setHeaders = (token) => {\n client?.setHeaders({\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: token ?? '',\n });\n };\n // refresh headers when request token changes\n onRequestTokenUpdate(setHeaders);\n setHeaders(getRequestToken());\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('fetch', (url, options) => {\n const headers = options.headers;\n if (headers?.method) {\n options.method = headers.method;\n delete headers.method;\n }\n return fetch(url, options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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.ts';\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 = String(props['owner-id'] || userId);\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 'owner-id': owner,\n 'owner-display-name': String(props['owner-display-name']),\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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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} 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} 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 \n *\n * @author Ferdinand Thiessen \n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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('span',{staticClass:\"files-list__selected\"},[_vm._v(_vm._s(_vm.t('files', '{count} selected', { count: _vm.selectedNodes.length })))]),_vm._v(\" \"),_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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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","\n\n","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\"","\n\n","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æ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { showError } from '@nextcloud/dialogs';\nimport { FileType, Permission, Folder, File as NcFile, NodeStatus, Node, View } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport { generateUrl } from '@nextcloud/router';\nimport { vOnClickOutside } from '@vueuse/components';\nimport { extname } from 'path';\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 FileEntryActions from '../components/FileEntry/FileEntryActions.vue';\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 String(this.fileid) === String(this.currentFileId);\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 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 else {\n // Reset any right menu position potentially set\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 // 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 ctrl+click or middle mouse button, open in new tab\n if (event.ctrlKey || event.metaKey || event.button === 1) {\n event.preventDefault();\n window.open(generateUrl('/f/{fileId}', { fileId: this.fileid }));\n return false;\n }\n const actions = this.$refs.actions;\n 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\"","\n\n","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=7e961138&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=7e961138&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=7e961138&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=7e961138&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=7e961138&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=7e961138&prod&lang=scss\"\nimport style1 from \"./FileEntryActions.vue?vue&type=style&index=1&id=7e961138&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 \"7e961138\",\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æ \n *\n * @author John Molakvoæ \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 .\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\":\"\"}},'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=da1d3c3a\"\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 }","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n\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 \n *\n * @author Louis Chmn \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 .\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:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"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},nativeOn:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}})],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}},[(_vm.source.mtime)?_c('NcDateTime',{attrs:{\"timestamp\":_vm.source.mtime,\"ignore-seconds\":true}}):_vm._e()],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=c014d276\"\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:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"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},nativeOn:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}})],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=06c49d7e\"\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æ \n *\n * @author John Molakvoæ \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 .\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=7ef2b200\"\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=2e1b1dc8&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=2e1b1dc8&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=2e1b1dc8&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=2e1b1dc8&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListVirtual.vue?vue&type=template&id=2e1b1dc8&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=2e1b1dc8&prod&scoped=true&lang=scss\"\nimport style1 from \"./FilesListVirtual.vue?vue&type=style&index=1&id=2e1b1dc8&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 \"2e1b1dc8\",\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\"","\n\n","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=5dfd5219&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=5dfd5219&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=5dfd5219&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=5dfd5219&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 \"5dfd5219\",\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 \n *\n * @author John Molakvoæ \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 .\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 \n * @copyright Copyright (c) 2019 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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","// 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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \\n *\\n * @author Julius Härtl \\n * @author John Molakvoæ \\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 .\\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.nc-generic-dialog .dialog__actions {\\n justify-content: space-between;\\n min-width: calc(100% - 12px);\\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:\\n linear-gradient(\\n to right,\\n var(--color-background-darker),\\n var(--color-text-maxcontrast),\\n 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-22cbb5df] {\\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-6ff1b36b] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-6ff1b36b] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-6ff1b36b] {\\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-6ff1b36b] {\\n box-sizing: border-box;\\n}\\n[data-v-6ff1b36b] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-6ff1b36b] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-6ff1b36b] .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-7e961138] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-7e961138] .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-2e1b1dc8]{--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-2e1b1dc8] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2e1b1dc8] tbody tr{contain:strict}.files-list[data-v-2e1b1dc8] tbody tr:hover,.files-list[data-v-2e1b1dc8] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2e1b1dc8] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2e1b1dc8] .files-list__selected{padding-right:12px;white-space:nowrap}.files-list[data-v-2e1b1dc8] .files-list__table{display:block}.files-list[data-v-2e1b1dc8] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__thead,.files-list[data-v-2e1b1dc8] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2e1b1dc8] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2e1b1dc8] .files-list__tfoot{min-height:300px}.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td,.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td span,.files-list[data-v-2e1b1dc8] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2e1b1dc8] .files-list__row:hover,.files-list[data-v-2e1b1dc8] .files-list__row:focus,.files-list[data-v-2e1b1dc8] .files-list__row:active,.files-list[data-v-2e1b1dc8] .files-list__row--active,.files-list[data-v-2e1b1dc8] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2e1b1dc8] .files-list__row:hover>*,.files-list[data-v-2e1b1dc8] .files-list__row:focus>*,.files-list[data-v-2e1b1dc8] .files-list__row:active>*,.files-list[data-v-2e1b1dc8] .files-list__row--active>*,.files-list[data-v-2e1b1dc8] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2e1b1dc8] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2e1b1dc8] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon>span.folder-icon,.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2e1b1dc8] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2e1b1dc8] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2e1b1dc8] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2e1b1dc8] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2e1b1dc8] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2e1b1dc8] .files-list__row-actions{width:auto}.files-list[data-v-2e1b1dc8] .files-list__row-actions~td,.files-list[data-v-2e1b1dc8] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2e1b1dc8] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2e1b1dc8] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2e1b1dc8] .files-list__row-mtime,.files-list[data-v-2e1b1dc8] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2e1b1dc8] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2e1b1dc8] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2e1b1dc8] .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,oDACC,kBAAA,CACA,kBAAA,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__selected {\\n\\t\\t\\tpadding-right: 12px;\\n\\t\\t\\twhite-space: nowrap;\\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-5dfd5219]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-5dfd5219]{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-5dfd5219]{flex:0 0}.files-list__header-share-button[data-v-5dfd5219]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-5dfd5219]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-5dfd5219]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-5dfd5219]{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","// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// copy of this software and associated documentation files (the\n// \"Software\"), to deal in the Software without restriction, including\n// without limitation the rights to use, copy, modify, merge, publish,\n// distribute, sublicense, and/or sell copies of the Software, and to permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n'use strict';\n\nvar R = typeof Reflect === 'object' ? Reflect : null\nvar ReflectApply = R && typeof R.apply === 'function'\n ? R.apply\n : function ReflectApply(target, receiver, args) {\n return Function.prototype.apply.call(target, receiver, args);\n }\n\nvar ReflectOwnKeys\nif (R && typeof R.ownKeys === 'function') {\n ReflectOwnKeys = R.ownKeys\n} else if (Object.getOwnPropertySymbols) {\n ReflectOwnKeys = function ReflectOwnKeys(target) {\n return Object.getOwnPropertyNames(target)\n .concat(Object.getOwnPropertySymbols(target));\n };\n} else {\n ReflectOwnKeys = function ReflectOwnKeys(target) {\n return Object.getOwnPropertyNames(target);\n };\n}\n\nfunction ProcessEmitWarning(warning) {\n if (console && console.warn) console.warn(warning);\n}\n\nvar NumberIsNaN = Number.isNaN || function NumberIsNaN(value) {\n return value !== value;\n}\n\nfunction EventEmitter() {\n EventEmitter.init.call(this);\n}\nmodule.exports = EventEmitter;\nmodule.exports.once = once;\n\n// Backwards-compat with node 0.10.x\nEventEmitter.EventEmitter = EventEmitter;\n\nEventEmitter.prototype._events = undefined;\nEventEmitter.prototype._eventsCount = 0;\nEventEmitter.prototype._maxListeners = undefined;\n\n// By default EventEmitters will print a warning if more than 10 listeners are\n// added to it. This is a useful default which helps finding memory leaks.\nvar defaultMaxListeners = 10;\n\nfunction checkListener(listener) {\n if (typeof listener !== 'function') {\n throw new TypeError('The \"listener\" argument must be of type Function. Received type ' + typeof listener);\n }\n}\n\nObject.defineProperty(EventEmitter, 'defaultMaxListeners', {\n enumerable: true,\n get: function() {\n return defaultMaxListeners;\n },\n set: function(arg) {\n if (typeof arg !== 'number' || arg < 0 || NumberIsNaN(arg)) {\n throw new RangeError('The value of \"defaultMaxListeners\" is out of range. It must be a non-negative number. Received ' + arg + '.');\n }\n defaultMaxListeners = arg;\n }\n});\n\nEventEmitter.init = function() {\n\n if (this._events === undefined ||\n this._events === Object.getPrototypeOf(this)._events) {\n this._events = Object.create(null);\n this._eventsCount = 0;\n }\n\n this._maxListeners = this._maxListeners || undefined;\n};\n\n// Obviously not all Emitters should be limited to 10. This function allows\n// that to be increased. Set to zero for unlimited.\nEventEmitter.prototype.setMaxListeners = function setMaxListeners(n) {\n if (typeof n !== 'number' || n < 0 || NumberIsNaN(n)) {\n throw new RangeError('The value of \"n\" is out of range. It must be a non-negative number. Received ' + n + '.');\n }\n this._maxListeners = n;\n return this;\n};\n\nfunction _getMaxListeners(that) {\n if (that._maxListeners === undefined)\n return EventEmitter.defaultMaxListeners;\n return that._maxListeners;\n}\n\nEventEmitter.prototype.getMaxListeners = function getMaxListeners() {\n return _getMaxListeners(this);\n};\n\nEventEmitter.prototype.emit = function emit(type) {\n var args = [];\n for (var i = 1; i < arguments.length; i++) args.push(arguments[i]);\n var doError = (type === 'error');\n\n var events = this._events;\n if (events !== undefined)\n doError = (doError && events.error === undefined);\n else if (!doError)\n return false;\n\n // If there is no 'error' event listener then throw.\n if (doError) {\n var er;\n if (args.length > 0)\n er = args[0];\n if (er instanceof Error) {\n // Note: The comments on the `throw` lines are intentional, they show\n // up in Node's output if this results in an unhandled exception.\n throw er; // Unhandled 'error' event\n }\n // At least give some kind of context to the user\n var err = new Error('Unhandled error.' + (er ? ' (' + er.message + ')' : ''));\n err.context = er;\n throw err; // Unhandled 'error' event\n }\n\n var handler = events[type];\n\n if (handler === undefined)\n return false;\n\n if (typeof handler === 'function') {\n ReflectApply(handler, this, args);\n } else {\n var len = handler.length;\n var listeners = arrayClone(handler, len);\n for (var i = 0; i < len; ++i)\n ReflectApply(listeners[i], this, args);\n }\n\n return true;\n};\n\nfunction _addListener(target, type, listener, prepend) {\n var m;\n var events;\n var existing;\n\n checkListener(listener);\n\n events = target._events;\n if (events === undefined) {\n events = target._events = Object.create(null);\n target._eventsCount = 0;\n } else {\n // To avoid recursion in the case that type === \"newListener\"! Before\n // adding it to the listeners, first emit \"newListener\".\n if (events.newListener !== undefined) {\n target.emit('newListener', type,\n listener.listener ? listener.listener : listener);\n\n // Re-assign `events` because a newListener handler could have caused the\n // this._events to be assigned to a new object\n events = target._events;\n }\n existing = events[type];\n }\n\n if (existing === undefined) {\n // Optimize the case of one listener. Don't need the extra array object.\n existing = events[type] = listener;\n ++target._eventsCount;\n } else {\n if (typeof existing === 'function') {\n // Adding the second element, need to change to array.\n existing = events[type] =\n prepend ? [listener, existing] : [existing, listener];\n // If we've already got an array, just append.\n } else if (prepend) {\n existing.unshift(listener);\n } else {\n existing.push(listener);\n }\n\n // Check for listener leak\n m = _getMaxListeners(target);\n if (m > 0 && existing.length > m && !existing.warned) {\n existing.warned = true;\n // No error code for this since it is a Warning\n // eslint-disable-next-line no-restricted-syntax\n var w = new Error('Possible EventEmitter memory leak detected. ' +\n existing.length + ' ' + String(type) + ' listeners ' +\n 'added. Use emitter.setMaxListeners() to ' +\n 'increase limit');\n w.name = 'MaxListenersExceededWarning';\n w.emitter = target;\n w.type = type;\n w.count = existing.length;\n ProcessEmitWarning(w);\n }\n }\n\n return target;\n}\n\nEventEmitter.prototype.addListener = function addListener(type, listener) {\n return _addListener(this, type, listener, false);\n};\n\nEventEmitter.prototype.on = EventEmitter.prototype.addListener;\n\nEventEmitter.prototype.prependListener =\n function prependListener(type, listener) {\n return _addListener(this, type, listener, true);\n };\n\nfunction onceWrapper() {\n if (!this.fired) {\n this.target.removeListener(this.type, this.wrapFn);\n this.fired = true;\n if (arguments.length === 0)\n return this.listener.call(this.target);\n return this.listener.apply(this.target, arguments);\n }\n}\n\nfunction _onceWrap(target, type, listener) {\n var state = { fired: false, wrapFn: undefined, target: target, type: type, listener: listener };\n var wrapped = onceWrapper.bind(state);\n wrapped.listener = listener;\n state.wrapFn = wrapped;\n return wrapped;\n}\n\nEventEmitter.prototype.once = function once(type, listener) {\n checkListener(listener);\n this.on(type, _onceWrap(this, type, listener));\n return this;\n};\n\nEventEmitter.prototype.prependOnceListener =\n function prependOnceListener(type, listener) {\n checkListener(listener);\n this.prependListener(type, _onceWrap(this, type, listener));\n return this;\n };\n\n// Emits a 'removeListener' event if and only if the listener was removed.\nEventEmitter.prototype.removeListener =\n function removeListener(type, listener) {\n var list, events, position, i, originalListener;\n\n checkListener(listener);\n\n events = this._events;\n if (events === undefined)\n return this;\n\n list = events[type];\n if (list === undefined)\n return this;\n\n if (list === listener || list.listener === listener) {\n if (--this._eventsCount === 0)\n this._events = Object.create(null);\n else {\n delete events[type];\n if (events.removeListener)\n this.emit('removeListener', type, list.listener || listener);\n }\n } else if (typeof list !== 'function') {\n position = -1;\n\n for (i = list.length - 1; i >= 0; i--) {\n if (list[i] === listener || list[i].listener === listener) {\n originalListener = list[i].listener;\n position = i;\n break;\n }\n }\n\n if (position < 0)\n return this;\n\n if (position === 0)\n list.shift();\n else {\n spliceOne(list, position);\n }\n\n if (list.length === 1)\n events[type] = list[0];\n\n if (events.removeListener !== undefined)\n this.emit('removeListener', type, originalListener || listener);\n }\n\n return this;\n };\n\nEventEmitter.prototype.off = EventEmitter.prototype.removeListener;\n\nEventEmitter.prototype.removeAllListeners =\n function removeAllListeners(type) {\n var listeners, events, i;\n\n events = this._events;\n if (events === undefined)\n return this;\n\n // not listening for removeListener, no need to emit\n if (events.removeListener === undefined) {\n if (arguments.length === 0) {\n this._events = Object.create(null);\n this._eventsCount = 0;\n } else if (events[type] !== undefined) {\n if (--this._eventsCount === 0)\n this._events = Object.create(null);\n else\n delete events[type];\n }\n return this;\n }\n\n // emit removeListener for all listeners on all events\n if (arguments.length === 0) {\n var keys = Object.keys(events);\n var key;\n for (i = 0; i < keys.length; ++i) {\n key = keys[i];\n if (key === 'removeListener') continue;\n this.removeAllListeners(key);\n }\n this.removeAllListeners('removeListener');\n this._events = Object.create(null);\n this._eventsCount = 0;\n return this;\n }\n\n listeners = events[type];\n\n if (typeof listeners === 'function') {\n this.removeListener(type, listeners);\n } else if (listeners !== undefined) {\n // LIFO order\n for (i = listeners.length - 1; i >= 0; i--) {\n this.removeListener(type, listeners[i]);\n }\n }\n\n return this;\n };\n\nfunction _listeners(target, type, unwrap) {\n var events = target._events;\n\n if (events === undefined)\n return [];\n\n var evlistener = events[type];\n if (evlistener === undefined)\n return [];\n\n if (typeof evlistener === 'function')\n return unwrap ? [evlistener.listener || evlistener] : [evlistener];\n\n return unwrap ?\n unwrapListeners(evlistener) : arrayClone(evlistener, evlistener.length);\n}\n\nEventEmitter.prototype.listeners = function listeners(type) {\n return _listeners(this, type, true);\n};\n\nEventEmitter.prototype.rawListeners = function rawListeners(type) {\n return _listeners(this, type, false);\n};\n\nEventEmitter.listenerCount = function(emitter, type) {\n if (typeof emitter.listenerCount === 'function') {\n return emitter.listenerCount(type);\n } else {\n return listenerCount.call(emitter, type);\n }\n};\n\nEventEmitter.prototype.listenerCount = listenerCount;\nfunction listenerCount(type) {\n var events = this._events;\n\n if (events !== undefined) {\n var evlistener = events[type];\n\n if (typeof evlistener === 'function') {\n return 1;\n } else if (evlistener !== undefined) {\n return evlistener.length;\n }\n }\n\n return 0;\n}\n\nEventEmitter.prototype.eventNames = function eventNames() {\n return this._eventsCount > 0 ? ReflectOwnKeys(this._events) : [];\n};\n\nfunction arrayClone(arr, n) {\n var copy = new Array(n);\n for (var i = 0; i < n; ++i)\n copy[i] = arr[i];\n return copy;\n}\n\nfunction spliceOne(list, index) {\n for (; index + 1 < list.length; index++)\n list[index] = list[index + 1];\n list.pop();\n}\n\nfunction unwrapListeners(arr) {\n var ret = new Array(arr.length);\n for (var i = 0; i < ret.length; ++i) {\n ret[i] = arr[i].listener || arr[i];\n }\n return ret;\n}\n\nfunction once(emitter, name) {\n return new Promise(function (resolve, reject) {\n function errorListener(err) {\n emitter.removeListener(name, resolver);\n reject(err);\n }\n\n function resolver() {\n if (typeof emitter.removeListener === 'function') {\n emitter.removeListener('error', errorListener);\n }\n resolve([].slice.call(arguments));\n };\n\n eventTargetAgnosticAddListener(emitter, name, resolver, { once: true });\n if (name !== 'error') {\n addErrorHandlerIfEventEmitter(emitter, errorListener, { once: true });\n }\n });\n}\n\nfunction addErrorHandlerIfEventEmitter(emitter, handler, flags) {\n if (typeof emitter.on === 'function') {\n eventTargetAgnosticAddListener(emitter, 'error', handler, flags);\n }\n}\n\nfunction eventTargetAgnosticAddListener(emitter, name, listener, flags) {\n if (typeof emitter.on === 'function') {\n if (flags.once) {\n emitter.once(name, listener);\n } else {\n emitter.on(name, listener);\n }\n } else if (typeof emitter.addEventListener === 'function') {\n // EventTarget does not have `error` event semantics like Node\n // EventEmitters, we do not listen for `error` events here.\n emitter.addEventListener(name, function wrapListener(arg) {\n // IE does not have builtin `{ once: true }` support so we\n // have to do it manually.\n if (flags.once) {\n emitter.removeEventListener(name, wrapListener);\n }\n listener(arg);\n });\n } else {\n throw new TypeError('The \"emitter\" argument must be of type EventEmitter. Received type ' + typeof emitter);\n }\n}\n","/*! safe-buffer. MIT License. Feross Aboukhadijeh */\n/* eslint-disable node/no-deprecated-api */\nvar buffer = require('buffer')\nvar Buffer = buffer.Buffer\n\n// alternative to using Object.keys for old browsers\nfunction copyProps (src, dst) {\n for (var key in src) {\n dst[key] = src[key]\n }\n}\nif (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) {\n module.exports = buffer\n} else {\n // Copy properties from require('buffer')\n copyProps(buffer, exports)\n exports.Buffer = SafeBuffer\n}\n\nfunction SafeBuffer (arg, encodingOrOffset, length) {\n return Buffer(arg, encodingOrOffset, length)\n}\n\nSafeBuffer.prototype = Object.create(Buffer.prototype)\n\n// Copy static methods from Buffer\ncopyProps(Buffer, SafeBuffer)\n\nSafeBuffer.from = function (arg, encodingOrOffset, length) {\n if (typeof arg === 'number') {\n throw new TypeError('Argument must not be a number')\n }\n return Buffer(arg, encodingOrOffset, length)\n}\n\nSafeBuffer.alloc = function (size, fill, encoding) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n var buf = Buffer(size)\n if (fill !== undefined) {\n if (typeof encoding === 'string') {\n buf.fill(fill, encoding)\n } else {\n buf.fill(fill)\n }\n } else {\n buf.fill(0)\n }\n return buf\n}\n\nSafeBuffer.allocUnsafe = function (size) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n return Buffer(size)\n}\n\nSafeBuffer.allocUnsafeSlow = function (size) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n return buffer.SlowBuffer(size)\n}\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++, // & and such.\n OPEN_WAKA: S++, // <\n SGML_DECL: S++, // \n SCRIPT: S++, // ","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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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","\n\n","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 }","\n\n\n\n\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 }","\n\n","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\n\n\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\n\n\n\n\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\n","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 }","\n\n","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\"","\n\n","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æ \n *\n * @author John Molakvoæ \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 .\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 }, { ...window.OCP.Files.Router.query, 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","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { createClient, getPatcher } from 'webdav';\nimport { generateRemoteUrl } from '@nextcloud/router';\nimport { getCurrentUser, getRequestToken, onRequestTokenUpdate } from '@nextcloud/auth';\nexport const rootPath = `/files/${getCurrentUser()?.uid}`;\nexport const defaultRootUrl = generateRemoteUrl('dav' + rootPath);\nexport const getClient = (rootUrl = defaultRootUrl) => {\n const client = createClient(rootUrl);\n // set CSRF token header\n const setHeaders = (token) => {\n client?.setHeaders({\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: token ?? '',\n });\n };\n // refresh headers when request token changes\n onRequestTokenUpdate(setHeaders);\n setHeaders(getRequestToken());\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('fetch', (url, options) => {\n const headers = options.headers;\n if (headers?.method) {\n options.method = headers.method;\n delete headers.method;\n }\n return fetch(url, options);\n });\n return client;\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { davGetDefaultPropfind, davResultToNode, davRootPath } from '@nextcloud/files';\nimport { defineStore } from 'pinia';\nimport { subscribe } from '@nextcloud/event-bus';\nimport logger from '../logger';\nimport Vue from 'vue';\nimport { client } from '../services/WebdavClient.ts';\nconst fetchNode = async (node) => {\n const propfindPayload = davGetDefaultPropfind();\n const result = await client.stat(`${davRootPath}${node.path}`, {\n details: true,\n data: propfindPayload,\n });\n return davResultToNode(result.data);\n};\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 its source\n */\n getNode: (state) => (source) => state.files[source],\n /**\n * Get a list of files or folders by their IDs\n * Note: does not return undefined values\n */\n getNodes: (state) => (sources) => sources\n .map(source => state.files[source])\n .filter(Boolean),\n /**\n * Get files or folders by their file ID\n * Multiple nodes can have the same file ID but different sources\n * (e.g. in a shared context)\n */\n getNodesById: (state) => (fileId) => Object.values(state.files).filter(node => node.fileid === fileId),\n /**\n * Get the root folder of a service\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.source] = node;\n return acc;\n }, {});\n Vue.set(this, 'files', { ...this.files, ...files });\n },\n deleteNodes(nodes) {\n nodes.forEach(node => {\n if (node.source) {\n Vue.delete(this.files, node.source);\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 async onUpdatedNode(node) {\n if (!node.fileid) {\n logger.error('Trying to update/set a node without fileid', { node });\n return;\n }\n // If we have multiple nodes with the same file ID, we need to update all of them\n const nodes = this.getNodesById(node.fileid);\n if (nodes.length > 1) {\n await Promise.all(nodes.map(fetchNode)).then(this.updateNodes);\n logger.debug(nodes.length + ' nodes updated in store', { fileid: node.fileid });\n return;\n }\n // If we have only one node with the file ID, we can update it directly\n if (node.source === nodes[0].source) {\n this.updateNodes([node]);\n return;\n }\n // Otherwise, it means we receive an event for a node that is not in the store\n fetchNode(node).then(n => this.updateNodes([n]));\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(...args);\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.source);\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 source: node.source,\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.source);\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 parentSource = this.paths[service][node.dirname];\n const parentFolder = files.getNode(parentSource);\n logger.debug('Path already exists, updating children', { parentFolder, node });\n if (!parentFolder) {\n logger.error('Parent folder not found', { parentSource });\n return;\n }\n if (!parentFolder._children) {\n Vue.set(parentFolder, '_children', []);\n }\n parentFolder._children.push(node.source);\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æ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { defineStore } from 'pinia';\nimport Vue from 'vue';\nimport { FileSource, 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æ \n *\n * @author John Molakvoæ \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 .\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 // a shared file cannot be copied if the download is disabled\n // it can be copied if the user has at least read permissions\n return canDownload(nodes)\n && !nodes.some(node => node.permissions === Permission.NONE);\n};\n","/**\n * @copyright Copyright (c) 2023 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\n *\n */\nexport const hashCode = function (str) {\n let hash = 0;\n for (let i = 0; i < str.length; i++) {\n hash = ((hash << 5) - hash + str.charCodeAt(i)) | 0;\n }\n return (hash >>> 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.ts';\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 = String(props['owner-id'] || userId);\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 'owner-id': owner,\n 'owner-display-name': String(props['owner-display-name']),\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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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} 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} 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 \n *\n * @author Ferdinand Thiessen \n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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=ed034756&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=ed034756&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=ed034756&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=ed034756&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 \"ed034756\",\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('span',{staticClass:\"files-list__selected\"},[_vm._v(_vm._s(_vm.t('files', '{count} selected', { count: _vm.selectedNodes.length })))]),_vm._v(\" \"),_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æ \n *\n * @author John Molakvoæ \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 .\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æ \n *\n * @author John Molakvoæ \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 .\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","\n\n","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\"","\n\n","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æ \n *\n * @author John Molakvoæ \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 .\n *\n */\nimport { showError } from '@nextcloud/dialogs';\nimport { FileType, Permission, Folder, File as NcFile, NodeStatus, Node, View } from '@nextcloud/files';\nimport { translate as t } from '@nextcloud/l10n';\nimport { generateUrl } from '@nextcloud/router';\nimport { vOnClickOutside } from '@vueuse/components';\nimport { extname } from 'path';\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 FileEntryActions from '../components/FileEntry/FileEntryActions.vue';\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.selectedFiles.includes(this.source.source);\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 String(this.fileid) === String(this.currentFileId);\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(source => this.filesStore.getNode(source));\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.draggingFiles.includes(this.source.source)) {\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 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 else {\n // Reset any right menu position potentially set\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 // 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 ctrl+click or middle mouse button, open in new tab\n if (event.ctrlKey || event.metaKey || event.button === 1) {\n event.preventDefault();\n window.open(generateUrl('/f/{fileId}', { fileId: this.fileid }));\n return false;\n }\n const actions = this.$refs.actions;\n 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.source.source)) {\n this.draggingStore.set(this.selectedFiles);\n }\n else {\n this.draggingStore.set([this.source.source]);\n }\n const nodes = this.draggingStore.dragging\n .map(source => this.filesStore.getNode(source));\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(source => this.filesStore.getNode(source));\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(source => this.selectedFiles.includes(source))) {\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\"","\n\n","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=7e961138&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=7e961138&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=7e961138&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=7e961138&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=7e961138&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=7e961138&prod&lang=scss\"\nimport style1 from \"./FileEntryActions.vue?vue&type=style&index=1&id=7e961138&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 \"7e961138\",\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æ \n *\n * @author John Molakvoæ \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 .\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=9cf669b4\"\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\":\"\"}},'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=da1d3c3a\"\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 }","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n","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\"","\n\n\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 \n *\n * @author Louis Chmn \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 .\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:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"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},nativeOn:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}})],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}},[(_vm.source.mtime)?_c('NcDateTime',{attrs:{\"timestamp\":_vm.source.mtime,\"ignore-seconds\":true}}):_vm._e()],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=c014d276\"\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:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"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},nativeOn:{\"auxclick\":function($event){return _vm.execDefaultAction.apply(null, arguments)},\"click\":function($event){return _vm.execDefaultAction.apply(null, arguments)}}})],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=06c49d7e\"\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æ \n *\n * @author John Molakvoæ \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 .\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=09fd2ce2&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=09fd2ce2&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=09fd2ce2&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=09fd2ce2&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 \"09fd2ce2\",\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=7ef2b200\"\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=91476734&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=91476734&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=91476734&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=91476734&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 \"91476734\",\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=2e1b1dc8&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=2e1b1dc8&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=2e1b1dc8&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=2e1b1dc8&prod&lang=scss\";\n export default content && content.locals ? content.locals : undefined;\n","import { render, staticRenderFns } from \"./FilesListVirtual.vue?vue&type=template&id=2e1b1dc8&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=2e1b1dc8&prod&scoped=true&lang=scss\"\nimport style1 from \"./FilesListVirtual.vue?vue&type=style&index=1&id=2e1b1dc8&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 \"2e1b1dc8\",\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\"","\n\n","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=f365f692&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=f365f692&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=f365f692&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=f365f692&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 \"f365f692\",\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 \n *\n * @author John Molakvoæ \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 .\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 \n * @copyright Copyright (c) 2019 John Molakvoæ \n *\n * @author John Molakvoæ \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 .\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","// 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 \n *\n * @author Julius Härtl \n * @author John Molakvoæ \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 .\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.nc-generic-dialog .dialog__actions {\n justify-content: space-between;\n min-width: calc(100% - 12px);\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:\n linear-gradient(\n to right,\n var(--color-background-darker),\n var(--color-text-maxcontrast),\n 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-22cbb5df] {\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-6ff1b36b] {\n height: 50px;\n display: flex;\n justify-content: start;\n align-items: center;\n}\n.file-picker__view h3[data-v-6ff1b36b] {\n font-weight: 700;\n height: fit-content;\n margin: 0;\n}\n.file-picker__main[data-v-6ff1b36b] {\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-6ff1b36b] {\n box-sizing: border-box;\n}\n[data-v-6ff1b36b] .file-picker {\n height: min(80vh, 800px) !important;\n}\n@media (max-width: 512px) {\n [data-v-6ff1b36b] .file-picker {\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\n }\n}\n[data-v-6ff1b36b] .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,8BAA8B;EAC9B,4BAA4B;AAC9B;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;;;;;qCAKmC;EACnC,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 \\n *\\n * @author Julius Härtl \\n * @author John Molakvoæ \\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 .\\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.nc-generic-dialog .dialog__actions {\\n justify-content: space-between;\\n min-width: calc(100% - 12px);\\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:\\n linear-gradient(\\n to right,\\n var(--color-background-darker),\\n var(--color-text-maxcontrast),\\n 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-22cbb5df] {\\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-6ff1b36b] {\\n height: 50px;\\n display: flex;\\n justify-content: start;\\n align-items: center;\\n}\\n.file-picker__view h3[data-v-6ff1b36b] {\\n font-weight: 700;\\n height: fit-content;\\n margin: 0;\\n}\\n.file-picker__main[data-v-6ff1b36b] {\\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-6ff1b36b] {\\n box-sizing: border-box;\\n}\\n[data-v-6ff1b36b] .file-picker {\\n height: min(80vh, 800px) !important;\\n}\\n@media (max-width: 512px) {\\n [data-v-6ff1b36b] .file-picker {\\n height: calc(100% - 16px - var(--default-clickable-area)) !important;\\n }\\n}\\n[data-v-6ff1b36b] .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-ed034756]{flex:1 1 100% !important;width:100%;height:100%;margin-block:0;margin-inline:10px}.files-list__breadcrumbs[data-v-ed034756] a{cursor:pointer !important}.files-list__breadcrumbs--with-progress[data-v-ed034756]{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-7e961138] .button-vue--icon-and-text .button-vue__text{color:var(--color-primary-element)}[data-v-7e961138] .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-09fd2ce2]{user-select:none;color:var(--color-text-maxcontrast) !important}.files-list__column--sortable[data-v-09fd2ce2]{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-91476734]{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-2e1b1dc8]{--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-2e1b1dc8] tbody{will-change:padding;contain:layout paint style;display:flex;flex-direction:column;width:100%;position:relative}.files-list[data-v-2e1b1dc8] tbody tr{contain:strict}.files-list[data-v-2e1b1dc8] tbody tr:hover,.files-list[data-v-2e1b1dc8] tbody tr:focus{background-color:var(--color-background-dark)}.files-list[data-v-2e1b1dc8] .files-list__before{display:flex;flex-direction:column}.files-list[data-v-2e1b1dc8] .files-list__selected{padding-right:12px;white-space:nowrap}.files-list[data-v-2e1b1dc8] .files-list__table{display:block}.files-list[data-v-2e1b1dc8] .files-list__table.files-list__table--with-thead-overlay{margin-top:calc(-1*var(--row-height))}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__thead,.files-list[data-v-2e1b1dc8] .files-list__tfoot{display:flex;flex-direction:column;width:100%;background-color:var(--color-main-background)}.files-list[data-v-2e1b1dc8] .files-list__thead{position:sticky;z-index:10;top:0}.files-list[data-v-2e1b1dc8] .files-list__tfoot{min-height:300px}.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td,.files-list[data-v-2e1b1dc8] 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-2e1b1dc8] td span,.files-list[data-v-2e1b1dc8] th span{overflow:hidden;white-space:nowrap;text-overflow:ellipsis}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox{justify-content:center}.files-list[data-v-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch{display:flex;justify-content:center;--icon-size: var(--checkbox-size)}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-checkbox .checkbox-radio-switch .checkbox-radio-switch__icon{margin:0 !important}.files-list[data-v-2e1b1dc8] .files-list__row:hover,.files-list[data-v-2e1b1dc8] .files-list__row:focus,.files-list[data-v-2e1b1dc8] .files-list__row:active,.files-list[data-v-2e1b1dc8] .files-list__row--active,.files-list[data-v-2e1b1dc8] .files-list__row--dragover{background-color:var(--color-background-hover);--color-text-maxcontrast: var(--color-main-text)}.files-list[data-v-2e1b1dc8] .files-list__row:hover>*,.files-list[data-v-2e1b1dc8] .files-list__row:focus>*,.files-list[data-v-2e1b1dc8] .files-list__row:active>*,.files-list[data-v-2e1b1dc8] .files-list__row--active>*,.files-list[data-v-2e1b1dc8] .files-list__row--dragover>*{--color-border: var(--color-border-dark)}.files-list[data-v-2e1b1dc8] .files-list__row:hover .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:focus .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row:active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--active .favorite-marker-icon svg path,.files-list[data-v-2e1b1dc8] .files-list__row--dragover .favorite-marker-icon svg path{stroke:var(--color-background-hover)}.files-list[data-v-2e1b1dc8] .files-list__row--dragover *{pointer-events:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon *{cursor:pointer}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span{justify-content:flex-start}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon>span.folder-icon,.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-open-icon{margin:-3px}.files-list[data-v-2e1b1dc8] .files-list__row-icon>span.folder-icon svg,.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-preview:not(.files-list__row-icon-preview--loaded){background:var(--color-loading-dark)}.files-list[data-v-2e1b1dc8] .files-list__row-icon-favorite{position:absolute;top:0px;right:-10px}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-icon-overlay--file{color:var(--color-main-text);background:var(--color-main-background);border-radius:100%}.files-list[data-v-2e1b1dc8] .files-list__row-name{overflow:hidden;flex:1 1 auto}.files-list[data-v-2e1b1dc8] .files-list__row-name a{display:flex;align-items:center;width:100%;height:100%;min-width:0}.files-list[data-v-2e1b1dc8] .files-list__row-name a:focus-visible{outline:none}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name a:focus:not(:focus-visible) .files-list__row-name-text{outline:none !important}.files-list[data-v-2e1b1dc8] .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-2e1b1dc8] .files-list__row-name .files-list__row-name-ext{color:var(--color-text-maxcontrast);overflow:visible}.files-list[data-v-2e1b1dc8] .files-list__row-rename{width:100%;max-width:600px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input{width:100%;margin-left:-8px;padding:2px 6px;border-width:2px}.files-list[data-v-2e1b1dc8] .files-list__row-rename input:invalid{border-color:var(--color-error);color:red}.files-list[data-v-2e1b1dc8] .files-list__row-actions{width:auto}.files-list[data-v-2e1b1dc8] .files-list__row-actions~td,.files-list[data-v-2e1b1dc8] .files-list__row-actions~th{margin:0 var(--cell-margin)}.files-list[data-v-2e1b1dc8] .files-list__row-actions button .button-vue__text{font-weight:normal}.files-list[data-v-2e1b1dc8] .files-list__row-action--inline{margin-right:7px}.files-list[data-v-2e1b1dc8] .files-list__row-mtime,.files-list[data-v-2e1b1dc8] .files-list__row-size{color:var(--color-text-maxcontrast)}.files-list[data-v-2e1b1dc8] .files-list__row-size{width:calc(var(--row-height)*1.5);justify-content:flex-end}.files-list[data-v-2e1b1dc8] .files-list__row-mtime{width:calc(var(--row-height)*2)}.files-list[data-v-2e1b1dc8] .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,oDACC,kBAAA,CACA,kBAAA,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__selected {\\n\\t\\t\\tpadding-right: 12px;\\n\\t\\t\\twhite-space: nowrap;\\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-f365f692]{display:flex;overflow:hidden;flex-direction:column;max-height:100%;position:relative !important}.files-list__header[data-v-f365f692]{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-f365f692]{flex:0 0}.files-list__header-share-button[data-v-f365f692]{color:var(--color-text-maxcontrast) !important}.files-list__header-share-button--shared[data-v-f365f692]{color:var(--color-main-text) !important}.files-list__refresh-icon[data-v-f365f692]{flex:0 0 44px;width:44px;height:44px}.files-list__loading-icon[data-v-f365f692]{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","// Copyright Joyent, Inc. and other Node contributors.\n//\n// Permission is hereby granted, free of charge, to any person obtaining a\n// copy of this software and associated documentation files (the\n// \"Software\"), to deal in the Software without restriction, including\n// without limitation the rights to use, copy, modify, merge, publish,\n// distribute, sublicense, and/or sell copies of the Software, and to permit\n// persons to whom the Software is furnished to do so, subject to the\n// following conditions:\n//\n// The above copyright notice and this permission notice shall be included\n// in all copies or substantial portions of the Software.\n//\n// THE SOFTWARE IS PROVIDED \"AS IS\", WITHOUT WARRANTY OF ANY KIND, EXPRESS\n// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF\n// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN\n// NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM,\n// DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR\n// OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE\n// USE OR OTHER DEALINGS IN THE SOFTWARE.\n\n'use strict';\n\nvar R = typeof Reflect === 'object' ? Reflect : null\nvar ReflectApply = R && typeof R.apply === 'function'\n ? R.apply\n : function ReflectApply(target, receiver, args) {\n return Function.prototype.apply.call(target, receiver, args);\n }\n\nvar ReflectOwnKeys\nif (R && typeof R.ownKeys === 'function') {\n ReflectOwnKeys = R.ownKeys\n} else if (Object.getOwnPropertySymbols) {\n ReflectOwnKeys = function ReflectOwnKeys(target) {\n return Object.getOwnPropertyNames(target)\n .concat(Object.getOwnPropertySymbols(target));\n };\n} else {\n ReflectOwnKeys = function ReflectOwnKeys(target) {\n return Object.getOwnPropertyNames(target);\n };\n}\n\nfunction ProcessEmitWarning(warning) {\n if (console && console.warn) console.warn(warning);\n}\n\nvar NumberIsNaN = Number.isNaN || function NumberIsNaN(value) {\n return value !== value;\n}\n\nfunction EventEmitter() {\n EventEmitter.init.call(this);\n}\nmodule.exports = EventEmitter;\nmodule.exports.once = once;\n\n// Backwards-compat with node 0.10.x\nEventEmitter.EventEmitter = EventEmitter;\n\nEventEmitter.prototype._events = undefined;\nEventEmitter.prototype._eventsCount = 0;\nEventEmitter.prototype._maxListeners = undefined;\n\n// By default EventEmitters will print a warning if more than 10 listeners are\n// added to it. This is a useful default which helps finding memory leaks.\nvar defaultMaxListeners = 10;\n\nfunction checkListener(listener) {\n if (typeof listener !== 'function') {\n throw new TypeError('The \"listener\" argument must be of type Function. Received type ' + typeof listener);\n }\n}\n\nObject.defineProperty(EventEmitter, 'defaultMaxListeners', {\n enumerable: true,\n get: function() {\n return defaultMaxListeners;\n },\n set: function(arg) {\n if (typeof arg !== 'number' || arg < 0 || NumberIsNaN(arg)) {\n throw new RangeError('The value of \"defaultMaxListeners\" is out of range. It must be a non-negative number. Received ' + arg + '.');\n }\n defaultMaxListeners = arg;\n }\n});\n\nEventEmitter.init = function() {\n\n if (this._events === undefined ||\n this._events === Object.getPrototypeOf(this)._events) {\n this._events = Object.create(null);\n this._eventsCount = 0;\n }\n\n this._maxListeners = this._maxListeners || undefined;\n};\n\n// Obviously not all Emitters should be limited to 10. This function allows\n// that to be increased. Set to zero for unlimited.\nEventEmitter.prototype.setMaxListeners = function setMaxListeners(n) {\n if (typeof n !== 'number' || n < 0 || NumberIsNaN(n)) {\n throw new RangeError('The value of \"n\" is out of range. It must be a non-negative number. Received ' + n + '.');\n }\n this._maxListeners = n;\n return this;\n};\n\nfunction _getMaxListeners(that) {\n if (that._maxListeners === undefined)\n return EventEmitter.defaultMaxListeners;\n return that._maxListeners;\n}\n\nEventEmitter.prototype.getMaxListeners = function getMaxListeners() {\n return _getMaxListeners(this);\n};\n\nEventEmitter.prototype.emit = function emit(type) {\n var args = [];\n for (var i = 1; i < arguments.length; i++) args.push(arguments[i]);\n var doError = (type === 'error');\n\n var events = this._events;\n if (events !== undefined)\n doError = (doError && events.error === undefined);\n else if (!doError)\n return false;\n\n // If there is no 'error' event listener then throw.\n if (doError) {\n var er;\n if (args.length > 0)\n er = args[0];\n if (er instanceof Error) {\n // Note: The comments on the `throw` lines are intentional, they show\n // up in Node's output if this results in an unhandled exception.\n throw er; // Unhandled 'error' event\n }\n // At least give some kind of context to the user\n var err = new Error('Unhandled error.' + (er ? ' (' + er.message + ')' : ''));\n err.context = er;\n throw err; // Unhandled 'error' event\n }\n\n var handler = events[type];\n\n if (handler === undefined)\n return false;\n\n if (typeof handler === 'function') {\n ReflectApply(handler, this, args);\n } else {\n var len = handler.length;\n var listeners = arrayClone(handler, len);\n for (var i = 0; i < len; ++i)\n ReflectApply(listeners[i], this, args);\n }\n\n return true;\n};\n\nfunction _addListener(target, type, listener, prepend) {\n var m;\n var events;\n var existing;\n\n checkListener(listener);\n\n events = target._events;\n if (events === undefined) {\n events = target._events = Object.create(null);\n target._eventsCount = 0;\n } else {\n // To avoid recursion in the case that type === \"newListener\"! Before\n // adding it to the listeners, first emit \"newListener\".\n if (events.newListener !== undefined) {\n target.emit('newListener', type,\n listener.listener ? listener.listener : listener);\n\n // Re-assign `events` because a newListener handler could have caused the\n // this._events to be assigned to a new object\n events = target._events;\n }\n existing = events[type];\n }\n\n if (existing === undefined) {\n // Optimize the case of one listener. Don't need the extra array object.\n existing = events[type] = listener;\n ++target._eventsCount;\n } else {\n if (typeof existing === 'function') {\n // Adding the second element, need to change to array.\n existing = events[type] =\n prepend ? [listener, existing] : [existing, listener];\n // If we've already got an array, just append.\n } else if (prepend) {\n existing.unshift(listener);\n } else {\n existing.push(listener);\n }\n\n // Check for listener leak\n m = _getMaxListeners(target);\n if (m > 0 && existing.length > m && !existing.warned) {\n existing.warned = true;\n // No error code for this since it is a Warning\n // eslint-disable-next-line no-restricted-syntax\n var w = new Error('Possible EventEmitter memory leak detected. ' +\n existing.length + ' ' + String(type) + ' listeners ' +\n 'added. Use emitter.setMaxListeners() to ' +\n 'increase limit');\n w.name = 'MaxListenersExceededWarning';\n w.emitter = target;\n w.type = type;\n w.count = existing.length;\n ProcessEmitWarning(w);\n }\n }\n\n return target;\n}\n\nEventEmitter.prototype.addListener = function addListener(type, listener) {\n return _addListener(this, type, listener, false);\n};\n\nEventEmitter.prototype.on = EventEmitter.prototype.addListener;\n\nEventEmitter.prototype.prependListener =\n function prependListener(type, listener) {\n return _addListener(this, type, listener, true);\n };\n\nfunction onceWrapper() {\n if (!this.fired) {\n this.target.removeListener(this.type, this.wrapFn);\n this.fired = true;\n if (arguments.length === 0)\n return this.listener.call(this.target);\n return this.listener.apply(this.target, arguments);\n }\n}\n\nfunction _onceWrap(target, type, listener) {\n var state = { fired: false, wrapFn: undefined, target: target, type: type, listener: listener };\n var wrapped = onceWrapper.bind(state);\n wrapped.listener = listener;\n state.wrapFn = wrapped;\n return wrapped;\n}\n\nEventEmitter.prototype.once = function once(type, listener) {\n checkListener(listener);\n this.on(type, _onceWrap(this, type, listener));\n return this;\n};\n\nEventEmitter.prototype.prependOnceListener =\n function prependOnceListener(type, listener) {\n checkListener(listener);\n this.prependListener(type, _onceWrap(this, type, listener));\n return this;\n };\n\n// Emits a 'removeListener' event if and only if the listener was removed.\nEventEmitter.prototype.removeListener =\n function removeListener(type, listener) {\n var list, events, position, i, originalListener;\n\n checkListener(listener);\n\n events = this._events;\n if (events === undefined)\n return this;\n\n list = events[type];\n if (list === undefined)\n return this;\n\n if (list === listener || list.listener === listener) {\n if (--this._eventsCount === 0)\n this._events = Object.create(null);\n else {\n delete events[type];\n if (events.removeListener)\n this.emit('removeListener', type, list.listener || listener);\n }\n } else if (typeof list !== 'function') {\n position = -1;\n\n for (i = list.length - 1; i >= 0; i--) {\n if (list[i] === listener || list[i].listener === listener) {\n originalListener = list[i].listener;\n position = i;\n break;\n }\n }\n\n if (position < 0)\n return this;\n\n if (position === 0)\n list.shift();\n else {\n spliceOne(list, position);\n }\n\n if (list.length === 1)\n events[type] = list[0];\n\n if (events.removeListener !== undefined)\n this.emit('removeListener', type, originalListener || listener);\n }\n\n return this;\n };\n\nEventEmitter.prototype.off = EventEmitter.prototype.removeListener;\n\nEventEmitter.prototype.removeAllListeners =\n function removeAllListeners(type) {\n var listeners, events, i;\n\n events = this._events;\n if (events === undefined)\n return this;\n\n // not listening for removeListener, no need to emit\n if (events.removeListener === undefined) {\n if (arguments.length === 0) {\n this._events = Object.create(null);\n this._eventsCount = 0;\n } else if (events[type] !== undefined) {\n if (--this._eventsCount === 0)\n this._events = Object.create(null);\n else\n delete events[type];\n }\n return this;\n }\n\n // emit removeListener for all listeners on all events\n if (arguments.length === 0) {\n var keys = Object.keys(events);\n var key;\n for (i = 0; i < keys.length; ++i) {\n key = keys[i];\n if (key === 'removeListener') continue;\n this.removeAllListeners(key);\n }\n this.removeAllListeners('removeListener');\n this._events = Object.create(null);\n this._eventsCount = 0;\n return this;\n }\n\n listeners = events[type];\n\n if (typeof listeners === 'function') {\n this.removeListener(type, listeners);\n } else if (listeners !== undefined) {\n // LIFO order\n for (i = listeners.length - 1; i >= 0; i--) {\n this.removeListener(type, listeners[i]);\n }\n }\n\n return this;\n };\n\nfunction _listeners(target, type, unwrap) {\n var events = target._events;\n\n if (events === undefined)\n return [];\n\n var evlistener = events[type];\n if (evlistener === undefined)\n return [];\n\n if (typeof evlistener === 'function')\n return unwrap ? [evlistener.listener || evlistener] : [evlistener];\n\n return unwrap ?\n unwrapListeners(evlistener) : arrayClone(evlistener, evlistener.length);\n}\n\nEventEmitter.prototype.listeners = function listeners(type) {\n return _listeners(this, type, true);\n};\n\nEventEmitter.prototype.rawListeners = function rawListeners(type) {\n return _listeners(this, type, false);\n};\n\nEventEmitter.listenerCount = function(emitter, type) {\n if (typeof emitter.listenerCount === 'function') {\n return emitter.listenerCount(type);\n } else {\n return listenerCount.call(emitter, type);\n }\n};\n\nEventEmitter.prototype.listenerCount = listenerCount;\nfunction listenerCount(type) {\n var events = this._events;\n\n if (events !== undefined) {\n var evlistener = events[type];\n\n if (typeof evlistener === 'function') {\n return 1;\n } else if (evlistener !== undefined) {\n return evlistener.length;\n }\n }\n\n return 0;\n}\n\nEventEmitter.prototype.eventNames = function eventNames() {\n return this._eventsCount > 0 ? ReflectOwnKeys(this._events) : [];\n};\n\nfunction arrayClone(arr, n) {\n var copy = new Array(n);\n for (var i = 0; i < n; ++i)\n copy[i] = arr[i];\n return copy;\n}\n\nfunction spliceOne(list, index) {\n for (; index + 1 < list.length; index++)\n list[index] = list[index + 1];\n list.pop();\n}\n\nfunction unwrapListeners(arr) {\n var ret = new Array(arr.length);\n for (var i = 0; i < ret.length; ++i) {\n ret[i] = arr[i].listener || arr[i];\n }\n return ret;\n}\n\nfunction once(emitter, name) {\n return new Promise(function (resolve, reject) {\n function errorListener(err) {\n emitter.removeListener(name, resolver);\n reject(err);\n }\n\n function resolver() {\n if (typeof emitter.removeListener === 'function') {\n emitter.removeListener('error', errorListener);\n }\n resolve([].slice.call(arguments));\n };\n\n eventTargetAgnosticAddListener(emitter, name, resolver, { once: true });\n if (name !== 'error') {\n addErrorHandlerIfEventEmitter(emitter, errorListener, { once: true });\n }\n });\n}\n\nfunction addErrorHandlerIfEventEmitter(emitter, handler, flags) {\n if (typeof emitter.on === 'function') {\n eventTargetAgnosticAddListener(emitter, 'error', handler, flags);\n }\n}\n\nfunction eventTargetAgnosticAddListener(emitter, name, listener, flags) {\n if (typeof emitter.on === 'function') {\n if (flags.once) {\n emitter.once(name, listener);\n } else {\n emitter.on(name, listener);\n }\n } else if (typeof emitter.addEventListener === 'function') {\n // EventTarget does not have `error` event semantics like Node\n // EventEmitters, we do not listen for `error` events here.\n emitter.addEventListener(name, function wrapListener(arg) {\n // IE does not have builtin `{ once: true }` support so we\n // have to do it manually.\n if (flags.once) {\n emitter.removeEventListener(name, wrapListener);\n }\n listener(arg);\n });\n } else {\n throw new TypeError('The \"emitter\" argument must be of type EventEmitter. Received type ' + typeof emitter);\n }\n}\n","/*! safe-buffer. MIT License. Feross Aboukhadijeh */\n/* eslint-disable node/no-deprecated-api */\nvar buffer = require('buffer')\nvar Buffer = buffer.Buffer\n\n// alternative to using Object.keys for old browsers\nfunction copyProps (src, dst) {\n for (var key in src) {\n dst[key] = src[key]\n }\n}\nif (Buffer.from && Buffer.alloc && Buffer.allocUnsafe && Buffer.allocUnsafeSlow) {\n module.exports = buffer\n} else {\n // Copy properties from require('buffer')\n copyProps(buffer, exports)\n exports.Buffer = SafeBuffer\n}\n\nfunction SafeBuffer (arg, encodingOrOffset, length) {\n return Buffer(arg, encodingOrOffset, length)\n}\n\nSafeBuffer.prototype = Object.create(Buffer.prototype)\n\n// Copy static methods from Buffer\ncopyProps(Buffer, SafeBuffer)\n\nSafeBuffer.from = function (arg, encodingOrOffset, length) {\n if (typeof arg === 'number') {\n throw new TypeError('Argument must not be a number')\n }\n return Buffer(arg, encodingOrOffset, length)\n}\n\nSafeBuffer.alloc = function (size, fill, encoding) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n var buf = Buffer(size)\n if (fill !== undefined) {\n if (typeof encoding === 'string') {\n buf.fill(fill, encoding)\n } else {\n buf.fill(fill)\n }\n } else {\n buf.fill(0)\n }\n return buf\n}\n\nSafeBuffer.allocUnsafe = function (size) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n return Buffer(size)\n}\n\nSafeBuffer.allocUnsafeSlow = function (size) {\n if (typeof size !== 'number') {\n throw new TypeError('Argument must be a number')\n }\n return buffer.SlowBuffer(size)\n}\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++, // & and such.\n OPEN_WAKA: S++, // <\n SGML_DECL: S++, // \n SCRIPT: S++, //